1
mirror of https://github.com/DarkFlippers/unleashed-firmware.git synced 2025-12-12 20:49:49 +04:00

Merge branch 'ofw_dev' into blerefactr

This commit is contained in:
MX
2024-02-19 00:46:40 +03:00
89 changed files with 3456 additions and 1965 deletions

View File

@@ -0,0 +1,11 @@
App(
appid="example_ble_beacon",
name="Example: BLE Beacon",
apptype=FlipperAppType.EXTERNAL,
entry_point="ble_beacon_app",
requires=["gui"],
stack_size=1 * 1024,
fap_icon="example_ble_beacon_10px.png",
fap_category="Examples",
fap_icon_assets="images",
)

View File

@@ -0,0 +1,149 @@
#include "ble_beacon_app.h"
#include <extra_beacon.h>
#include <furi_hal_version.h>
#include <string.h>
#define TAG "ble_beacon_app"
static bool ble_beacon_app_custom_event_callback(void* context, uint32_t event) {
furi_assert(context);
BleBeaconApp* app = context;
return scene_manager_handle_custom_event(app->scene_manager, event);
}
static bool ble_beacon_app_back_event_callback(void* context) {
furi_assert(context);
BleBeaconApp* app = context;
return scene_manager_handle_back_event(app->scene_manager);
}
static void ble_beacon_app_tick_event_callback(void* context) {
furi_assert(context);
BleBeaconApp* app = context;
scene_manager_handle_tick_event(app->scene_manager);
}
static void ble_beacon_app_restore_beacon_state(BleBeaconApp* app) {
// Restore beacon data from service
GapExtraBeaconConfig* local_config = &app->beacon_config;
const GapExtraBeaconConfig* config = furi_hal_bt_extra_beacon_get_config();
if(config) {
// We have a config, copy it
memcpy(local_config, config, sizeof(app->beacon_config));
} else {
// No config, set up default values - they will stay until overriden or device is reset
local_config->min_adv_interval_ms = 50;
local_config->max_adv_interval_ms = 150;
local_config->adv_channel_map = GapAdvChannelMapAll;
local_config->adv_power_level = GapAdvPowerLevel_0dBm;
local_config->address_type = GapAddressTypePublic;
memcpy(
local_config->address, furi_hal_version_get_ble_mac(), sizeof(local_config->address));
// Modify MAC address to make it different from the one used by the main app
local_config->address[0] ^= 0xFF;
local_config->address[3] ^= 0xFF;
furi_check(furi_hal_bt_extra_beacon_set_config(local_config));
}
// Get beacon state
app->is_beacon_active = furi_hal_bt_extra_beacon_is_active();
// Restore last beacon data
app->beacon_data_len = furi_hal_bt_extra_beacon_get_data(app->beacon_data);
}
static BleBeaconApp* ble_beacon_app_alloc() {
BleBeaconApp* app = malloc(sizeof(BleBeaconApp));
app->gui = furi_record_open(RECORD_GUI);
app->scene_manager = scene_manager_alloc(&ble_beacon_app_scene_handlers, app);
app->view_dispatcher = view_dispatcher_alloc();
app->status_string = furi_string_alloc();
view_dispatcher_set_event_callback_context(app->view_dispatcher, app);
view_dispatcher_set_custom_event_callback(
app->view_dispatcher, ble_beacon_app_custom_event_callback);
view_dispatcher_set_navigation_event_callback(
app->view_dispatcher, ble_beacon_app_back_event_callback);
view_dispatcher_set_tick_event_callback(
app->view_dispatcher, ble_beacon_app_tick_event_callback, 100);
view_dispatcher_attach_to_gui(app->view_dispatcher, app->gui, ViewDispatcherTypeFullscreen);
view_dispatcher_enable_queue(app->view_dispatcher);
app->submenu = submenu_alloc();
view_dispatcher_add_view(
app->view_dispatcher, BleBeaconAppViewSubmenu, submenu_get_view(app->submenu));
app->dialog_ex = dialog_ex_alloc();
view_dispatcher_add_view(
app->view_dispatcher, BleBeaconAppViewDialog, dialog_ex_get_view(app->dialog_ex));
app->byte_input = byte_input_alloc();
view_dispatcher_add_view(
app->view_dispatcher, BleBeaconAppViewByteInput, byte_input_get_view(app->byte_input));
ble_beacon_app_restore_beacon_state(app);
return app;
}
static void ble_beacon_app_free(BleBeaconApp* app) {
view_dispatcher_remove_view(app->view_dispatcher, BleBeaconAppViewByteInput);
view_dispatcher_remove_view(app->view_dispatcher, BleBeaconAppViewSubmenu);
view_dispatcher_remove_view(app->view_dispatcher, BleBeaconAppViewDialog);
free(app->byte_input);
free(app->submenu);
free(app->dialog_ex);
free(app->scene_manager);
free(app->view_dispatcher);
free(app->status_string);
furi_record_close(RECORD_NOTIFICATION);
furi_record_close(RECORD_GUI);
app->gui = NULL;
free(app);
}
int32_t ble_beacon_app(void* args) {
UNUSED(args);
BleBeaconApp* app = ble_beacon_app_alloc();
scene_manager_next_scene(app->scene_manager, BleBeaconAppSceneRunBeacon);
view_dispatcher_run(app->view_dispatcher);
ble_beacon_app_free(app);
return 0;
}
void ble_beacon_app_update_state(BleBeaconApp* app) {
furi_hal_bt_extra_beacon_stop();
furi_check(furi_hal_bt_extra_beacon_set_config(&app->beacon_config));
app->beacon_data_len = 0;
while((app->beacon_data[app->beacon_data_len] != 0) &&
(app->beacon_data_len < sizeof(app->beacon_data))) {
app->beacon_data_len++;
}
FURI_LOG_I(TAG, "beacon_data_len: %d", app->beacon_data_len);
furi_check(furi_hal_bt_extra_beacon_set_data(app->beacon_data, app->beacon_data_len));
if(app->is_beacon_active) {
furi_check(furi_hal_bt_extra_beacon_start());
}
}

View File

@@ -0,0 +1,50 @@
#pragma once
#include "extra_beacon.h"
#include <furi.h>
#include <gui/gui.h>
#include <gui/view.h>
#include <gui/scene_manager.h>
#include <gui/view_dispatcher.h>
#include <gui/modules/widget.h>
#include <gui/modules/submenu.h>
#include <gui/modules/byte_input.h>
#include <gui/modules/dialog_ex.h>
#include <rpc/rpc_app.h>
#include <notification/notification_messages.h>
#include <furi_hal_bt.h>
#include "scenes/scenes.h"
#include <stdint.h>
typedef struct {
Gui* gui;
SceneManager* scene_manager;
ViewDispatcher* view_dispatcher;
Submenu* submenu;
ByteInput* byte_input;
DialogEx* dialog_ex;
FuriString* status_string;
GapExtraBeaconConfig beacon_config;
uint8_t beacon_data[EXTRA_BEACON_MAX_DATA_SIZE];
uint8_t beacon_data_len;
bool is_beacon_active;
} BleBeaconApp;
typedef enum {
BleBeaconAppViewSubmenu,
BleBeaconAppViewByteInput,
BleBeaconAppViewDialog,
} BleBeaconAppView;
typedef enum {
BleBeaconAppCustomEventDataEditResult = 100,
} BleBeaconAppCustomEvent;
void ble_beacon_app_update_state(BleBeaconApp* app);

Binary file not shown.

After

Width:  |  Height:  |  Size: 8.5 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 8.7 KiB

View File

@@ -0,0 +1,4 @@
ADD_SCENE(ble_beacon_app, menu, Menu)
ADD_SCENE(ble_beacon_app, input_mac_addr, InputMacAddress)
ADD_SCENE(ble_beacon_app, input_beacon_data, InputBeaconData)
ADD_SCENE(ble_beacon_app, run_beacon, RunBeacon)

View File

@@ -0,0 +1,44 @@
#include "../ble_beacon_app.h"
static void ble_beacon_app_scene_add_type_byte_input_callback(void* context) {
BleBeaconApp* ble_beacon = context;
view_dispatcher_send_custom_event(
ble_beacon->view_dispatcher, BleBeaconAppCustomEventDataEditResult);
}
void ble_beacon_app_scene_input_beacon_data_on_enter(void* context) {
BleBeaconApp* ble_beacon = context;
byte_input_set_header_text(ble_beacon->byte_input, "Enter beacon data");
byte_input_set_result_callback(
ble_beacon->byte_input,
ble_beacon_app_scene_add_type_byte_input_callback,
NULL,
context,
ble_beacon->beacon_data,
sizeof(ble_beacon->beacon_data));
view_dispatcher_switch_to_view(ble_beacon->view_dispatcher, BleBeaconAppViewByteInput);
}
bool ble_beacon_app_scene_input_beacon_data_on_event(void* context, SceneManagerEvent event) {
BleBeaconApp* ble_beacon = context;
SceneManager* scene_manager = ble_beacon->scene_manager;
if(event.type == SceneManagerEventTypeCustom) {
if(event.event == BleBeaconAppCustomEventDataEditResult) {
ble_beacon_app_update_state(ble_beacon);
scene_manager_previous_scene(scene_manager);
return true;
}
}
return false;
}
void ble_beacon_app_scene_input_beacon_data_on_exit(void* context) {
BleBeaconApp* ble_beacon = context;
byte_input_set_result_callback(ble_beacon->byte_input, NULL, NULL, NULL, NULL, 0);
byte_input_set_header_text(ble_beacon->byte_input, NULL);
}

View File

@@ -0,0 +1,44 @@
#include "../ble_beacon_app.h"
static void ble_beacon_app_scene_add_type_byte_input_callback(void* context) {
BleBeaconApp* ble_beacon = context;
view_dispatcher_send_custom_event(
ble_beacon->view_dispatcher, BleBeaconAppCustomEventDataEditResult);
}
void ble_beacon_app_scene_input_mac_addr_on_enter(void* context) {
BleBeaconApp* ble_beacon = context;
byte_input_set_header_text(ble_beacon->byte_input, "Enter MAC (reversed)");
byte_input_set_result_callback(
ble_beacon->byte_input,
ble_beacon_app_scene_add_type_byte_input_callback,
NULL,
context,
ble_beacon->beacon_config.address,
sizeof(ble_beacon->beacon_config.address));
view_dispatcher_switch_to_view(ble_beacon->view_dispatcher, BleBeaconAppViewByteInput);
}
bool ble_beacon_app_scene_input_mac_addr_on_event(void* context, SceneManagerEvent event) {
BleBeaconApp* ble_beacon = context;
SceneManager* scene_manager = ble_beacon->scene_manager;
if(event.type == SceneManagerEventTypeCustom) {
if(event.event == BleBeaconAppCustomEventDataEditResult) {
ble_beacon_app_update_state(ble_beacon);
scene_manager_previous_scene(scene_manager);
return true;
}
}
return false;
}
void ble_beacon_app_scene_input_mac_addr_on_exit(void* context) {
BleBeaconApp* ble_beacon = context;
byte_input_set_result_callback(ble_beacon->byte_input, NULL, NULL, NULL, NULL, 0);
byte_input_set_header_text(ble_beacon->byte_input, NULL);
}

View File

@@ -0,0 +1,56 @@
#include "../ble_beacon_app.h"
enum SubmenuIndex {
SubmenuIndexSetMac,
SubmenuIndexSetData,
};
static void ble_beacon_app_scene_menu_submenu_callback(void* context, uint32_t index) {
BleBeaconApp* ble_beacon = context;
view_dispatcher_send_custom_event(ble_beacon->view_dispatcher, index);
}
void ble_beacon_app_scene_menu_on_enter(void* context) {
BleBeaconApp* ble_beacon = context;
Submenu* submenu = ble_beacon->submenu;
submenu_add_item(
submenu,
"Set MAC",
SubmenuIndexSetMac,
ble_beacon_app_scene_menu_submenu_callback,
ble_beacon);
submenu_add_item(
submenu,
"Set Data",
SubmenuIndexSetData,
ble_beacon_app_scene_menu_submenu_callback,
ble_beacon);
view_dispatcher_switch_to_view(ble_beacon->view_dispatcher, BleBeaconAppViewSubmenu);
}
bool ble_beacon_app_scene_menu_on_event(void* context, SceneManagerEvent event) {
BleBeaconApp* ble_beacon = context;
SceneManager* scene_manager = ble_beacon->scene_manager;
bool consumed = false;
if(event.type == SceneManagerEventTypeCustom) {
const uint32_t submenu_index = event.event;
if(submenu_index == SubmenuIndexSetMac) {
scene_manager_next_scene(scene_manager, BleBeaconAppSceneInputMacAddress);
consumed = true;
} else if(submenu_index == SubmenuIndexSetData) {
scene_manager_next_scene(scene_manager, BleBeaconAppSceneInputBeaconData);
consumed = true;
}
}
return consumed;
}
void ble_beacon_app_scene_menu_on_exit(void* context) {
BleBeaconApp* ble_beacon = context;
submenu_reset(ble_beacon->submenu);
}

View File

@@ -0,0 +1,79 @@
#include "../ble_beacon_app.h"
#include <example_ble_beacon_icons.h>
static void
ble_beacon_app_scene_run_beacon_confirm_dialog_callback(DialogExResult result, void* context) {
BleBeaconApp* ble_beacon = context;
view_dispatcher_send_custom_event(ble_beacon->view_dispatcher, result);
}
static void update_status_text(BleBeaconApp* ble_beacon) {
DialogEx* dialog_ex = ble_beacon->dialog_ex;
dialog_ex_set_header(dialog_ex, "BLE Beacon Demo", 64, 0, AlignCenter, AlignTop);
FuriString* status = ble_beacon->status_string;
furi_string_reset(status);
furi_string_cat_str(status, "Status: ");
if(ble_beacon->is_beacon_active) {
furi_string_cat_str(status, "Running\n");
} else {
furi_string_cat_str(status, "Stopped\n");
}
// Output MAC in reverse order
for(int i = sizeof(ble_beacon->beacon_config.address) - 1; i >= 0; i--) {
furi_string_cat_printf(status, "%02X", ble_beacon->beacon_config.address[i]);
if(i > 0) {
furi_string_cat_str(status, ":");
}
}
furi_string_cat_printf(status, "\nData length: %d", ble_beacon->beacon_data_len);
dialog_ex_set_text(dialog_ex, furi_string_get_cstr(status), 0, 29, AlignLeft, AlignCenter);
dialog_ex_set_icon(dialog_ex, 93, 20, &I_lighthouse_35x44);
dialog_ex_set_left_button_text(dialog_ex, "Config");
dialog_ex_set_center_button_text(dialog_ex, ble_beacon->is_beacon_active ? "Stop" : "Start");
dialog_ex_set_result_callback(
dialog_ex, ble_beacon_app_scene_run_beacon_confirm_dialog_callback);
dialog_ex_set_context(dialog_ex, ble_beacon);
}
void ble_beacon_app_scene_run_beacon_on_enter(void* context) {
BleBeaconApp* ble_beacon = context;
update_status_text(ble_beacon);
view_dispatcher_switch_to_view(ble_beacon->view_dispatcher, BleBeaconAppViewDialog);
}
bool ble_beacon_app_scene_run_beacon_on_event(void* context, SceneManagerEvent event) {
BleBeaconApp* ble_beacon = context;
SceneManager* scene_manager = ble_beacon->scene_manager;
if(event.type == SceneManagerEventTypeCustom) {
if(event.event == DialogExResultLeft) {
scene_manager_next_scene(scene_manager, BleBeaconAppSceneMenu);
return true;
} else if(event.event == DialogExResultCenter) {
ble_beacon->is_beacon_active = !ble_beacon->is_beacon_active;
ble_beacon_app_update_state(ble_beacon);
update_status_text(ble_beacon);
return true;
}
}
return false;
}
void ble_beacon_app_scene_run_beacon_on_exit(void* context) {
BleBeaconApp* ble_beacon = context;
UNUSED(ble_beacon);
}

View File

@@ -0,0 +1,30 @@
#include "scenes.h"
// Generate scene on_enter handlers array
#define ADD_SCENE(prefix, name, id) prefix##_scene_##name##_on_enter,
void (*const ble_beacon_app_on_enter_handlers[])(void*) = {
#include "scene_config.h"
};
#undef ADD_SCENE
// Generate scene on_event handlers array
#define ADD_SCENE(prefix, name, id) prefix##_scene_##name##_on_event,
bool (*const ble_beacon_app_on_event_handlers[])(void* context, SceneManagerEvent event) = {
#include "scene_config.h"
};
#undef ADD_SCENE
// Generate scene on_exit handlers array
#define ADD_SCENE(prefix, name, id) prefix##_scene_##name##_on_exit,
void (*const ble_beacon_app_on_exit_handlers[])(void* context) = {
#include "scene_config.h"
};
#undef ADD_SCENE
// Initialize scene handlers configuration structure
const SceneManagerHandlers ble_beacon_app_scene_handlers = {
.on_enter_handlers = ble_beacon_app_on_enter_handlers,
.on_event_handlers = ble_beacon_app_on_event_handlers,
.on_exit_handlers = ble_beacon_app_on_exit_handlers,
.scene_num = BleBeaconAppSceneNum,
};

View File

@@ -0,0 +1,29 @@
#pragma once
#include <gui/scene_manager.h>
// Generate scene id and total number
#define ADD_SCENE(prefix, name, id) BleBeaconAppScene##id,
typedef enum {
#include "scene_config.h"
BleBeaconAppSceneNum,
} BleBeaconAppScene;
#undef ADD_SCENE
extern const SceneManagerHandlers ble_beacon_app_scene_handlers;
// Generate scene on_enter handlers declaration
#define ADD_SCENE(prefix, name, id) void prefix##_scene_##name##_on_enter(void*);
#include "scene_config.h"
#undef ADD_SCENE
// Generate scene on_event handlers declaration
#define ADD_SCENE(prefix, name, id) \
bool prefix##_scene_##name##_on_event(void* context, SceneManagerEvent event);
#include "scene_config.h"
#undef ADD_SCENE
// Generate scene on_exit handlers declaration
#define ADD_SCENE(prefix, name, id) void prefix##_scene_##name##_on_exit(void* context);
#include "scene_config.h"
#undef ADD_SCENE

View File

@@ -1,9 +1,9 @@
App( App(
appid="example_custom_font", appid="example_custom_font",
name="Example: custom font", name="Example: custom font",
apptype=FlipperAppType.DEBUG, apptype=FlipperAppType.EXTERNAL,
entry_point="example_custom_font_main", entry_point="example_custom_font_main",
requires=["gui"], requires=["gui"],
stack_size=1 * 1024, stack_size=1 * 1024,
fap_category="Debug", fap_category="Examples",
) )

View File

@@ -1,5 +1,7 @@
#pragma once #pragma once
#include "archive_files.h"
typedef enum { typedef enum {
ArchiveAppTypeU2f, ArchiveAppTypeU2f,
ArchiveAppTypeUnknown, ArchiveAppTypeUnknown,

View File

@@ -61,7 +61,7 @@ static const char* opal_usages[14] = {
}; };
// Opal file 0x7 structure. Assumes a little-endian CPU. // Opal file 0x7 structure. Assumes a little-endian CPU.
typedef struct __attribute__((__packed__)) { typedef struct FURI_PACKED {
uint32_t serial : 32; uint32_t serial : 32;
uint8_t check_digit : 4; uint8_t check_digit : 4;
bool blocked : 1; bool blocked : 1;

View File

@@ -6,6 +6,7 @@
#include <ble/ble.h> #include <ble/ble.h>
#include "bt_settings.h" #include "bt_settings.h"
#include "bt_service/bt.h" #include "bt_service/bt.h"
#include <profiles/serial_profile.h>
static void bt_cli_command_hci_info(Cli* cli, FuriString* args, void* context) { static void bt_cli_command_hci_info(Cli* cli, FuriString* args, void* context) {
UNUSED(cli); UNUSED(cli);
@@ -45,7 +46,7 @@ static void bt_cli_command_carrier_tx(Cli* cli, FuriString* args, void* context)
} }
furi_hal_bt_stop_tone_tx(); furi_hal_bt_stop_tone_tx();
bt_set_profile(bt, BtProfileSerial); bt_profile_restore_default(bt);
furi_record_close(RECORD_BT); furi_record_close(RECORD_BT);
} while(false); } while(false);
} }
@@ -76,7 +77,7 @@ static void bt_cli_command_carrier_rx(Cli* cli, FuriString* args, void* context)
furi_hal_bt_stop_packet_test(); furi_hal_bt_stop_packet_test();
bt_set_profile(bt, BtProfileSerial); bt_profile_restore_default(bt);
furi_record_close(RECORD_BT); furi_record_close(RECORD_BT);
} while(false); } while(false);
} }
@@ -124,7 +125,7 @@ static void bt_cli_command_packet_tx(Cli* cli, FuriString* args, void* context)
furi_hal_bt_stop_packet_test(); furi_hal_bt_stop_packet_test();
printf("Transmitted %lu packets", furi_hal_bt_get_transmitted_packets()); printf("Transmitted %lu packets", furi_hal_bt_get_transmitted_packets());
bt_set_profile(bt, BtProfileSerial); bt_profile_restore_default(bt);
furi_record_close(RECORD_BT); furi_record_close(RECORD_BT);
} while(false); } while(false);
} }
@@ -159,7 +160,7 @@ static void bt_cli_command_packet_rx(Cli* cli, FuriString* args, void* context)
uint16_t packets_received = furi_hal_bt_stop_packet_test(); uint16_t packets_received = furi_hal_bt_stop_packet_test();
printf("Received %hu packets", packets_received); printf("Received %hu packets", packets_received);
bt_set_profile(bt, BtProfileSerial); bt_profile_restore_default(bt);
furi_record_close(RECORD_BT); furi_record_close(RECORD_BT);
} while(false); } while(false);
} }

View File

@@ -1,10 +1,13 @@
#include "bt_i.h" #include "bt_i.h"
#include "bt_keys_storage.h" #include "bt_keys_storage.h"
#include <core/check.h>
#include <furi_hal_bt.h>
#include <services/battery_service.h> #include <services/battery_service.h>
#include <notification/notification_messages.h> #include <notification/notification_messages.h>
#include <gui/elements.h> #include <gui/elements.h>
#include <assets_icons.h> #include <assets_icons.h>
#include <profiles/serial_profile.h>
#define TAG "BtSrv" #define TAG "BtSrv"
@@ -12,14 +15,21 @@
#define BT_RPC_EVENT_DISCONNECTED (1UL << 1) #define BT_RPC_EVENT_DISCONNECTED (1UL << 1)
#define BT_RPC_EVENT_ALL (BT_RPC_EVENT_BUFF_SENT | BT_RPC_EVENT_DISCONNECTED) #define BT_RPC_EVENT_ALL (BT_RPC_EVENT_BUFF_SENT | BT_RPC_EVENT_DISCONNECTED)
#define ICON_SPACER 2
static void bt_draw_statusbar_callback(Canvas* canvas, void* context) { static void bt_draw_statusbar_callback(Canvas* canvas, void* context) {
furi_assert(context); furi_assert(context);
Bt* bt = context; Bt* bt = context;
uint8_t draw_offset = 0;
if(bt->beacon_active) {
canvas_draw_icon(canvas, 0, 0, &I_BLE_beacon_7x8);
draw_offset += icon_get_width(&I_BLE_beacon_7x8) + ICON_SPACER;
}
if(bt->status == BtStatusAdvertising) { if(bt->status == BtStatusAdvertising) {
canvas_draw_icon(canvas, 0, 0, &I_Bluetooth_Idle_5x8); canvas_draw_icon(canvas, draw_offset, 0, &I_Bluetooth_Idle_5x8);
} else if(bt->status == BtStatusConnected) { } else if(bt->status == BtStatusConnected) {
canvas_draw_icon(canvas, 0, 0, &I_Bluetooth_Connected_16x8); canvas_draw_icon(canvas, draw_offset, 0, &I_Bluetooth_Connected_16x8);
} }
} }
@@ -61,7 +71,11 @@ static ViewPort* bt_pin_code_view_port_alloc(Bt* bt) {
static void bt_pin_code_show(Bt* bt, uint32_t pin_code) { static void bt_pin_code_show(Bt* bt, uint32_t pin_code) {
bt->pin_code = pin_code; bt->pin_code = pin_code;
if(bt->suppress_pin_screen) return; if(!bt->pin_code_view_port) {
// Pin code view port
bt->pin_code_view_port = bt_pin_code_view_port_alloc(bt);
gui_add_view_port(bt->gui, bt->pin_code_view_port, GuiLayerFullscreen);
}
notification_message(bt->notification, &sequence_display_backlight_on); notification_message(bt->notification, &sequence_display_backlight_on);
gui_view_port_send_to_front(bt->gui, bt->pin_code_view_port); gui_view_port_send_to_front(bt->gui, bt->pin_code_view_port);
view_port_enabled_set(bt->pin_code_view_port, true); view_port_enabled_set(bt->pin_code_view_port, true);
@@ -69,7 +83,7 @@ static void bt_pin_code_show(Bt* bt, uint32_t pin_code) {
static void bt_pin_code_hide(Bt* bt) { static void bt_pin_code_hide(Bt* bt) {
bt->pin_code = 0; bt->pin_code = 0;
if(view_port_is_enabled(bt->pin_code_view_port)) { if(bt->pin_code_view_port && view_port_is_enabled(bt->pin_code_view_port)) {
view_port_enabled_set(bt->pin_code_view_port, false); view_port_enabled_set(bt->pin_code_view_port, false);
} }
} }
@@ -80,6 +94,9 @@ static bool bt_pin_code_verify_event_handler(Bt* bt, uint32_t pin) {
if(bt->suppress_pin_screen) return true; if(bt->suppress_pin_screen) return true;
notification_message(bt->notification, &sequence_display_backlight_on); notification_message(bt->notification, &sequence_display_backlight_on);
FuriString* pin_str; FuriString* pin_str;
if(!bt->dialog_message) {
bt->dialog_message = dialog_message_alloc();
}
dialog_message_set_icon(bt->dialog_message, &I_BLE_Pairing_128x64, 0, 0); dialog_message_set_icon(bt->dialog_message, &I_BLE_Pairing_128x64, 0, 0);
pin_str = furi_string_alloc_printf("Verify code\n%06lu", pin); pin_str = furi_string_alloc_printf("Verify code\n%06lu", pin);
dialog_message_set_text( dialog_message_set_text(
@@ -97,25 +114,32 @@ static void bt_battery_level_changed_callback(const void* _event, void* context)
Bt* bt = context; Bt* bt = context;
BtMessage message = {}; BtMessage message = {};
const PowerEvent* event = _event; const PowerEvent* event = _event;
if(event->type == PowerEventTypeBatteryLevelChanged) { bool is_charging = false;
switch(event->type) {
case PowerEventTypeBatteryLevelChanged:
message.type = BtMessageTypeUpdateBatteryLevel; message.type = BtMessageTypeUpdateBatteryLevel;
message.data.battery_level = event->data.battery_level; message.data.battery_level = event->data.battery_level;
furi_check( furi_check(
furi_message_queue_put(bt->message_queue, &message, FuriWaitForever) == FuriStatusOk); furi_message_queue_put(bt->message_queue, &message, FuriWaitForever) == FuriStatusOk);
} else if( break;
event->type == PowerEventTypeStartCharging || event->type == PowerEventTypeFullyCharged || case PowerEventTypeStartCharging:
event->type == PowerEventTypeStopCharging) { is_charging = true;
/* fallthrough */
case PowerEventTypeFullyCharged:
case PowerEventTypeStopCharging:
message.type = BtMessageTypeUpdatePowerState; message.type = BtMessageTypeUpdatePowerState;
message.data.power_state_charging = is_charging;
furi_check( furi_check(
furi_message_queue_put(bt->message_queue, &message, FuriWaitForever) == FuriStatusOk); furi_message_queue_put(bt->message_queue, &message, FuriWaitForever) == FuriStatusOk);
break;
} }
} }
Bt* bt_alloc() { Bt* bt_alloc() {
Bt* bt = malloc(sizeof(Bt)); Bt* bt = malloc(sizeof(Bt));
// Init default maximum packet size // Init default maximum packet size
bt->max_packet_size = FURI_HAL_BT_SERIAL_PACKET_SIZE_MAX; bt->max_packet_size = BLE_PROFILE_SERIAL_PACKET_SIZE_MAX;
bt->profile = BtProfileSerial; bt->current_profile = NULL;
// Load settings // Load settings
if(!bt_settings_load(&bt->bt_settings)) { if(!bt_settings_load(&bt->bt_settings)) {
bt_settings_save(&bt->bt_settings); bt_settings_save(&bt->bt_settings);
@@ -127,18 +151,14 @@ Bt* bt_alloc() {
// Setup statusbar view port // Setup statusbar view port
bt->statusbar_view_port = bt_statusbar_view_port_alloc(bt); bt->statusbar_view_port = bt_statusbar_view_port_alloc(bt);
// Pin code view port
bt->pin_code_view_port = bt_pin_code_view_port_alloc(bt);
// Notification // Notification
bt->notification = furi_record_open(RECORD_NOTIFICATION); bt->notification = furi_record_open(RECORD_NOTIFICATION);
// Gui // Gui
bt->gui = furi_record_open(RECORD_GUI); bt->gui = furi_record_open(RECORD_GUI);
gui_add_view_port(bt->gui, bt->statusbar_view_port, GuiLayerStatusBarLeft); gui_add_view_port(bt->gui, bt->statusbar_view_port, GuiLayerStatusBarLeft);
gui_add_view_port(bt->gui, bt->pin_code_view_port, GuiLayerFullscreen);
// Dialogs // Dialogs
bt->dialogs = furi_record_open(RECORD_DIALOGS); bt->dialogs = furi_record_open(RECORD_DIALOGS);
bt->dialog_message = dialog_message_alloc();
// Power // Power
bt->power = furi_record_open(RECORD_POWER); bt->power = furi_record_open(RECORD_POWER);
@@ -175,7 +195,11 @@ static uint16_t bt_serial_event_callback(SerialServiceEvent event, void* context
furi_event_flag_set(bt->rpc_event, BT_RPC_EVENT_BUFF_SENT); furi_event_flag_set(bt->rpc_event, BT_RPC_EVENT_BUFF_SENT);
} else if(event.event == SerialServiceEventTypesBleResetRequest) { } else if(event.event == SerialServiceEventTypesBleResetRequest) {
FURI_LOG_I(TAG, "BLE restart request received"); FURI_LOG_I(TAG, "BLE restart request received");
BtMessage message = {.type = BtMessageTypeSetProfile, .data.profile = BtProfileSerial}; BtMessage message = {
.type = BtMessageTypeSetProfile,
.data.profile.params = NULL,
.data.profile.template = ble_profile_serial,
};
furi_check( furi_check(
furi_message_queue_put(bt->message_queue, &message, FuriWaitForever) == FuriStatusOk); furi_message_queue_put(bt->message_queue, &message, FuriWaitForever) == FuriStatusOk);
} }
@@ -196,10 +220,10 @@ static void bt_rpc_send_bytes_callback(void* context, uint8_t* bytes, size_t byt
while(bytes_sent < bytes_len) { while(bytes_sent < bytes_len) {
size_t bytes_remain = bytes_len - bytes_sent; size_t bytes_remain = bytes_len - bytes_sent;
if(bytes_remain > bt->max_packet_size) { if(bytes_remain > bt->max_packet_size) {
furi_hal_bt_serial_tx(&bytes[bytes_sent], bt->max_packet_size); ble_profile_serial_tx(bt->current_profile, &bytes[bytes_sent], bt->max_packet_size);
bytes_sent += bt->max_packet_size; bytes_sent += bt->max_packet_size;
} else { } else {
furi_hal_bt_serial_tx(&bytes[bytes_sent], bytes_remain); ble_profile_serial_tx(bt->current_profile, &bytes[bytes_sent], bytes_remain);
bytes_sent += bytes_remain; bytes_sent += bytes_remain;
} }
// We want BT_RPC_EVENT_DISCONNECTED to stick, so don't clear // We want BT_RPC_EVENT_DISCONNECTED to stick, so don't clear
@@ -214,33 +238,42 @@ static void bt_rpc_send_bytes_callback(void* context, uint8_t* bytes, size_t byt
} }
} }
static void bt_serial_buffer_is_empty_callback(void* context) {
furi_assert(context);
Bt* bt = context;
furi_check(furi_hal_bt_check_profile_type(bt->current_profile, ble_profile_serial));
ble_profile_serial_notify_buffer_is_empty(bt->current_profile);
}
// Called from GAP thread // Called from GAP thread
static bool bt_on_gap_event_callback(GapEvent event, void* context) { static bool bt_on_gap_event_callback(GapEvent event, void* context) {
furi_assert(context); furi_assert(context);
Bt* bt = context; Bt* bt = context;
bool ret = false; bool ret = false;
bt->pin = 0; bool do_update_status = false;
bool current_profile_is_serial =
furi_hal_bt_check_profile_type(bt->current_profile, ble_profile_serial);
if(event.type == GapEventTypeConnected) { if(event.type == GapEventTypeConnected) {
// Update status bar // Update status bar
bt->status = BtStatusConnected; bt->status = BtStatusConnected;
BtMessage message = {.type = BtMessageTypeUpdateStatus}; do_update_status = true;
furi_check(
furi_message_queue_put(bt->message_queue, &message, FuriWaitForever) == FuriStatusOk);
// Clear BT_RPC_EVENT_DISCONNECTED because it might be set from previous session // Clear BT_RPC_EVENT_DISCONNECTED because it might be set from previous session
furi_event_flag_clear(bt->rpc_event, BT_RPC_EVENT_DISCONNECTED); furi_event_flag_clear(bt->rpc_event, BT_RPC_EVENT_DISCONNECTED);
if(bt->profile == BtProfileSerial) {
if(current_profile_is_serial) {
// Open RPC session // Open RPC session
bt->rpc_session = rpc_session_open(bt->rpc, RpcOwnerBle); bt->rpc_session = rpc_session_open(bt->rpc, RpcOwnerBle);
if(bt->rpc_session) { if(bt->rpc_session) {
FURI_LOG_I(TAG, "Open RPC connection"); FURI_LOG_I(TAG, "Open RPC connection");
rpc_session_set_send_bytes_callback(bt->rpc_session, bt_rpc_send_bytes_callback); rpc_session_set_send_bytes_callback(bt->rpc_session, bt_rpc_send_bytes_callback);
rpc_session_set_buffer_is_empty_callback( rpc_session_set_buffer_is_empty_callback(
bt->rpc_session, furi_hal_bt_serial_notify_buffer_is_empty); bt->rpc_session, bt_serial_buffer_is_empty_callback);
rpc_session_set_context(bt->rpc_session, bt); rpc_session_set_context(bt->rpc_session, bt);
furi_hal_bt_serial_set_event_callback( ble_profile_serial_set_event_callback(
RPC_BUFFER_SIZE, bt_serial_event_callback, bt); bt->current_profile, RPC_BUFFER_SIZE, bt_serial_event_callback, bt);
furi_hal_bt_serial_set_rpc_status(FuriHalBtSerialRpcStatusActive); ble_profile_serial_set_rpc_active(
bt->current_profile, FuriHalBtSerialRpcStatusActive);
} else { } else {
FURI_LOG_W(TAG, "RPC is busy, failed to open new session"); FURI_LOG_W(TAG, "RPC is busy, failed to open new session");
} }
@@ -248,32 +281,30 @@ static bool bt_on_gap_event_callback(GapEvent event, void* context) {
// Update battery level // Update battery level
PowerInfo info; PowerInfo info;
power_get_info(bt->power, &info); power_get_info(bt->power, &info);
BtMessage message = {.type = BtMessageTypeUpdateStatus};
message.type = BtMessageTypeUpdateBatteryLevel; message.type = BtMessageTypeUpdateBatteryLevel;
message.data.battery_level = info.charge; message.data.battery_level = info.charge;
furi_check( furi_check(
furi_message_queue_put(bt->message_queue, &message, FuriWaitForever) == FuriStatusOk); furi_message_queue_put(bt->message_queue, &message, FuriWaitForever) == FuriStatusOk);
ret = true; ret = true;
} else if(event.type == GapEventTypeDisconnected) { } else if(event.type == GapEventTypeDisconnected) {
if(bt->profile == BtProfileSerial && bt->rpc_session) { if(current_profile_is_serial && bt->rpc_session) {
FURI_LOG_I(TAG, "Close RPC connection"); FURI_LOG_I(TAG, "Close RPC connection");
furi_hal_bt_serial_set_rpc_status(FuriHalBtSerialRpcStatusNotActive); ble_profile_serial_set_rpc_active(
bt->current_profile, FuriHalBtSerialRpcStatusNotActive);
furi_event_flag_set(bt->rpc_event, BT_RPC_EVENT_DISCONNECTED); furi_event_flag_set(bt->rpc_event, BT_RPC_EVENT_DISCONNECTED);
rpc_session_close(bt->rpc_session); rpc_session_close(bt->rpc_session);
furi_hal_bt_serial_set_event_callback(0, NULL, NULL); ble_profile_serial_set_event_callback(bt->current_profile, 0, NULL, NULL);
bt->rpc_session = NULL; bt->rpc_session = NULL;
} }
ret = true; ret = true;
} else if(event.type == GapEventTypeStartAdvertising) { } else if(event.type == GapEventTypeStartAdvertising) {
bt->status = BtStatusAdvertising; bt->status = BtStatusAdvertising;
BtMessage message = {.type = BtMessageTypeUpdateStatus}; do_update_status = true;
furi_check(
furi_message_queue_put(bt->message_queue, &message, FuriWaitForever) == FuriStatusOk);
ret = true; ret = true;
} else if(event.type == GapEventTypeStopAdvertising) { } else if(event.type == GapEventTypeStopAdvertising) {
bt->status = BtStatusOff; bt->status = BtStatusOff;
BtMessage message = {.type = BtMessageTypeUpdateStatus}; do_update_status = true;
furi_check(
furi_message_queue_put(bt->message_queue, &message, FuriWaitForever) == FuriStatusOk);
ret = true; ret = true;
} else if(event.type == GapEventTypePinCodeShow) { } else if(event.type == GapEventTypePinCodeShow) {
bt->pin = event.data.pin_code; bt->pin = event.data.pin_code;
@@ -288,6 +319,20 @@ static bool bt_on_gap_event_callback(GapEvent event, void* context) {
} else if(event.type == GapEventTypeUpdateMTU) { } else if(event.type == GapEventTypeUpdateMTU) {
bt->max_packet_size = event.data.max_packet_size; bt->max_packet_size = event.data.max_packet_size;
ret = true; ret = true;
} else if(event.type == GapEventTypeBeaconStart) {
bt->beacon_active = true;
do_update_status = true;
ret = true;
} else if(event.type == GapEventTypeBeaconStop) {
bt->beacon_active = false;
do_update_status = true;
ret = true;
}
if(do_update_status) {
BtMessage message = {.type = BtMessageTypeUpdateStatus};
furi_check(
furi_message_queue_put(bt->message_queue, &message, FuriWaitForever) == FuriStatusOk);
} }
return ret; return ret;
} }
@@ -304,11 +349,18 @@ static void bt_on_key_storage_change_callback(uint8_t* addr, uint16_t size, void
} }
static void bt_statusbar_update(Bt* bt) { static void bt_statusbar_update(Bt* bt) {
uint8_t active_icon_width = 0;
if(bt->beacon_active) {
active_icon_width = icon_get_width(&I_BLE_beacon_7x8) + ICON_SPACER;
}
if(bt->status == BtStatusAdvertising) { if(bt->status == BtStatusAdvertising) {
view_port_set_width(bt->statusbar_view_port, icon_get_width(&I_Bluetooth_Idle_5x8)); active_icon_width += icon_get_width(&I_Bluetooth_Idle_5x8);
view_port_enabled_set(bt->statusbar_view_port, true);
} else if(bt->status == BtStatusConnected) { } else if(bt->status == BtStatusConnected) {
view_port_set_width(bt->statusbar_view_port, icon_get_width(&I_Bluetooth_Connected_16x8)); active_icon_width += icon_get_width(&I_Bluetooth_Connected_16x8);
}
if(active_icon_width > 0) {
view_port_set_width(bt->statusbar_view_port, active_icon_width);
view_port_enabled_set(bt->statusbar_view_port, true); view_port_enabled_set(bt->statusbar_view_port, true);
} else { } else {
view_port_enabled_set(bt->statusbar_view_port, false); view_port_enabled_set(bt->statusbar_view_port, false);
@@ -316,56 +368,61 @@ static void bt_statusbar_update(Bt* bt) {
} }
static void bt_show_warning(Bt* bt, const char* text) { static void bt_show_warning(Bt* bt, const char* text) {
if(!bt->dialog_message) {
bt->dialog_message = dialog_message_alloc();
}
dialog_message_set_text(bt->dialog_message, text, 64, 28, AlignCenter, AlignCenter); dialog_message_set_text(bt->dialog_message, text, 64, 28, AlignCenter, AlignCenter);
dialog_message_set_buttons(bt->dialog_message, "Quit", NULL, NULL); dialog_message_set_buttons(bt->dialog_message, "Quit", NULL, NULL);
dialog_message_show(bt->dialogs, bt->dialog_message); dialog_message_show(bt->dialogs, bt->dialog_message);
} }
static void bt_close_rpc_connection(Bt* bt) { static void bt_close_rpc_connection(Bt* bt) {
if(bt->profile == BtProfileSerial && bt->rpc_session) { if(furi_hal_bt_check_profile_type(bt->current_profile, ble_profile_serial) &&
bt->rpc_session) {
FURI_LOG_I(TAG, "Close RPC connection"); FURI_LOG_I(TAG, "Close RPC connection");
furi_event_flag_set(bt->rpc_event, BT_RPC_EVENT_DISCONNECTED); furi_event_flag_set(bt->rpc_event, BT_RPC_EVENT_DISCONNECTED);
rpc_session_close(bt->rpc_session); rpc_session_close(bt->rpc_session);
furi_hal_bt_serial_set_event_callback(0, NULL, NULL); ble_profile_serial_set_event_callback(bt->current_profile, 0, NULL, NULL);
bt->rpc_session = NULL; bt->rpc_session = NULL;
} }
} }
static void bt_change_profile(Bt* bt, BtMessage* message) { static void bt_change_profile(Bt* bt, BtMessage* message) {
if(furi_hal_bt_is_ble_gatt_gap_supported()) { if(furi_hal_bt_is_gatt_gap_supported()) {
bt_settings_load(&bt->bt_settings); bt_settings_load(&bt->bt_settings);
bt_close_rpc_connection(bt); bt_close_rpc_connection(bt);
FuriHalBtProfile furi_profile;
if(message->data.profile == BtProfileHidKeyboard) {
furi_profile = FuriHalBtProfileHidKeyboard;
} else {
furi_profile = FuriHalBtProfileSerial;
}
bt_keys_storage_load(bt->keys_storage); bt_keys_storage_load(bt->keys_storage);
if(furi_hal_bt_change_app(furi_profile, bt_on_gap_event_callback, bt)) { bt->current_profile = furi_hal_bt_change_app(
message->data.profile.template,
message->data.profile.params,
bt_on_gap_event_callback,
bt);
if(bt->current_profile) {
FURI_LOG_I(TAG, "Bt App started"); FURI_LOG_I(TAG, "Bt App started");
if(bt->bt_settings.enabled) { if(bt->bt_settings.enabled) {
furi_hal_bt_start_advertising(); furi_hal_bt_start_advertising();
} }
furi_hal_bt_set_key_storage_change_callback(bt_on_key_storage_change_callback, bt); furi_hal_bt_set_key_storage_change_callback(bt_on_key_storage_change_callback, bt);
bt->profile = message->data.profile;
if(message->result) {
*message->result = true;
}
} else { } else {
FURI_LOG_E(TAG, "Failed to start Bt App"); FURI_LOG_E(TAG, "Failed to start Bt App");
}
if(message->profile_instance) {
*message->profile_instance = bt->current_profile;
}
if(message->result) { if(message->result) {
*message->result = false; *message->result = bt->current_profile != NULL;
}
} }
} else { } else {
bt_show_warning(bt, "Radio stack doesn't support this app"); bt_show_warning(bt, "Radio stack doesn't support this app");
if(message->result) { if(message->result) {
*message->result = false; *message->result = false;
} }
if(message->profile_instance) {
*message->profile_instance = NULL;
}
} }
if(message->lock) api_lock_unlock(message->lock); if(message->lock) api_lock_unlock(message->lock);
} }
@@ -477,8 +534,10 @@ int32_t bt_srv(void* p) {
FURI_LOG_E(TAG, "Radio stack start failed"); FURI_LOG_E(TAG, "Radio stack start failed");
} }
if(furi_hal_bt_is_ble_gatt_gap_supported()) { if(furi_hal_bt_is_gatt_gap_supported()) {
if(!furi_hal_bt_start_app(FuriHalBtProfileSerial, bt_on_gap_event_callback, bt)) { bt->current_profile =
furi_hal_bt_start_app(ble_profile_serial, NULL, bt_on_gap_event_callback, bt);
if(!bt->current_profile) {
FURI_LOG_E(TAG, "BLE App start failed"); FURI_LOG_E(TAG, "BLE App start failed");
} else { } else {
if(bt->bt_settings.enabled) { if(bt->bt_settings.enabled) {
@@ -508,7 +567,7 @@ int32_t bt_srv(void* p) {
// Update battery level // Update battery level
furi_hal_bt_update_battery_level(message.data.battery_level); furi_hal_bt_update_battery_level(message.data.battery_level);
} else if(message.type == BtMessageTypeUpdatePowerState) { } else if(message.type == BtMessageTypeUpdatePowerState) {
furi_hal_bt_update_power_state(); furi_hal_bt_update_power_state(message.data.power_state_charging);
} else if(message.type == BtMessageTypePinCodeShow) { } else if(message.type == BtMessageTypePinCodeShow) {
// Display PIN code // Display PIN code
bt_pin_code_show(bt, message.data.pin_code); bt_pin_code_show(bt, message.data.pin_code);

View File

@@ -2,6 +2,8 @@
#include <stdint.h> #include <stdint.h>
#include <stdbool.h> #include <stdbool.h>
#include <furi_ble/profile_interface.h>
#include <core/common_defines.h>
#include <furi_hal_bt.h> #include <furi_hal_bt.h>
@@ -20,27 +22,30 @@ typedef enum {
BtStatusConnected, BtStatusConnected,
} BtStatus; } BtStatus;
typedef enum {
BtProfileSerial,
BtProfileHidKeyboard,
} BtProfile;
typedef struct {
uint8_t rssi;
uint32_t since;
} BtRssi;
typedef void (*BtStatusChangedCallback)(BtStatus status, void* context); typedef void (*BtStatusChangedCallback)(BtStatus status, void* context);
/** Change BLE Profile /** Change BLE Profile
* @note Call of this function leads to 2nd core restart * @note Call of this function leads to 2nd core restart
* *
* @param bt Bt instance * @param bt Bt instance
* @param profile BtProfile * @param profile_template Profile template to change to
* @param params Profile parameters. Can be NULL
* *
* @return true on success * @return true on success
*/ */
bool bt_set_profile(Bt* bt, BtProfile profile); FURI_WARN_UNUSED FuriHalBleProfileBase* bt_profile_start(
Bt* bt,
const FuriHalBleProfileTemplate* profile_template,
FuriHalBleProfileParams params);
/** Stop current BLE Profile and restore default profile
* @note Call of this function leads to 2nd core restart
*
* @param bt Bt instance
*
* @return true on success
*/
bool bt_profile_restore_default(Bt* bt);
/** Disconnect from Central /** Disconnect from Central
* *

View File

@@ -1,21 +1,34 @@
#include "bt_i.h" #include "bt_i.h"
#include <profiles/serial_profile.h>
bool bt_set_profile(Bt* bt, BtProfile profile) { FuriHalBleProfileBase* bt_profile_start(
Bt* bt,
const FuriHalBleProfileTemplate* profile_template,
FuriHalBleProfileParams params) {
furi_assert(bt); furi_assert(bt);
// Send message // Send message
bool result = false; FuriHalBleProfileBase* profile_instance = NULL;
BtMessage message = { BtMessage message = {
.lock = api_lock_alloc_locked(), .lock = api_lock_alloc_locked(),
.type = BtMessageTypeSetProfile, .type = BtMessageTypeSetProfile,
.data.profile = profile, .profile_instance = &profile_instance,
.result = &result}; .data.profile.params = params,
.data.profile.template = profile_template,
};
furi_check( furi_check(
furi_message_queue_put(bt->message_queue, &message, FuriWaitForever) == FuriStatusOk); furi_message_queue_put(bt->message_queue, &message, FuriWaitForever) == FuriStatusOk);
// Wait for unlock // Wait for unlock
api_lock_wait_unlock_and_free(message.lock); api_lock_wait_unlock_and_free(message.lock);
return result; bt->current_profile = profile_instance;
return profile_instance;
}
bool bt_profile_restore_default(Bt* bt) {
bt->current_profile = bt_profile_start(bt, ble_profile_serial, NULL);
return bt->current_profile != NULL;
} }
void bt_disconnect(Bt* bt) { void bt_disconnect(Bt* bt) {

View File

@@ -42,7 +42,12 @@ typedef struct {
typedef union { typedef union {
uint32_t pin_code; uint32_t pin_code;
uint8_t battery_level; uint8_t battery_level;
BtProfile profile; bool power_state_charging;
struct {
const FuriHalBleProfileTemplate* template;
FuriHalBleProfileParams params;
} profile;
FuriHalBleProfileParams profile_params;
BtKeyStorageUpdateData key_storage_data; BtKeyStorageUpdateData key_storage_data;
} BtMessageData; } BtMessageData;
@@ -51,6 +56,7 @@ typedef struct {
BtMessageType type; BtMessageType type;
BtMessageData data; BtMessageData data;
bool* result; bool* result;
FuriHalBleProfileBase** profile_instance;
} BtMessage; } BtMessage;
struct Bt { struct Bt {
@@ -60,7 +66,8 @@ struct Bt {
BtSettings bt_settings; BtSettings bt_settings;
BtKeysStorage* keys_storage; BtKeysStorage* keys_storage;
BtStatus status; BtStatus status;
BtProfile profile; bool beacon_active;
FuriHalBleProfileBase* current_profile;
FuriMessageQueue* message_queue; FuriMessageQueue* message_queue;
NotificationApp* notification; NotificationApp* notification;
Gui* gui; Gui* gui;

View File

@@ -1,6 +1,5 @@
#include "cli_command_gpio.h" #include "cli_command_gpio.h"
#include "core/string.h"
#include <furi.h> #include <furi.h>
#include <furi_hal.h> #include <furi_hal.h>
#include <lib/toolbox/args.h> #include <lib/toolbox/args.h>

View File

@@ -1,6 +1,7 @@
#include "cli_commands.h" #include "cli_commands.h"
#include "cli_command_gpio.h" #include "cli_command_gpio.h"
#include <core/thread.h>
#include <furi_hal.h> #include <furi_hal.h>
#include <furi_hal_info.h> #include <furi_hal_info.h>
#include <task_control_block.h> #include <task_control_block.h>
@@ -398,27 +399,30 @@ void cli_command_ps(Cli* cli, FuriString* args, void* context) {
const uint8_t threads_num_max = 32; const uint8_t threads_num_max = 32;
FuriThreadId threads_ids[threads_num_max]; FuriThreadId threads_ids[threads_num_max];
uint8_t thread_num = furi_thread_enumerate(threads_ids, threads_num_max); uint32_t thread_num = furi_thread_enumerate(threads_ids, threads_num_max);
printf( printf(
"%-20s %-20s %-14s %-8s %-8s %s\r\n", "%-17s %-20s %-5s %-13s %-6s %-8s %s\r\n",
"AppID", "AppID",
"Name", "Name",
"Prio",
"Stack start", "Stack start",
"Heap", "Heap",
"Stack", "Stack",
"Stack min free"); "Stack min free");
for(uint8_t i = 0; i < thread_num; i++) { for(uint8_t i = 0; i < thread_num; i++) {
TaskControlBlock* tcb = (TaskControlBlock*)threads_ids[i]; TaskControlBlock* tcb = (TaskControlBlock*)threads_ids[i];
size_t thread_heap = memmgr_heap_get_thread_memory(threads_ids[i]);
printf( printf(
"%-20s %-20s 0x%-12lx %-8zu %-8lu %-8lu\r\n", "%-17s %-20s %-5d 0x%-11lx %-6zu %-8lu %-8lu\r\n",
furi_thread_get_appid(threads_ids[i]), furi_thread_get_appid(threads_ids[i]),
furi_thread_get_name(threads_ids[i]), furi_thread_get_name(threads_ids[i]),
furi_thread_get_priority(threads_ids[i]),
(uint32_t)tcb->pxStack, (uint32_t)tcb->pxStack,
memmgr_heap_get_thread_memory(threads_ids[i]), thread_heap == MEMMGR_HEAP_UNKNOWN ? 0u : thread_heap,
(uint32_t)(tcb->pxEndOfStack - tcb->pxStack + 1) * sizeof(StackType_t), (uint32_t)(tcb->pxEndOfStack - tcb->pxStack + 1) * sizeof(StackType_t),
furi_thread_get_stack_space(threads_ids[i])); furi_thread_get_stack_space(threads_ids[i]));
} }
printf("\r\nTotal: %d", thread_num); printf("\r\nTotal: %lu", thread_num);
} }
void cli_command_free(Cli* cli, FuriString* args, void* context) { void cli_command_free(Cli* cli, FuriString* args, void* context) {

View File

@@ -4,10 +4,12 @@
*/ */
#pragma once #pragma once
#include "../widget.h"
#include "widget_element.h"
#include <furi.h> #include <furi.h>
#include <gui/view.h> #include <gui/view.h>
#include <input/input.h> #include <input/input.h>
#include "widget_element.h"
#ifdef __cplusplus #ifdef __cplusplus
extern "C" { extern "C" {

View File

@@ -1,5 +1,4 @@
#include "loader.h" #include "loader.h"
#include "core/core_defines.h"
#include "loader_i.h" #include "loader_i.h"
#include <applications.h> #include <applications.h>
#include <storage/storage.h> #include <storage/storage.h>

View File

@@ -1,3 +1,4 @@
#include "profiles/serial_profile.h"
#include "rpc_i.h" #include "rpc_i.h"
#include <pb.h> #include <pb.h>
@@ -331,7 +332,7 @@ static int32_t rpc_session_worker(void* context) {
// Disconnect BLE session // Disconnect BLE session
FURI_LOG_E("RPC", "BLE session closed due to a decode error"); FURI_LOG_E("RPC", "BLE session closed due to a decode error");
Bt* bt = furi_record_open(RECORD_BT); Bt* bt = furi_record_open(RECORD_BT);
bt_set_profile(bt, BtProfileSerial); bt_profile_restore_default(bt);
furi_record_close(RECORD_BT); furi_record_close(RECORD_BT);
FURI_LOG_E("RPC", "Finished disconnecting the BLE session"); FURI_LOG_E("RPC", "Finished disconnecting the BLE session");
} }

View File

@@ -94,6 +94,7 @@ void rpc_session_set_send_bytes_callback(RpcSession* session, RpcSendBytesCallba
* *
* @param session pointer to RpcSession descriptor * @param session pointer to RpcSession descriptor
* @param callback callback to notify client that buffer is empty (can be NULL) * @param callback callback to notify client that buffer is empty (can be NULL)
* @param context context to pass to callback
*/ */
void rpc_session_set_buffer_is_empty_callback( void rpc_session_set_buffer_is_empty_callback(
RpcSession* session, RpcSession* session,

View File

@@ -39,7 +39,7 @@ void bt_settings_scene_start_on_enter(void* context) {
VariableItemList* var_item_list = app->var_item_list; VariableItemList* var_item_list = app->var_item_list;
VariableItem* item; VariableItem* item;
if(furi_hal_bt_is_ble_gatt_gap_supported()) { if(furi_hal_bt_is_gatt_gap_supported()) {
item = variable_item_list_add( item = variable_item_list_add(
var_item_list, var_item_list,
"Bluetooth", "Bluetooth",

View File

@@ -4,6 +4,10 @@ App(
apptype=FlipperAppType.EXTERNAL, apptype=FlipperAppType.EXTERNAL,
entry_point="hid_usb_app", entry_point="hid_usb_app",
stack_size=1 * 1024, stack_size=1 * 1024,
sources=["*.c", "!transport_ble.c"],
cdefines=["HID_TRANSPORT_USB"],
fap_description="Use Flipper as a HID remote control over USB",
fap_version="1.0",
fap_category="USB", fap_category="USB",
fap_icon="hid_usb_10px.png", fap_icon="hid_usb_10px.png",
fap_icon_assets="assets", fap_icon_assets="assets",
@@ -17,6 +21,11 @@ App(
apptype=FlipperAppType.EXTERNAL, apptype=FlipperAppType.EXTERNAL,
entry_point="hid_ble_app", entry_point="hid_ble_app",
stack_size=1 * 1024, stack_size=1 * 1024,
sources=["*.c", "!transport_usb.c"],
cdefines=["HID_TRANSPORT_BLE"],
fap_libs=["ble_profile"],
fap_description="Use Flipper as a HID remote control over Bluetooth",
fap_version="1.0",
fap_category="Bluetooth", fap_category="Bluetooth",
fap_icon="hid_ble_10px.png", fap_icon="hid_ble_10px.png",
fap_icon_assets="assets", fap_icon_assets="assets",

Binary file not shown.

After

Width:  |  Height:  |  Size: 2.4 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 117 B

View File

@@ -139,8 +139,12 @@ for app_dir, _ in fwenv["APPDIRS"]:
fwenv.PrepareApplicationsBuild() fwenv.PrepareApplicationsBuild()
# Build external apps + configure SDK # Build external apps + configure SDK
if env["IS_BASE_FIRMWARE"]: if env["IS_BASE_FIRMWARE"]:
# Ensure all libs are built - even if they are not used in firmware
fw_artifacts.append(fwenv["LIB_DIST_DIR"].glob("*.a"))
fwenv.SetDefault(FBT_FAP_DEBUG_ELF_ROOT=fwenv["BUILD_DIR"].Dir(".extapps")) fwenv.SetDefault(FBT_FAP_DEBUG_ELF_ROOT=fwenv["BUILD_DIR"].Dir(".extapps"))
fw_extapps = fwenv["FW_EXTAPPS"] = SConscript( fw_extapps = fwenv["FW_EXTAPPS"] = SConscript(
"site_scons/extapps.scons", "site_scons/extapps.scons",

View File

@@ -86,7 +86,7 @@ static void __furi_print_stack_info() {
} }
static void __furi_print_bt_stack_info() { static void __furi_print_bt_stack_info() {
const FuriHalBtHardfaultInfo* fault_info = furi_hal_bt_get_hardfault_info(); const BleGlueHardfaultInfo* fault_info = ble_glue_get_hardfault_info();
if(fault_info == NULL) { if(fault_info == NULL) {
furi_log_puts("\r\n\tcore2: not faulted"); furi_log_puts("\r\n\tcore2: not faulted");
} else { } else {

View File

@@ -11,6 +11,7 @@
#include <furi_hal_rtc.h> #include <furi_hal_rtc.h>
#include <FreeRTOS.h> #include <FreeRTOS.h>
#include <stdint.h>
#include <task.h> #include <task.h>
#define TAG "FuriThread" #define TAG "FuriThread"
@@ -223,6 +224,12 @@ void furi_thread_set_priority(FuriThread* thread, FuriThreadPriority priority) {
thread->priority = priority; thread->priority = priority;
} }
FuriThreadPriority furi_thread_get_priority(FuriThread* thread) {
furi_assert(thread);
TaskHandle_t hTask = furi_thread_get_id(thread);
return (FuriThreadPriority)uxTaskPriorityGet(hTask);
}
void furi_thread_set_current_priority(FuriThreadPriority priority) { void furi_thread_set_current_priority(FuriThreadPriority priority) {
UBaseType_t new_priority = priority ? priority : FuriThreadPriorityNormal; UBaseType_t new_priority = priority ? priority : FuriThreadPriorityNormal;
vTaskPrioritySet(NULL, new_priority); vTaskPrioritySet(NULL, new_priority);
@@ -497,22 +504,23 @@ uint32_t furi_thread_flags_wait(uint32_t flags, uint32_t options, uint32_t timeo
return (rflags); return (rflags);
} }
uint32_t furi_thread_enumerate(FuriThreadId* thread_array, uint32_t array_items) { uint32_t furi_thread_enumerate(FuriThreadId* thread_array, uint32_t array_item_count) {
uint32_t i, count; uint32_t i, count;
TaskStatus_t* task; TaskStatus_t* task;
if(FURI_IS_IRQ_MODE() || (thread_array == NULL) || (array_items == 0U)) { if(FURI_IS_IRQ_MODE() || (thread_array == NULL) || (array_item_count == 0U)) {
count = 0U; count = 0U;
} else { } else {
vTaskSuspendAll(); vTaskSuspendAll();
count = uxTaskGetNumberOfTasks(); count = uxTaskGetNumberOfTasks();
task = pvPortMalloc(count * sizeof(TaskStatus_t)); task = pvPortMalloc(count * sizeof(TaskStatus_t));
configRUN_TIME_COUNTER_TYPE total_run_time;
if(task != NULL) { if(task != NULL) {
count = uxTaskGetSystemState(task, count, NULL); count = uxTaskGetSystemState(task, count, &total_run_time);
for(i = 0U; (i < count) && (i < array_items); i++) { for(i = 0U; (i < count) && (i < array_item_count); i++) {
thread_array[i] = (FuriThreadId)task[i].xHandle; thread_array[i] = (FuriThreadId)task[i].xHandle;
} }
count = i; count = i;

View File

@@ -138,6 +138,13 @@ void furi_thread_set_context(FuriThread* thread, void* context);
*/ */
void furi_thread_set_priority(FuriThread* thread, FuriThreadPriority priority); void furi_thread_set_priority(FuriThread* thread, FuriThreadPriority priority);
/** Get FuriThread priority
*
* @param thread FuriThread instance
* @return FuriThreadPriority value
*/
FuriThreadPriority furi_thread_get_priority(FuriThread* thread);
/** Set current thread priority /** Set current thread priority
* *
* @param priority FuriThreadPriority value * @param priority FuriThreadPriority value
@@ -259,7 +266,7 @@ uint32_t furi_thread_flags_wait(uint32_t flags, uint32_t options, uint32_t timeo
* @param array_items array size * @param array_items array size
* @return uint32_t threads count * @return uint32_t threads count
*/ */
uint32_t furi_thread_enumerate(FuriThreadId* thread_array, uint32_t array_items); uint32_t furi_thread_enumerate(FuriThreadId* thread_array, uint32_t array_item_count);
/** /**
* @brief Get thread name * @brief Get thread name

View File

@@ -42,6 +42,7 @@ libs = env.BuildModules(
"nanopb", "nanopb",
"update_util", "update_util",
"heatshrink", "heatshrink",
"ble_profile",
"bit_lib", "bit_lib",
"datetime", "datetime",
], ],

View File

@@ -0,0 +1,27 @@
Import("env")
env.Append(
CPPPATH=[
"#/lib/ble_profile",
],
SDK_HEADERS=[
File("extra_profiles/hid_profile.h"),
File("extra_services/hid_service.h"),
],
)
libenv = env.Clone(FW_LIB_NAME="ble_profile")
libenv.AppendUnique(
CCFLAGS=[
# Required for lib to be linkable with .faps
"-mword-relocations",
"-mlong-calls",
],
)
libenv.ApplyLibFlags()
sources = libenv.GlobRecursive("*.c")
lib = libenv.StaticLibrary("${FW_LIB_NAME}", sources)
libenv.Install("${LIB_DIST_DIR}", lib)
Return("lib")

View File

@@ -0,0 +1,427 @@
#include "hid_profile.h"
#include <furi_hal_usb_hid.h>
#include <services/dev_info_service.h>
#include <services/battery_service.h>
#include <extra_services/hid_service.h>
#include <furi.h>
#include <usb_hid.h>
#include <ble/ble.h>
#define HID_INFO_BASE_USB_SPECIFICATION (0x0101)
#define HID_INFO_COUNTRY_CODE (0x00)
#define BLE_PROFILE_HID_INFO_FLAG_REMOTE_WAKE_MSK (0x01)
#define BLE_PROFILE_HID_INFO_FLAG_NORMALLY_CONNECTABLE_MSK (0x02)
#define BLE_PROFILE_HID_KB_MAX_KEYS (6)
#define BLE_PROFILE_CONSUMER_MAX_KEYS (1)
// Report ids cant be 0
enum HidReportId {
ReportIdKeyboard = 1,
ReportIdMouse = 2,
ReportIdConsumer = 3,
};
// Report numbers corresponded to the report id with an offset of 1
enum HidInputNumber {
ReportNumberKeyboard = 0,
ReportNumberMouse = 1,
ReportNumberConsumer = 2,
};
typedef struct {
uint8_t mods;
uint8_t reserved;
uint8_t key[BLE_PROFILE_HID_KB_MAX_KEYS];
} FURI_PACKED FuriHalBtHidKbReport;
typedef struct {
uint8_t btn;
int8_t x;
int8_t y;
int8_t wheel;
} FURI_PACKED FuriHalBtHidMouseReport;
typedef struct {
uint16_t key[BLE_PROFILE_CONSUMER_MAX_KEYS];
} FURI_PACKED FuriHalBtHidConsumerReport;
// keyboard+mouse+consumer hid report
static const uint8_t ble_profile_hid_report_map_data[] = {
// Keyboard Report
HID_USAGE_PAGE(HID_PAGE_DESKTOP),
HID_USAGE(HID_DESKTOP_KEYBOARD),
HID_COLLECTION(HID_APPLICATION_COLLECTION),
HID_REPORT_ID(ReportIdKeyboard),
HID_USAGE_PAGE(HID_DESKTOP_KEYPAD),
HID_USAGE_MINIMUM(HID_KEYBOARD_L_CTRL),
HID_USAGE_MAXIMUM(HID_KEYBOARD_R_GUI),
HID_LOGICAL_MINIMUM(0),
HID_LOGICAL_MAXIMUM(1),
HID_REPORT_SIZE(1),
HID_REPORT_COUNT(8),
HID_INPUT(HID_IOF_DATA | HID_IOF_VARIABLE | HID_IOF_ABSOLUTE),
HID_REPORT_COUNT(1),
HID_REPORT_SIZE(8),
HID_INPUT(HID_IOF_CONSTANT | HID_IOF_VARIABLE | HID_IOF_ABSOLUTE),
HID_USAGE_PAGE(HID_PAGE_LED),
HID_REPORT_COUNT(8),
HID_REPORT_SIZE(1),
HID_USAGE_MINIMUM(1),
HID_USAGE_MAXIMUM(8),
HID_OUTPUT(HID_IOF_DATA | HID_IOF_VARIABLE | HID_IOF_ABSOLUTE),
HID_REPORT_COUNT(BLE_PROFILE_HID_KB_MAX_KEYS),
HID_REPORT_SIZE(8),
HID_LOGICAL_MINIMUM(0),
HID_LOGICAL_MAXIMUM(101),
HID_USAGE_PAGE(HID_DESKTOP_KEYPAD),
HID_USAGE_MINIMUM(0),
HID_USAGE_MAXIMUM(101),
HID_INPUT(HID_IOF_DATA | HID_IOF_ARRAY | HID_IOF_ABSOLUTE),
HID_END_COLLECTION,
// Mouse Report
HID_USAGE_PAGE(HID_PAGE_DESKTOP),
HID_USAGE(HID_DESKTOP_MOUSE),
HID_COLLECTION(HID_APPLICATION_COLLECTION),
HID_USAGE(HID_DESKTOP_POINTER),
HID_COLLECTION(HID_PHYSICAL_COLLECTION),
HID_REPORT_ID(ReportIdMouse),
HID_USAGE_PAGE(HID_PAGE_BUTTON),
HID_USAGE_MINIMUM(1),
HID_USAGE_MAXIMUM(3),
HID_LOGICAL_MINIMUM(0),
HID_LOGICAL_MAXIMUM(1),
HID_REPORT_COUNT(3),
HID_REPORT_SIZE(1),
HID_INPUT(HID_IOF_DATA | HID_IOF_VARIABLE | HID_IOF_ABSOLUTE),
HID_REPORT_SIZE(1),
HID_REPORT_COUNT(5),
HID_INPUT(HID_IOF_CONSTANT | HID_IOF_VARIABLE | HID_IOF_ABSOLUTE),
HID_USAGE_PAGE(HID_PAGE_DESKTOP),
HID_USAGE(HID_DESKTOP_X),
HID_USAGE(HID_DESKTOP_Y),
HID_USAGE(HID_DESKTOP_WHEEL),
HID_LOGICAL_MINIMUM(-127),
HID_LOGICAL_MAXIMUM(127),
HID_REPORT_SIZE(8),
HID_REPORT_COUNT(3),
HID_INPUT(HID_IOF_DATA | HID_IOF_VARIABLE | HID_IOF_RELATIVE),
HID_END_COLLECTION,
HID_END_COLLECTION,
// Consumer Report
HID_USAGE_PAGE(HID_PAGE_CONSUMER),
HID_USAGE(HID_CONSUMER_CONTROL),
HID_COLLECTION(HID_APPLICATION_COLLECTION),
HID_REPORT_ID(ReportIdConsumer),
HID_LOGICAL_MINIMUM(0),
HID_RI_LOGICAL_MAXIMUM(16, 0x3FF),
HID_USAGE_MINIMUM(0),
HID_RI_USAGE_MAXIMUM(16, 0x3FF),
HID_REPORT_COUNT(BLE_PROFILE_CONSUMER_MAX_KEYS),
HID_REPORT_SIZE(16),
HID_INPUT(HID_IOF_DATA | HID_IOF_ARRAY | HID_IOF_ABSOLUTE),
HID_END_COLLECTION,
};
typedef struct {
FuriHalBleProfileBase base;
FuriHalBtHidKbReport* kb_report;
FuriHalBtHidMouseReport* mouse_report;
FuriHalBtHidConsumerReport* consumer_report;
BleServiceBattery* battery_svc;
BleServiceDevInfo* dev_info_svc;
BleServiceHid* hid_svc;
} BleProfileHid;
_Static_assert(offsetof(BleProfileHid, base) == 0, "Wrong layout");
static FuriHalBleProfileBase* ble_profile_hid_start(FuriHalBleProfileParams profile_params) {
UNUSED(profile_params);
BleProfileHid* profile = malloc(sizeof(BleProfileHid));
profile->base.config = ble_profile_hid;
profile->battery_svc = ble_svc_battery_start(true);
profile->dev_info_svc = ble_svc_dev_info_start();
profile->hid_svc = ble_svc_hid_start();
// Configure HID Keyboard
profile->kb_report = malloc(sizeof(FuriHalBtHidKbReport));
profile->mouse_report = malloc(sizeof(FuriHalBtHidMouseReport));
profile->consumer_report = malloc(sizeof(FuriHalBtHidConsumerReport));
// Configure Report Map characteristic
ble_svc_hid_update_report_map(
profile->hid_svc,
ble_profile_hid_report_map_data,
sizeof(ble_profile_hid_report_map_data));
// Configure HID Information characteristic
uint8_t hid_info_val[4] = {
HID_INFO_BASE_USB_SPECIFICATION & 0x00ff,
(HID_INFO_BASE_USB_SPECIFICATION & 0xff00) >> 8,
HID_INFO_COUNTRY_CODE,
BLE_PROFILE_HID_INFO_FLAG_REMOTE_WAKE_MSK |
BLE_PROFILE_HID_INFO_FLAG_NORMALLY_CONNECTABLE_MSK,
};
ble_svc_hid_update_info(profile->hid_svc, hid_info_val);
return &profile->base;
}
static void ble_profile_hid_stop(FuriHalBleProfileBase* profile) {
furi_check(profile);
furi_check(profile->config == ble_profile_hid);
BleProfileHid* hid_profile = (BleProfileHid*)profile;
ble_svc_battery_stop(hid_profile->battery_svc);
ble_svc_dev_info_stop(hid_profile->dev_info_svc);
ble_svc_hid_stop(hid_profile->hid_svc);
free(hid_profile->kb_report);
free(hid_profile->mouse_report);
free(hid_profile->consumer_report);
}
bool ble_profile_hid_kb_press(FuriHalBleProfileBase* profile, uint16_t button) {
furi_check(profile);
furi_check(profile->config == ble_profile_hid);
BleProfileHid* hid_profile = (BleProfileHid*)profile;
FuriHalBtHidKbReport* kb_report = hid_profile->kb_report;
for(uint8_t i = 0; i < BLE_PROFILE_HID_KB_MAX_KEYS; i++) {
if(kb_report->key[i] == 0) {
kb_report->key[i] = button & 0xFF;
break;
}
}
kb_report->mods |= (button >> 8);
return ble_svc_hid_update_input_report(
hid_profile->hid_svc,
ReportNumberKeyboard,
(uint8_t*)kb_report,
sizeof(FuriHalBtHidKbReport));
}
bool ble_profile_hid_kb_release(FuriHalBleProfileBase* profile, uint16_t button) {
furi_check(profile);
furi_check(profile->config == ble_profile_hid);
BleProfileHid* hid_profile = (BleProfileHid*)profile;
FuriHalBtHidKbReport* kb_report = hid_profile->kb_report;
for(uint8_t i = 0; i < BLE_PROFILE_HID_KB_MAX_KEYS; i++) {
if(kb_report->key[i] == (button & 0xFF)) {
kb_report->key[i] = 0;
break;
}
}
kb_report->mods &= ~(button >> 8);
return ble_svc_hid_update_input_report(
hid_profile->hid_svc,
ReportNumberKeyboard,
(uint8_t*)kb_report,
sizeof(FuriHalBtHidKbReport));
}
bool ble_profile_hid_kb_release_all(FuriHalBleProfileBase* profile) {
furi_check(profile);
furi_check(profile->config == ble_profile_hid);
BleProfileHid* hid_profile = (BleProfileHid*)profile;
FuriHalBtHidKbReport* kb_report = hid_profile->kb_report;
for(uint8_t i = 0; i < BLE_PROFILE_HID_KB_MAX_KEYS; i++) {
kb_report->key[i] = 0;
}
kb_report->mods = 0;
return ble_svc_hid_update_input_report(
hid_profile->hid_svc,
ReportNumberKeyboard,
(uint8_t*)kb_report,
sizeof(FuriHalBtHidKbReport));
}
bool ble_profile_hid_consumer_key_press(FuriHalBleProfileBase* profile, uint16_t button) {
furi_check(profile);
furi_check(profile->config == ble_profile_hid);
BleProfileHid* hid_profile = (BleProfileHid*)profile;
FuriHalBtHidConsumerReport* consumer_report = hid_profile->consumer_report;
for(uint8_t i = 0; i < BLE_PROFILE_CONSUMER_MAX_KEYS; i++) { //-V1008
if(consumer_report->key[i] == 0) {
consumer_report->key[i] = button;
break;
}
}
return ble_svc_hid_update_input_report(
hid_profile->hid_svc,
ReportNumberConsumer,
(uint8_t*)consumer_report,
sizeof(FuriHalBtHidConsumerReport));
}
bool ble_profile_hid_consumer_key_release(FuriHalBleProfileBase* profile, uint16_t button) {
furi_check(profile);
furi_check(profile->config == ble_profile_hid);
BleProfileHid* hid_profile = (BleProfileHid*)profile;
FuriHalBtHidConsumerReport* consumer_report = hid_profile->consumer_report;
for(uint8_t i = 0; i < BLE_PROFILE_CONSUMER_MAX_KEYS; i++) { //-V1008
if(consumer_report->key[i] == button) {
consumer_report->key[i] = 0;
break;
}
}
return ble_svc_hid_update_input_report(
hid_profile->hid_svc,
ReportNumberConsumer,
(uint8_t*)consumer_report,
sizeof(FuriHalBtHidConsumerReport));
}
bool ble_profile_hid_consumer_key_release_all(FuriHalBleProfileBase* profile) {
furi_check(profile);
furi_check(profile->config == ble_profile_hid);
BleProfileHid* hid_profile = (BleProfileHid*)profile;
FuriHalBtHidConsumerReport* consumer_report = hid_profile->consumer_report;
for(uint8_t i = 0; i < BLE_PROFILE_CONSUMER_MAX_KEYS; i++) { //-V1008
consumer_report->key[i] = 0;
}
return ble_svc_hid_update_input_report(
hid_profile->hid_svc,
ReportNumberConsumer,
(uint8_t*)consumer_report,
sizeof(FuriHalBtHidConsumerReport));
}
bool ble_profile_hid_mouse_move(FuriHalBleProfileBase* profile, int8_t dx, int8_t dy) {
furi_check(profile);
furi_check(profile->config == ble_profile_hid);
BleProfileHid* hid_profile = (BleProfileHid*)profile;
FuriHalBtHidMouseReport* mouse_report = hid_profile->mouse_report;
mouse_report->x = dx;
mouse_report->y = dy;
bool state = ble_svc_hid_update_input_report(
hid_profile->hid_svc,
ReportNumberMouse,
(uint8_t*)mouse_report,
sizeof(FuriHalBtHidMouseReport));
mouse_report->x = 0;
mouse_report->y = 0;
return state;
}
bool ble_profile_hid_mouse_press(FuriHalBleProfileBase* profile, uint8_t button) {
furi_check(profile);
furi_check(profile->config == ble_profile_hid);
BleProfileHid* hid_profile = (BleProfileHid*)profile;
FuriHalBtHidMouseReport* mouse_report = hid_profile->mouse_report;
mouse_report->btn |= button;
return ble_svc_hid_update_input_report(
hid_profile->hid_svc,
ReportNumberMouse,
(uint8_t*)mouse_report,
sizeof(FuriHalBtHidMouseReport));
}
bool ble_profile_hid_mouse_release(FuriHalBleProfileBase* profile, uint8_t button) {
furi_check(profile);
furi_check(profile->config == ble_profile_hid);
BleProfileHid* hid_profile = (BleProfileHid*)profile;
FuriHalBtHidMouseReport* mouse_report = hid_profile->mouse_report;
mouse_report->btn &= ~button;
return ble_svc_hid_update_input_report(
hid_profile->hid_svc,
ReportNumberMouse,
(uint8_t*)mouse_report,
sizeof(FuriHalBtHidMouseReport));
}
bool ble_profile_hid_mouse_release_all(FuriHalBleProfileBase* profile) {
furi_check(profile);
furi_check(profile->config == ble_profile_hid);
BleProfileHid* hid_profile = (BleProfileHid*)profile;
FuriHalBtHidMouseReport* mouse_report = hid_profile->mouse_report;
mouse_report->btn = 0;
return ble_svc_hid_update_input_report(
hid_profile->hid_svc,
ReportNumberMouse,
(uint8_t*)mouse_report,
sizeof(FuriHalBtHidMouseReport));
}
bool ble_profile_hid_mouse_scroll(FuriHalBleProfileBase* profile, int8_t delta) {
furi_check(profile);
furi_check(profile->config == ble_profile_hid);
BleProfileHid* hid_profile = (BleProfileHid*)profile;
FuriHalBtHidMouseReport* mouse_report = hid_profile->mouse_report;
mouse_report->wheel = delta;
bool state = ble_svc_hid_update_input_report(
hid_profile->hid_svc,
ReportNumberMouse,
(uint8_t*)mouse_report,
sizeof(FuriHalBtHidMouseReport));
mouse_report->wheel = 0;
return state;
}
static GapConfig template_config = {
.adv_service_uuid = HUMAN_INTERFACE_DEVICE_SERVICE_UUID,
.appearance_char = GAP_APPEARANCE_KEYBOARD,
.bonding_mode = true,
.pairing_method = GapPairingPinCodeVerifyYesNo,
.conn_param =
{
.conn_int_min = 0x18, // 30 ms
.conn_int_max = 0x24, // 45 ms
.slave_latency = 0,
.supervisor_timeout = 0,
},
};
static void ble_profile_hid_get_config(GapConfig* config, FuriHalBleProfileParams profile_params) {
BleProfileHidParams* hid_profile_params = profile_params;
furi_check(config);
memcpy(config, &template_config, sizeof(GapConfig));
// Set mac address
memcpy(config->mac_address, furi_hal_version_get_ble_mac(), sizeof(config->mac_address));
// Change MAC address for HID profile
config->mac_address[2]++;
if(hid_profile_params) {
config->mac_address[0] ^= hid_profile_params->mac_xor;
config->mac_address[1] ^= hid_profile_params->mac_xor >> 8;
}
// Set advertise name
memset(config->adv_name, 0, sizeof(config->adv_name));
FuriString* name = furi_string_alloc_set(furi_hal_version_get_ble_local_device_name_ptr());
const char* clicker_str = "Control";
if(hid_profile_params && hid_profile_params->device_name_prefix) {
clicker_str = hid_profile_params->device_name_prefix;
}
furi_string_replace_str(name, "Flipper", clicker_str);
if(furi_string_size(name) >= sizeof(config->adv_name)) {
furi_string_left(name, sizeof(config->adv_name) - 1);
}
memcpy(config->adv_name, furi_string_get_cstr(name), furi_string_size(name));
furi_string_free(name);
}
static const FuriHalBleProfileTemplate profile_callbacks = {
.start = ble_profile_hid_start,
.stop = ble_profile_hid_stop,
.get_gap_config = ble_profile_hid_get_config,
};
const FuriHalBleProfileTemplate* ble_profile_hid = &profile_callbacks;

View File

@@ -0,0 +1,112 @@
#pragma once
#include <furi_ble/profile_interface.h>
#ifdef __cplusplus
extern "C" {
#endif
/**
* Optional arguments to pass along with profile template as
* FuriHalBleProfileParams for tuning profile behavior
**/
typedef struct {
const char* device_name_prefix; /**< Prefix for device name. Length must be less than 8 */
uint16_t mac_xor; /**< XOR mask for device address, for uniqueness */
} BleProfileHidParams;
/** Hid Keyboard Profile descriptor */
extern const FuriHalBleProfileTemplate* ble_profile_hid;
/** Press keyboard button
*
* @param profile profile instance
* @param button button code from HID specification
*
* @return true on success
*/
bool ble_profile_hid_kb_press(FuriHalBleProfileBase* profile, uint16_t button);
/** Release keyboard button
*
* @param profile profile instance
* @param button button code from HID specification
*
* @return true on success
*/
bool ble_profile_hid_kb_release(FuriHalBleProfileBase* profile, uint16_t button);
/** Release all keyboard buttons
*
* @param profile profile instance
* @return true on success
*/
bool ble_profile_hid_kb_release_all(FuriHalBleProfileBase* profile);
/** Set the following consumer key to pressed state and send HID report
*
* @param profile profile instance
* @param button key code
*/
bool ble_profile_hid_consumer_key_press(FuriHalBleProfileBase* profile, uint16_t button);
/** Set the following consumer key to released state and send HID report
*
* @param profile profile instance
* @param button key code
*/
bool ble_profile_hid_consumer_key_release(FuriHalBleProfileBase* profile, uint16_t button);
/** Set consumer key to released state and send HID report
*
* @param profile profile instance
* @param button key code
*/
bool ble_profile_hid_consumer_key_release_all(FuriHalBleProfileBase* profile);
/** Set mouse movement and send HID report
*
* @param profile profile instance
* @param dx x coordinate delta
* @param dy y coordinate delta
*/
bool ble_profile_hid_mouse_move(FuriHalBleProfileBase* profile, int8_t dx, int8_t dy);
/** Set mouse button to pressed state and send HID report
*
* @param profile profile instance
* @param button key code
*/
bool ble_profile_hid_mouse_press(FuriHalBleProfileBase* profile, uint8_t button);
/** Set mouse button to released state and send HID report
*
* @param profile profile instance
* @param button key code
*/
bool ble_profile_hid_mouse_release(FuriHalBleProfileBase* profile, uint8_t button);
/** Set mouse button to released state and send HID report
*
* @param profile profile instance
* @param button key code
*/
bool ble_profile_hid_mouse_release_all(FuriHalBleProfileBase* profile);
/** Set mouse wheel position and send HID report
*
* @param profile profile instance
* @param delta number of scroll steps
*/
bool ble_profile_hid_mouse_scroll(FuriHalBleProfileBase* profile, int8_t delta);
/** Retrieves LED state from remote BT HID host
*
* @return (look at HID usage page to know what each bit of the returned byte means)
* NB: RFU bit has been shifted out in the returned octet so USB defines should work
*/
uint8_t furi_hal_bt_hid_get_led_state(void);
#ifdef __cplusplus
}
#endif

View File

@@ -0,0 +1,320 @@
#include "hid_service.h"
#include "app_common.h"
#include <ble/ble.h>
#include <furi_ble/event_dispatcher.h>
#include <furi_ble/gatt.h>
#include <furi.h>
#include <stdint.h>
#define TAG "BleHid"
#define BLE_SVC_HID_REPORT_MAP_MAX_LEN (255)
#define BLE_SVC_HID_REPORT_MAX_LEN (255)
#define BLE_SVC_HID_REPORT_REF_LEN (2)
#define BLE_SVC_HID_INFO_LEN (4)
#define BLE_SVC_HID_CONTROL_POINT_LEN (1)
#define BLE_SVC_HID_INPUT_REPORT_COUNT (3)
#define BLE_SVC_HID_OUTPUT_REPORT_COUNT (0)
#define BLE_SVC_HID_FEATURE_REPORT_COUNT (0)
#define BLE_SVC_HID_REPORT_COUNT \
(BLE_SVC_HID_INPUT_REPORT_COUNT + BLE_SVC_HID_OUTPUT_REPORT_COUNT + \
BLE_SVC_HID_FEATURE_REPORT_COUNT)
typedef enum {
HidSvcGattCharacteristicProtocolMode = 0,
HidSvcGattCharacteristicReportMap,
HidSvcGattCharacteristicInfo,
HidSvcGattCharacteristicCtrlPoint,
HidSvcGattCharacteristicCount,
} HidSvcGattCharacteristicId;
typedef struct {
uint8_t report_idx;
uint8_t report_type;
} HidSvcReportId;
static_assert(sizeof(HidSvcReportId) == sizeof(uint16_t), "HidSvcReportId must be 2 bytes");
static const Service_UUID_t ble_svc_hid_uuid = {
.Service_UUID_16 = HUMAN_INTERFACE_DEVICE_SERVICE_UUID,
};
static bool ble_svc_hid_char_desc_data_callback(
const void* context,
const uint8_t** data,
uint16_t* data_len) {
const HidSvcReportId* report_id = context;
*data_len = sizeof(HidSvcReportId);
if(data) {
*data = (const uint8_t*)report_id;
}
return false;
}
typedef struct {
const void* data_ptr;
uint16_t data_len;
} HidSvcDataWrapper;
static bool ble_svc_hid_report_data_callback(
const void* context,
const uint8_t** data,
uint16_t* data_len) {
const HidSvcDataWrapper* report_data = context;
if(data) {
*data = report_data->data_ptr;
*data_len = report_data->data_len;
} else {
*data_len = BLE_SVC_HID_REPORT_MAP_MAX_LEN;
}
return false;
}
static const BleGattCharacteristicParams ble_svc_hid_chars[HidSvcGattCharacteristicCount] = {
[HidSvcGattCharacteristicProtocolMode] =
{.name = "Protocol Mode",
.data_prop_type = FlipperGattCharacteristicDataFixed,
.data.fixed.length = 1,
.uuid.Char_UUID_16 = PROTOCOL_MODE_CHAR_UUID,
.uuid_type = UUID_TYPE_16,
.char_properties = CHAR_PROP_READ | CHAR_PROP_WRITE_WITHOUT_RESP,
.security_permissions = ATTR_PERMISSION_NONE,
.gatt_evt_mask = GATT_NOTIFY_ATTRIBUTE_WRITE,
.is_variable = CHAR_VALUE_LEN_CONSTANT},
[HidSvcGattCharacteristicReportMap] =
{.name = "Report Map",
.data_prop_type = FlipperGattCharacteristicDataCallback,
.data.callback.fn = ble_svc_hid_report_data_callback,
.data.callback.context = NULL,
.uuid.Char_UUID_16 = REPORT_MAP_CHAR_UUID,
.uuid_type = UUID_TYPE_16,
.char_properties = CHAR_PROP_READ,
.security_permissions = ATTR_PERMISSION_NONE,
.gatt_evt_mask = GATT_DONT_NOTIFY_EVENTS,
.is_variable = CHAR_VALUE_LEN_VARIABLE},
[HidSvcGattCharacteristicInfo] =
{.name = "HID Information",
.data_prop_type = FlipperGattCharacteristicDataFixed,
.data.fixed.length = BLE_SVC_HID_INFO_LEN,
.data.fixed.ptr = NULL,
.uuid.Char_UUID_16 = HID_INFORMATION_CHAR_UUID,
.uuid_type = UUID_TYPE_16,
.char_properties = CHAR_PROP_READ,
.security_permissions = ATTR_PERMISSION_NONE,
.gatt_evt_mask = GATT_DONT_NOTIFY_EVENTS,
.is_variable = CHAR_VALUE_LEN_CONSTANT},
[HidSvcGattCharacteristicCtrlPoint] =
{.name = "HID Control Point",
.data_prop_type = FlipperGattCharacteristicDataFixed,
.data.fixed.length = BLE_SVC_HID_CONTROL_POINT_LEN,
.uuid.Char_UUID_16 = HID_CONTROL_POINT_CHAR_UUID,
.uuid_type = UUID_TYPE_16,
.char_properties = CHAR_PROP_WRITE_WITHOUT_RESP,
.security_permissions = ATTR_PERMISSION_NONE,
.gatt_evt_mask = GATT_NOTIFY_ATTRIBUTE_WRITE,
.is_variable = CHAR_VALUE_LEN_CONSTANT},
};
static const BleGattCharacteristicDescriptorParams ble_svc_hid_char_descr_template = {
.uuid_type = UUID_TYPE_16,
.uuid.Char_UUID_16 = REPORT_REFERENCE_DESCRIPTOR_UUID,
.max_length = BLE_SVC_HID_REPORT_REF_LEN,
.data_callback.fn = ble_svc_hid_char_desc_data_callback,
.security_permissions = ATTR_PERMISSION_NONE,
.access_permissions = ATTR_ACCESS_READ_WRITE,
.gatt_evt_mask = GATT_DONT_NOTIFY_EVENTS,
.is_variable = CHAR_VALUE_LEN_CONSTANT,
};
static const BleGattCharacteristicParams ble_svc_hid_report_template = {
.name = "Report",
.data_prop_type = FlipperGattCharacteristicDataCallback,
.data.callback.fn = ble_svc_hid_report_data_callback,
.data.callback.context = NULL,
.uuid.Char_UUID_16 = REPORT_CHAR_UUID,
.uuid_type = UUID_TYPE_16,
.char_properties = CHAR_PROP_READ | CHAR_PROP_NOTIFY,
.security_permissions = ATTR_PERMISSION_NONE,
.gatt_evt_mask = GATT_DONT_NOTIFY_EVENTS,
.is_variable = CHAR_VALUE_LEN_VARIABLE,
};
struct BleServiceHid {
uint16_t svc_handle;
BleGattCharacteristicInstance chars[HidSvcGattCharacteristicCount];
BleGattCharacteristicInstance input_report_chars[BLE_SVC_HID_INPUT_REPORT_COUNT];
BleGattCharacteristicInstance output_report_chars[BLE_SVC_HID_OUTPUT_REPORT_COUNT];
BleGattCharacteristicInstance feature_report_chars[BLE_SVC_HID_FEATURE_REPORT_COUNT];
GapSvcEventHandler* event_handler;
};
static BleEventAckStatus ble_svc_hid_event_handler(void* event, void* context) {
UNUSED(context);
BleEventAckStatus ret = BleEventNotAck;
hci_event_pckt* event_pckt = (hci_event_pckt*)(((hci_uart_pckt*)event)->data);
evt_blecore_aci* blecore_evt = (evt_blecore_aci*)event_pckt->data;
// aci_gatt_attribute_modified_event_rp0* attribute_modified;
if(event_pckt->evt == HCI_VENDOR_SPECIFIC_DEBUG_EVT_CODE) {
if(blecore_evt->ecode == ACI_GATT_ATTRIBUTE_MODIFIED_VSEVT_CODE) {
// Process modification events
ret = BleEventAckFlowEnable;
} else if(blecore_evt->ecode == ACI_GATT_SERVER_CONFIRMATION_VSEVT_CODE) {
// Process notification confirmation
ret = BleEventAckFlowEnable;
}
}
return ret;
}
BleServiceHid* ble_svc_hid_start() {
BleServiceHid* hid_svc = malloc(sizeof(BleServiceHid));
// Register event handler
hid_svc->event_handler =
ble_event_dispatcher_register_svc_handler(ble_svc_hid_event_handler, hid_svc);
/**
* Add Human Interface Device Service
*/
if(!ble_gatt_service_add(
UUID_TYPE_16,
&ble_svc_hid_uuid,
PRIMARY_SERVICE,
2 + /* protocol mode */
(4 * BLE_SVC_HID_INPUT_REPORT_COUNT) + (3 * BLE_SVC_HID_OUTPUT_REPORT_COUNT) +
(3 * BLE_SVC_HID_FEATURE_REPORT_COUNT) + 1 + 2 + 2 +
2, /* Service + Report Map + HID Information + HID Control Point */
&hid_svc->svc_handle)) {
free(hid_svc);
return NULL;
}
// Maintain previously defined characteristic order
ble_gatt_characteristic_init(
hid_svc->svc_handle,
&ble_svc_hid_chars[HidSvcGattCharacteristicProtocolMode],
&hid_svc->chars[HidSvcGattCharacteristicProtocolMode]);
uint8_t protocol_mode = 1;
ble_gatt_characteristic_update(
hid_svc->svc_handle,
&hid_svc->chars[HidSvcGattCharacteristicProtocolMode],
&protocol_mode);
// reports
BleGattCharacteristicDescriptorParams ble_svc_hid_char_descr;
BleGattCharacteristicParams report_char;
HidSvcReportId report_id;
memcpy(
&ble_svc_hid_char_descr, &ble_svc_hid_char_descr_template, sizeof(ble_svc_hid_char_descr));
memcpy(&report_char, &ble_svc_hid_report_template, sizeof(report_char));
ble_svc_hid_char_descr.data_callback.context = &report_id;
report_char.descriptor_params = &ble_svc_hid_char_descr;
typedef struct {
uint8_t report_type;
uint8_t report_count;
BleGattCharacteristicInstance* chars;
} HidSvcReportCharProps;
HidSvcReportCharProps hid_report_chars[] = {
{0x01, BLE_SVC_HID_INPUT_REPORT_COUNT, hid_svc->input_report_chars},
{0x02, BLE_SVC_HID_OUTPUT_REPORT_COUNT, hid_svc->output_report_chars},
{0x03, BLE_SVC_HID_FEATURE_REPORT_COUNT, hid_svc->feature_report_chars},
};
for(size_t report_type_idx = 0; report_type_idx < COUNT_OF(hid_report_chars);
report_type_idx++) {
report_id.report_type = hid_report_chars[report_type_idx].report_type;
for(size_t report_idx = 0; report_idx < hid_report_chars[report_type_idx].report_count;
report_idx++) {
report_id.report_idx = report_idx + 1;
ble_gatt_characteristic_init(
hid_svc->svc_handle,
&report_char,
&hid_report_chars[report_type_idx].chars[report_idx]);
}
}
// Setup remaining characteristics
for(size_t i = HidSvcGattCharacteristicReportMap; i < HidSvcGattCharacteristicCount; i++) {
ble_gatt_characteristic_init(
hid_svc->svc_handle, &ble_svc_hid_chars[i], &hid_svc->chars[i]);
}
return hid_svc;
}
bool ble_svc_hid_update_report_map(BleServiceHid* hid_svc, const uint8_t* data, uint16_t len) {
furi_assert(data);
furi_assert(hid_svc);
HidSvcDataWrapper report_data = {
.data_ptr = data,
.data_len = len,
};
return ble_gatt_characteristic_update(
hid_svc->svc_handle, &hid_svc->chars[HidSvcGattCharacteristicReportMap], &report_data);
}
bool ble_svc_hid_update_input_report(
BleServiceHid* hid_svc,
uint8_t input_report_num,
uint8_t* data,
uint16_t len) {
furi_assert(data);
furi_assert(hid_svc);
furi_assert(input_report_num < BLE_SVC_HID_INPUT_REPORT_COUNT);
HidSvcDataWrapper report_data = {
.data_ptr = data,
.data_len = len,
};
return ble_gatt_characteristic_update(
hid_svc->svc_handle, &hid_svc->input_report_chars[input_report_num], &report_data);
}
bool ble_svc_hid_update_info(BleServiceHid* hid_svc, uint8_t* data) {
furi_assert(data);
furi_assert(hid_svc);
return ble_gatt_characteristic_update(
hid_svc->svc_handle, &hid_svc->chars[HidSvcGattCharacteristicInfo], &data);
}
void ble_svc_hid_stop(BleServiceHid* hid_svc) {
furi_assert(hid_svc);
ble_event_dispatcher_unregister_svc_handler(hid_svc->event_handler);
// Delete characteristics
for(size_t i = 0; i < HidSvcGattCharacteristicCount; i++) {
ble_gatt_characteristic_delete(hid_svc->svc_handle, &hid_svc->chars[i]);
}
typedef struct {
uint8_t report_count;
BleGattCharacteristicInstance* chars;
} HidSvcReportCharProps;
HidSvcReportCharProps hid_report_chars[] = {
{BLE_SVC_HID_INPUT_REPORT_COUNT, hid_svc->input_report_chars},
{BLE_SVC_HID_OUTPUT_REPORT_COUNT, hid_svc->output_report_chars},
{BLE_SVC_HID_FEATURE_REPORT_COUNT, hid_svc->feature_report_chars},
};
for(size_t report_type_idx = 0; report_type_idx < COUNT_OF(hid_report_chars);
report_type_idx++) {
for(size_t report_idx = 0; report_idx < hid_report_chars[report_type_idx].report_count;
report_idx++) {
ble_gatt_characteristic_delete(
hid_svc->svc_handle, &hid_report_chars[report_type_idx].chars[report_idx]);
}
}
// Delete service
ble_gatt_service_delete(hid_svc->svc_handle);
free(hid_svc);
}

View File

@@ -0,0 +1,29 @@
#pragma once
#include <stdint.h>
#include <stdbool.h>
#ifdef __cplusplus
extern "C" {
#endif
typedef struct BleServiceHid BleServiceHid;
BleServiceHid* ble_svc_hid_start();
void ble_svc_hid_stop(BleServiceHid* service);
bool ble_svc_hid_update_report_map(BleServiceHid* service, const uint8_t* data, uint16_t len);
bool ble_svc_hid_update_input_report(
BleServiceHid* service,
uint8_t input_report_num,
uint8_t* data,
uint16_t len);
// Expects data to be of length BLE_SVC_HID_INFO_LEN (4 bytes)
bool ble_svc_hid_update_info(BleServiceHid* service, uint8_t* data);
#ifdef __cplusplus
}
#endif

View File

@@ -1,6 +1,5 @@
#include "st25tb.h" #include "st25tb.h"
#include "core/string.h"
#include "flipper_format.h" #include "flipper_format.h"
#include <furi.h> #include <furi.h>

View File

@@ -56,7 +56,6 @@ sources += Glob(
) )
sources += [ sources += [
"stm32wb_copro/wpan/interface/patterns/ble_thread/tl/tl_mbox.c", "stm32wb_copro/wpan/interface/patterns/ble_thread/tl/tl_mbox.c",
"stm32wb_copro/wpan/ble/svc/Src/svc_ctl.c",
"stm32wb_copro/wpan/ble/core/auto/ble_gap_aci.c", "stm32wb_copro/wpan/ble/core/auto/ble_gap_aci.c",
"stm32wb_copro/wpan/ble/core/auto/ble_gatt_aci.c", "stm32wb_copro/wpan/ble/core/auto/ble_gatt_aci.c",
"stm32wb_copro/wpan/ble/core/auto/ble_hal_aci.c", "stm32wb_copro/wpan/ble/core/auto/ble_hal_aci.c",

View File

@@ -30,8 +30,11 @@ class HardwareTargetLoader:
if not target_json_file.exists(): if not target_json_file.exists():
raise Exception(f"Target file {target_json_file} does not exist") raise Exception(f"Target file {target_json_file} does not exist")
with open(target_json_file.get_abspath(), "r") as f: with open(target_json_file.get_abspath(), "r") as f:
try:
vals = json.load(f) vals = json.load(f)
return vals return vals
except json.JSONDecodeError as e:
raise Exception(f"Failed to parse target file {target_json_file}: {e}")
def _processTargetDefinitions(self, target_id): def _processTargetDefinitions(self, target_id):
target_dir = self._getTargetDir(target_id) target_dir = self._getTargetDir(target_id)

View File

@@ -63,7 +63,13 @@ class Main(App):
return dist_target_path return dist_target_path
def note_dist_component(self, component: str, extension: str, srcpath: str) -> None: def note_dist_component(self, component: str, extension: str, srcpath: str) -> None:
self._dist_components[f"{component}.{extension}"] = srcpath component_key = f"{component}.{extension}"
if component_key in self._dist_components:
self.logger.debug(
f"Skipping duplicate component {component_key} in {srcpath}"
)
return
self._dist_components[component_key] = srcpath
def get_dist_file_name(self, dist_artifact_type: str, filetype: str) -> str: def get_dist_file_name(self, dist_artifact_type: str, filetype: str) -> str:
return f"{self.DIST_FILE_PREFIX}{self.target}-{dist_artifact_type}-{self.args.suffix}.{filetype}" return f"{self.DIST_FILE_PREFIX}{self.target}-{dist_artifact_type}-{self.args.suffix}.{filetype}"
@@ -162,8 +168,9 @@ class Main(App):
"scripts.dir", "scripts.dir",
) )
sdk_bundle_path = self.get_dist_path(self.get_dist_file_name("sdk", "zip"))
with zipfile.ZipFile( with zipfile.ZipFile(
self.get_dist_path(self.get_dist_file_name("sdk", "zip")), sdk_bundle_path,
"w", "w",
zipfile.ZIP_DEFLATED, zipfile.ZIP_DEFLATED,
) as zf: ) as zf:
@@ -205,6 +212,10 @@ class Main(App):
), ),
) )
self.logger.info(
fg.boldgreen(f"SDK bundle can be found at:\n\t{sdk_bundle_path}")
)
def bundle_update_package(self): def bundle_update_package(self):
self.logger.debug( self.logger.debug(
f"Generating update bundle with version {self.args.version} for {self.target}" f"Generating update bundle with version {self.args.version} for {self.target}"

View File

@@ -0,0 +1,44 @@
import argparse
import logging
from firebase_admin import messaging, credentials, initialize_app
class FirebaseNotifications:
def __init__(self, service_account_file):
try:
cred = credentials.Certificate(service_account_file)
self.firebase_app = initialize_app(cred)
except Exception as e:
logging.exception(e)
raise e
def send(self, title, body, condition):
try:
message = messaging.Message(
notification=messaging.Notification(title=title, body=body),
condition=condition,
)
messaging.send(message, app=self.firebase_app)
except Exception as e:
logging.exception(e)
raise e
def parse_args():
parser = argparse.ArgumentParser()
parser.add_argument("--token_file", help="Firebase token file", required=True)
parser.add_argument(
"--version", help="Firmware version to notify with", required=True
)
args = parser.parse_args()
return args
if __name__ == "__main__":
args = parse_args()
notification = FirebaseNotifications(args.token_file)
notification.send(
title="Firmware Update Available",
body=f"New firmware version is ready to install: {args.version}",
condition="'flipper_update_firmware_release' in topics",
)

View File

@@ -208,7 +208,7 @@ fbtenv_show_unpack_percentage()
fbtenv_unpack_toolchain() fbtenv_unpack_toolchain()
{ {
echo "Unpacking toolchain to '$FBT_TOOLCHAIN_PATH/toolchain':"; echo "Unpacking toolchain to '$FBT_TOOLCHAIN_PATH/toolchain':";
rm $FBT_TOOLCHAIN_PATH/toolchain/current || true; rm "$FBT_TOOLCHAIN_PATH/toolchain/current" || true;
tar -xvf "$FBT_TOOLCHAIN_PATH/toolchain/$TOOLCHAIN_TAR" -C "$FBT_TOOLCHAIN_PATH/toolchain" 2>&1 | fbtenv_show_unpack_percentage; tar -xvf "$FBT_TOOLCHAIN_PATH/toolchain/$TOOLCHAIN_TAR" -C "$FBT_TOOLCHAIN_PATH/toolchain" 2>&1 | fbtenv_show_unpack_percentage;
mkdir -p "$FBT_TOOLCHAIN_PATH/toolchain" || return 1; mkdir -p "$FBT_TOOLCHAIN_PATH/toolchain" || return 1;
mv "$FBT_TOOLCHAIN_PATH/toolchain/$TOOLCHAIN_DIR" "$TOOLCHAIN_ARCH_DIR" || return 1; mv "$FBT_TOOLCHAIN_PATH/toolchain/$TOOLCHAIN_DIR" "$TOOLCHAIN_ARCH_DIR" || return 1;

View File

@@ -1,5 +1,5 @@
entry,status,name,type,params entry,status,name,type,params
Version,+,57.0,, Version,+,58.0,,
Header,+,applications/services/bt/bt_service/bt.h,, Header,+,applications/services/bt/bt_service/bt.h,,
Header,+,applications/services/cli/cli.h,, Header,+,applications/services/cli/cli.h,,
Header,+,applications/services/cli/cli_vcp.h,, Header,+,applications/services/cli/cli_vcp.h,,
@@ -38,6 +38,8 @@ Header,+,applications/services/power/power_service/power.h,,
Header,+,applications/services/rpc/rpc_app.h,, Header,+,applications/services/rpc/rpc_app.h,,
Header,+,applications/services/storage/storage.h,, Header,+,applications/services/storage/storage.h,,
Header,+,lib/bit_lib/bit_lib.h,, Header,+,lib/bit_lib/bit_lib.h,,
Header,+,lib/ble_profile/extra_profiles/hid_profile.h,,
Header,+,lib/ble_profile/extra_services/hid_service.h,,
Header,+,lib/datetime/datetime.h,, Header,+,lib/datetime/datetime.h,,
Header,+,lib/digital_signal/digital_sequence.h,, Header,+,lib/digital_signal/digital_sequence.h,,
Header,+,lib/digital_signal/digital_signal.h,, Header,+,lib/digital_signal/digital_signal.h,,
@@ -169,6 +171,13 @@ Header,+,lib/toolbox/version.h,,
Header,+,targets/f18/furi_hal/furi_hal_resources.h,, Header,+,targets/f18/furi_hal/furi_hal_resources.h,,
Header,+,targets/f18/furi_hal/furi_hal_spi_config.h,, Header,+,targets/f18/furi_hal/furi_hal_spi_config.h,,
Header,+,targets/f18/furi_hal/furi_hal_target_hw.h,, Header,+,targets/f18/furi_hal/furi_hal_target_hw.h,,
Header,+,targets/f7/ble_glue/furi_ble/event_dispatcher.h,,
Header,+,targets/f7/ble_glue/furi_ble/gatt.h,,
Header,+,targets/f7/ble_glue/furi_ble/profile_interface.h,,
Header,+,targets/f7/ble_glue/profiles/serial_profile.h,,
Header,+,targets/f7/ble_glue/services/battery_service.h,,
Header,+,targets/f7/ble_glue/services/dev_info_service.h,,
Header,+,targets/f7/ble_glue/services/serial_service.h,,
Header,+,targets/f7/furi_hal/furi_hal_bus.h,, Header,+,targets/f7/furi_hal/furi_hal_bus.h,,
Header,+,targets/f7/furi_hal/furi_hal_clock.h,, Header,+,targets/f7/furi_hal/furi_hal_clock.h,,
Header,+,targets/f7/furi_hal/furi_hal_dma.h,, Header,+,targets/f7/furi_hal/furi_hal_dma.h,,
@@ -191,8 +200,6 @@ Header,+,targets/f7/platform_specific/intrinsic_export.h,,
Header,+,targets/f7/platform_specific/math_wrapper.h,, Header,+,targets/f7/platform_specific/math_wrapper.h,,
Header,+,targets/furi_hal_include/furi_hal.h,, Header,+,targets/furi_hal_include/furi_hal.h,,
Header,+,targets/furi_hal_include/furi_hal_bt.h,, Header,+,targets/furi_hal_include/furi_hal_bt.h,,
Header,+,targets/furi_hal_include/furi_hal_bt_hid.h,,
Header,+,targets/furi_hal_include/furi_hal_bt_serial.h,,
Header,+,targets/furi_hal_include/furi_hal_cortex.h,, Header,+,targets/furi_hal_include/furi_hal_cortex.h,,
Header,+,targets/furi_hal_include/furi_hal_crypto.h,, Header,+,targets/furi_hal_include/furi_hal_crypto.h,,
Header,+,targets/furi_hal_include/furi_hal_debug.h,, Header,+,targets/furi_hal_include/furi_hal_debug.h,,
@@ -310,6 +317,9 @@ Function,-,LL_USART_DeInit,ErrorStatus,const USART_TypeDef*
Function,+,LL_USART_Init,ErrorStatus,"USART_TypeDef*, const LL_USART_InitTypeDef*" Function,+,LL_USART_Init,ErrorStatus,"USART_TypeDef*, const LL_USART_InitTypeDef*"
Function,-,LL_USART_StructInit,void,LL_USART_InitTypeDef* Function,-,LL_USART_StructInit,void,LL_USART_InitTypeDef*
Function,-,LL_mDelay,void,uint32_t Function,-,LL_mDelay,void,uint32_t
Function,-,Osal_MemCmp,int,"const void*, const void*, unsigned int"
Function,-,Osal_MemCpy,void*,"void*, const void*, unsigned int"
Function,-,Osal_MemSet,void*,"void*, int, unsigned int"
Function,-,SystemCoreClockUpdate,void, Function,-,SystemCoreClockUpdate,void,
Function,-,SystemInit,void, Function,-,SystemInit,void,
Function,-,_Exit,void,int Function,-,_Exit,void,int
@@ -602,9 +612,20 @@ Function,+,bit_lib_set_bit,void,"uint8_t*, size_t, _Bool"
Function,+,bit_lib_set_bits,void,"uint8_t*, size_t, uint8_t, uint8_t" Function,+,bit_lib_set_bits,void,"uint8_t*, size_t, uint8_t, uint8_t"
Function,+,bit_lib_test_parity,_Bool,"const uint8_t*, size_t, uint8_t, BitLibParity, uint8_t" Function,+,bit_lib_test_parity,_Bool,"const uint8_t*, size_t, uint8_t, BitLibParity, uint8_t"
Function,+,bit_lib_test_parity_32,_Bool,"uint32_t, BitLibParity" Function,+,bit_lib_test_parity_32,_Bool,"uint32_t, BitLibParity"
Function,+,ble_app_get_key_storage_buff,void,"uint8_t**, uint16_t*" Function,-,ble_app_deinit,void,
Function,+,ble_app_init,_Bool, Function,-,ble_app_get_key_storage_buff,void,"uint8_t**, uint16_t*"
Function,+,ble_app_thread_stop,void, Function,-,ble_app_init,_Bool,
Function,-,ble_event_app_notification,BleEventFlowStatus,void*
Function,-,ble_event_dispatcher_init,void,
Function,-,ble_event_dispatcher_process_event,BleEventFlowStatus,void*
Function,+,ble_event_dispatcher_register_svc_handler,GapSvcEventHandler*,"BleSvcEventHandlerCb, void*"
Function,-,ble_event_dispatcher_reset,void,
Function,+,ble_event_dispatcher_unregister_svc_handler,void,GapSvcEventHandler*
Function,+,ble_gatt_characteristic_delete,void,"uint16_t, BleGattCharacteristicInstance*"
Function,+,ble_gatt_characteristic_init,void,"uint16_t, const BleGattCharacteristicParams*, BleGattCharacteristicInstance*"
Function,+,ble_gatt_characteristic_update,_Bool,"uint16_t, BleGattCharacteristicInstance*, const void*"
Function,+,ble_gatt_service_add,_Bool,"uint8_t, const Service_UUID_t*, uint8_t, uint8_t, uint16_t*"
Function,+,ble_gatt_service_delete,_Bool,uint16_t
Function,+,ble_glue_force_c2_mode,BleGlueCommandResult,BleGlueC2Mode Function,+,ble_glue_force_c2_mode,BleGlueCommandResult,BleGlueC2Mode
Function,-,ble_glue_fus_get_status,BleGlueCommandResult, Function,-,ble_glue_fus_get_status,BleGlueCommandResult,
Function,-,ble_glue_fus_stack_delete,BleGlueCommandResult, Function,-,ble_glue_fus_stack_delete,BleGlueCommandResult,
@@ -612,20 +633,55 @@ Function,-,ble_glue_fus_stack_install,BleGlueCommandResult,"uint32_t, uint32_t"
Function,-,ble_glue_fus_wait_operation,BleGlueCommandResult, Function,-,ble_glue_fus_wait_operation,BleGlueCommandResult,
Function,+,ble_glue_get_c2_info,const BleGlueC2Info*, Function,+,ble_glue_get_c2_info,const BleGlueC2Info*,
Function,-,ble_glue_get_c2_status,BleGlueStatus, Function,-,ble_glue_get_c2_status,BleGlueStatus,
Function,-,ble_glue_get_hardfault_info,const BleGlueHardfaultInfo*,
Function,+,ble_glue_init,void, Function,+,ble_glue_init,void,
Function,+,ble_glue_is_alive,_Bool, Function,+,ble_glue_is_alive,_Bool,
Function,+,ble_glue_is_radio_stack_ready,_Bool, Function,+,ble_glue_is_radio_stack_ready,_Bool,
Function,+,ble_glue_reinit_c2,_Bool, Function,+,ble_glue_reinit_c2,_Bool,
Function,+,ble_glue_set_key_storage_changed_callback,void,"BleGlueKeyStorageChangedCallback, void*" Function,+,ble_glue_set_key_storage_changed_callback,void,"BleGlueKeyStorageChangedCallback, void*"
Function,+,ble_glue_start,_Bool, Function,+,ble_glue_start,_Bool,
Function,+,ble_glue_thread_stop,void, Function,+,ble_glue_stop,void,
Function,+,ble_glue_wait_for_c2_start,_Bool,int32_t Function,+,ble_glue_wait_for_c2_start,_Bool,int32_t
Function,-,ble_profile_hid_consumer_key_press,_Bool,"FuriHalBleProfileBase*, uint16_t"
Function,-,ble_profile_hid_consumer_key_release,_Bool,"FuriHalBleProfileBase*, uint16_t"
Function,-,ble_profile_hid_consumer_key_release_all,_Bool,FuriHalBleProfileBase*
Function,-,ble_profile_hid_kb_press,_Bool,"FuriHalBleProfileBase*, uint16_t"
Function,-,ble_profile_hid_kb_release,_Bool,"FuriHalBleProfileBase*, uint16_t"
Function,-,ble_profile_hid_kb_release_all,_Bool,FuriHalBleProfileBase*
Function,-,ble_profile_hid_mouse_move,_Bool,"FuriHalBleProfileBase*, int8_t, int8_t"
Function,-,ble_profile_hid_mouse_press,_Bool,"FuriHalBleProfileBase*, uint8_t"
Function,-,ble_profile_hid_mouse_release,_Bool,"FuriHalBleProfileBase*, uint8_t"
Function,-,ble_profile_hid_mouse_release_all,_Bool,FuriHalBleProfileBase*
Function,-,ble_profile_hid_mouse_scroll,_Bool,"FuriHalBleProfileBase*, int8_t"
Function,+,ble_profile_serial_notify_buffer_is_empty,void,FuriHalBleProfileBase*
Function,+,ble_profile_serial_set_event_callback,void,"FuriHalBleProfileBase*, uint16_t, FuriHalBtSerialCallback, void*"
Function,+,ble_profile_serial_set_rpc_active,void,"FuriHalBleProfileBase*, _Bool"
Function,+,ble_profile_serial_tx,_Bool,"FuriHalBleProfileBase*, uint8_t*, uint16_t"
Function,+,ble_svc_battery_start,BleServiceBattery*,_Bool
Function,+,ble_svc_battery_state_update,void,"uint8_t*, _Bool*"
Function,+,ble_svc_battery_stop,void,BleServiceBattery*
Function,+,ble_svc_battery_update_level,_Bool,"BleServiceBattery*, uint8_t"
Function,+,ble_svc_battery_update_power_state,_Bool,"BleServiceBattery*, _Bool"
Function,+,ble_svc_dev_info_start,BleServiceDevInfo*,
Function,+,ble_svc_dev_info_stop,void,BleServiceDevInfo*
Function,-,ble_svc_hid_start,BleServiceHid*,
Function,-,ble_svc_hid_stop,void,BleServiceHid*
Function,-,ble_svc_hid_update_info,_Bool,"BleServiceHid*, uint8_t*"
Function,-,ble_svc_hid_update_input_report,_Bool,"BleServiceHid*, uint8_t, uint8_t*, uint16_t"
Function,-,ble_svc_hid_update_report_map,_Bool,"BleServiceHid*, const uint8_t*, uint16_t"
Function,+,ble_svc_serial_notify_buffer_is_empty,void,BleServiceSerial*
Function,+,ble_svc_serial_set_callbacks,void,"BleServiceSerial*, uint16_t, SerialServiceEventCallback, void*"
Function,+,ble_svc_serial_set_rpc_active,void,"BleServiceSerial*, _Bool"
Function,+,ble_svc_serial_start,BleServiceSerial*,
Function,+,ble_svc_serial_stop,void,BleServiceSerial*
Function,+,ble_svc_serial_update_tx,_Bool,"BleServiceSerial*, uint8_t*, uint16_t"
Function,-,bsearch,void*,"const void*, const void*, size_t, size_t, __compar_fn_t" Function,-,bsearch,void*,"const void*, const void*, size_t, size_t, __compar_fn_t"
Function,+,bt_disconnect,void,Bt* Function,+,bt_disconnect,void,Bt*
Function,+,bt_forget_bonded_devices,void,Bt* Function,+,bt_forget_bonded_devices,void,Bt*
Function,+,bt_keys_storage_set_default_path,void,Bt* Function,+,bt_keys_storage_set_default_path,void,Bt*
Function,+,bt_keys_storage_set_storage_path,void,"Bt*, const char*" Function,+,bt_keys_storage_set_storage_path,void,"Bt*, const char*"
Function,+,bt_set_profile,_Bool,"Bt*, BtProfile" Function,+,bt_profile_restore_default,_Bool,Bt*
Function,+,bt_profile_start,FuriHalBleProfileBase*,"Bt*, const FuriHalBleProfileTemplate*, FuriHalBleProfileParams"
Function,+,bt_set_status_changed_callback,void,"Bt*, BtStatusChangedCallback, void*" Function,+,bt_set_status_changed_callback,void,"Bt*, BtStatusChangedCallback, void*"
Function,+,buffered_file_stream_alloc,Stream*,Storage* Function,+,buffered_file_stream_alloc,Stream*,Storage*
Function,+,buffered_file_stream_close,_Bool,Stream* Function,+,buffered_file_stream_close,_Bool,Stream*
@@ -1030,46 +1086,34 @@ Function,+,furi_event_flag_get,uint32_t,FuriEventFlag*
Function,+,furi_event_flag_set,uint32_t,"FuriEventFlag*, uint32_t" Function,+,furi_event_flag_set,uint32_t,"FuriEventFlag*, uint32_t"
Function,+,furi_event_flag_wait,uint32_t,"FuriEventFlag*, uint32_t, uint32_t, uint32_t" Function,+,furi_event_flag_wait,uint32_t,"FuriEventFlag*, uint32_t, uint32_t, uint32_t"
Function,+,furi_get_tick,uint32_t, Function,+,furi_get_tick,uint32_t,
Function,+,furi_hal_bt_change_app,_Bool,"FuriHalBtProfile, GapEventCallback, void*" Function,+,furi_hal_bt_change_app,FuriHalBleProfileBase*,"const FuriHalBleProfileTemplate*, FuriHalBleProfileParams, GapEventCallback, void*"
Function,+,furi_hal_bt_check_profile_type,_Bool,"FuriHalBleProfileBase*, const FuriHalBleProfileTemplate*"
Function,+,furi_hal_bt_clear_white_list,_Bool, Function,+,furi_hal_bt_clear_white_list,_Bool,
Function,+,furi_hal_bt_dump_state,void,FuriString* Function,+,furi_hal_bt_dump_state,void,FuriString*
Function,+,furi_hal_bt_ensure_c2_mode,_Bool,BleGlueC2Mode Function,+,furi_hal_bt_ensure_c2_mode,_Bool,BleGlueC2Mode
Function,-,furi_hal_bt_get_hardfault_info,const FuriHalBtHardfaultInfo*, Function,+,furi_hal_bt_extra_beacon_get_config,const GapExtraBeaconConfig*,
Function,+,furi_hal_bt_extra_beacon_get_data,uint8_t,uint8_t*
Function,+,furi_hal_bt_extra_beacon_is_active,_Bool,
Function,+,furi_hal_bt_extra_beacon_set_config,_Bool,const GapExtraBeaconConfig*
Function,+,furi_hal_bt_extra_beacon_set_data,_Bool,"const uint8_t*, uint8_t"
Function,+,furi_hal_bt_extra_beacon_start,_Bool,
Function,+,furi_hal_bt_extra_beacon_stop,_Bool,
Function,+,furi_hal_bt_get_key_storage_buff,void,"uint8_t**, uint16_t*" Function,+,furi_hal_bt_get_key_storage_buff,void,"uint8_t**, uint16_t*"
Function,+,furi_hal_bt_get_radio_stack,FuriHalBtStack, Function,+,furi_hal_bt_get_radio_stack,FuriHalBtStack,
Function,+,furi_hal_bt_get_rssi,float, Function,+,furi_hal_bt_get_rssi,float,
Function,+,furi_hal_bt_get_transmitted_packets,uint32_t, Function,+,furi_hal_bt_get_transmitted_packets,uint32_t,
Function,+,furi_hal_bt_hid_consumer_key_press,_Bool,uint16_t
Function,+,furi_hal_bt_hid_consumer_key_release,_Bool,uint16_t
Function,+,furi_hal_bt_hid_consumer_key_release_all,_Bool,
Function,+,furi_hal_bt_hid_kb_press,_Bool,uint16_t
Function,+,furi_hal_bt_hid_kb_release,_Bool,uint16_t
Function,+,furi_hal_bt_hid_kb_release_all,_Bool,
Function,+,furi_hal_bt_hid_mouse_move,_Bool,"int8_t, int8_t"
Function,+,furi_hal_bt_hid_mouse_press,_Bool,uint8_t
Function,+,furi_hal_bt_hid_mouse_release,_Bool,uint8_t
Function,+,furi_hal_bt_hid_mouse_release_all,_Bool,
Function,+,furi_hal_bt_hid_mouse_scroll,_Bool,int8_t
Function,+,furi_hal_bt_hid_start,void,
Function,+,furi_hal_bt_hid_stop,void,
Function,-,furi_hal_bt_init,void, Function,-,furi_hal_bt_init,void,
Function,+,furi_hal_bt_is_active,_Bool, Function,+,furi_hal_bt_is_active,_Bool,
Function,+,furi_hal_bt_is_alive,_Bool, Function,+,furi_hal_bt_is_alive,_Bool,
Function,+,furi_hal_bt_is_ble_gatt_gap_supported,_Bool, Function,+,furi_hal_bt_is_gatt_gap_supported,_Bool,
Function,+,furi_hal_bt_is_testing_supported,_Bool, Function,+,furi_hal_bt_is_testing_supported,_Bool,
Function,+,furi_hal_bt_lock_core2,void, Function,+,furi_hal_bt_lock_core2,void,
Function,+,furi_hal_bt_nvm_sram_sem_acquire,void, Function,+,furi_hal_bt_nvm_sram_sem_acquire,void,
Function,+,furi_hal_bt_nvm_sram_sem_release,void, Function,+,furi_hal_bt_nvm_sram_sem_release,void,
Function,+,furi_hal_bt_reinit,void, Function,+,furi_hal_bt_reinit,void,
Function,+,furi_hal_bt_serial_notify_buffer_is_empty,void,
Function,+,furi_hal_bt_serial_set_event_callback,void,"uint16_t, FuriHalBtSerialCallback, void*"
Function,+,furi_hal_bt_serial_set_rpc_status,void,FuriHalBtSerialRpcStatus
Function,+,furi_hal_bt_serial_start,void,
Function,+,furi_hal_bt_serial_stop,void,
Function,+,furi_hal_bt_serial_tx,_Bool,"uint8_t*, uint16_t"
Function,+,furi_hal_bt_set_key_storage_change_callback,void,"BleGlueKeyStorageChangedCallback, void*" Function,+,furi_hal_bt_set_key_storage_change_callback,void,"BleGlueKeyStorageChangedCallback, void*"
Function,+,furi_hal_bt_start_advertising,void, Function,+,furi_hal_bt_start_advertising,void,
Function,+,furi_hal_bt_start_app,_Bool,"FuriHalBtProfile, GapEventCallback, void*" Function,+,furi_hal_bt_start_app,FuriHalBleProfileBase*,"const FuriHalBleProfileTemplate*, FuriHalBleProfileParams, GapEventCallback, void*"
Function,+,furi_hal_bt_start_packet_rx,void,"uint8_t, uint8_t" Function,+,furi_hal_bt_start_packet_rx,void,"uint8_t, uint8_t"
Function,+,furi_hal_bt_start_packet_tx,void,"uint8_t, uint8_t, uint8_t" Function,+,furi_hal_bt_start_packet_tx,void,"uint8_t, uint8_t, uint8_t"
Function,+,furi_hal_bt_start_radio_stack,_Bool, Function,+,furi_hal_bt_start_radio_stack,_Bool,
@@ -1081,7 +1125,7 @@ Function,+,furi_hal_bt_stop_rx,void,
Function,+,furi_hal_bt_stop_tone_tx,void, Function,+,furi_hal_bt_stop_tone_tx,void,
Function,+,furi_hal_bt_unlock_core2,void, Function,+,furi_hal_bt_unlock_core2,void,
Function,+,furi_hal_bt_update_battery_level,void,uint8_t Function,+,furi_hal_bt_update_battery_level,void,uint8_t
Function,+,furi_hal_bt_update_power_state,void, Function,+,furi_hal_bt_update_power_state,void,_Bool
Function,+,furi_hal_bus_deinit_early,void, Function,+,furi_hal_bus_deinit_early,void,
Function,+,furi_hal_bus_disable,void,FuriHalBus Function,+,furi_hal_bus_disable,void,FuriHalBus
Function,+,furi_hal_bus_enable,void,FuriHalBus Function,+,furi_hal_bus_enable,void,FuriHalBus
@@ -1530,6 +1574,7 @@ Function,+,furi_thread_get_current_priority,FuriThreadPriority,
Function,+,furi_thread_get_heap_size,size_t,FuriThread* Function,+,furi_thread_get_heap_size,size_t,FuriThread*
Function,+,furi_thread_get_id,FuriThreadId,FuriThread* Function,+,furi_thread_get_id,FuriThreadId,FuriThread*
Function,+,furi_thread_get_name,const char*,FuriThreadId Function,+,furi_thread_get_name,const char*,FuriThreadId
Function,+,furi_thread_get_priority,FuriThreadPriority,FuriThread*
Function,+,furi_thread_get_return_code,int32_t,FuriThread* Function,+,furi_thread_get_return_code,int32_t,FuriThread*
Function,+,furi_thread_get_stack_space,uint32_t,FuriThreadId Function,+,furi_thread_get_stack_space,uint32_t,FuriThreadId
Function,+,furi_thread_get_state,FuriThreadState,FuriThread* Function,+,furi_thread_get_state,FuriThreadState,FuriThread*
@@ -1568,6 +1613,15 @@ Function,-,gamma,double,double
Function,-,gamma_r,double,"double, int*" Function,-,gamma_r,double,"double, int*"
Function,-,gammaf,float,float Function,-,gammaf,float,float
Function,-,gammaf_r,float,"float, int*" Function,-,gammaf_r,float,"float, int*"
Function,-,gap_emit_ble_beacon_status_event,void,_Bool
Function,-,gap_extra_beacon_get_config,const GapExtraBeaconConfig*,
Function,-,gap_extra_beacon_get_data,uint8_t,uint8_t*
Function,-,gap_extra_beacon_get_state,GapExtraBeaconState,
Function,-,gap_extra_beacon_init,void,
Function,-,gap_extra_beacon_set_config,_Bool,const GapExtraBeaconConfig*
Function,-,gap_extra_beacon_set_data,_Bool,"const uint8_t*, uint8_t"
Function,-,gap_extra_beacon_start,_Bool,
Function,-,gap_extra_beacon_stop,_Bool,
Function,-,gap_get_state,GapState, Function,-,gap_get_state,GapState,
Function,-,gap_init,_Bool,"GapConfig*, GapEventCallback, void*" Function,-,gap_init,_Bool,"GapConfig*, GapEventCallback, void*"
Function,-,gap_start_advertising,void, Function,-,gap_start_advertising,void,
@@ -1591,6 +1645,7 @@ Function,+,gui_remove_view_port,void,"Gui*, ViewPort*"
Function,+,gui_set_lockdown,void,"Gui*, _Bool" Function,+,gui_set_lockdown,void,"Gui*, _Bool"
Function,-,gui_view_port_send_to_back,void,"Gui*, ViewPort*" Function,-,gui_view_port_send_to_back,void,"Gui*, ViewPort*"
Function,+,gui_view_port_send_to_front,void,"Gui*, ViewPort*" Function,+,gui_view_port_send_to_front,void,"Gui*, ViewPort*"
Function,-,hci_send_req,int,"hci_request*, uint8_t"
Function,+,hex_char_to_hex_nibble,_Bool,"char, uint8_t*" Function,+,hex_char_to_hex_nibble,_Bool,"char, uint8_t*"
Function,+,hex_char_to_uint8,_Bool,"char, char, uint8_t*" Function,+,hex_char_to_uint8,_Bool,"char, char, uint8_t*"
Function,+,hex_chars_to_uint64,_Bool,"const char*, uint64_t*" Function,+,hex_chars_to_uint64,_Bool,"const char*, uint64_t*"
@@ -2274,13 +2329,6 @@ Function,+,scene_manager_stop,void,SceneManager*
Function,+,sd_api_get_fs_type_text,const char*,SDFsType Function,+,sd_api_get_fs_type_text,const char*,SDFsType
Function,-,secure_getenv,char*,const char* Function,-,secure_getenv,char*,const char*
Function,-,seed48,unsigned short*,unsigned short[3] Function,-,seed48,unsigned short*,unsigned short[3]
Function,-,serial_svc_is_started,_Bool,
Function,-,serial_svc_notify_buffer_is_empty,void,
Function,-,serial_svc_set_callbacks,void,"uint16_t, SerialServiceEventCallback, void*"
Function,-,serial_svc_set_rpc_status,void,SerialServiceRpcStatus
Function,-,serial_svc_start,void,
Function,-,serial_svc_stop,void,
Function,-,serial_svc_update_tx,_Bool,"uint8_t*, uint16_t"
Function,-,setbuf,void,"FILE*, char*" Function,-,setbuf,void,"FILE*, char*"
Function,-,setbuffer,void,"FILE*, char*, int" Function,-,setbuffer,void,"FILE*, char*, int"
Function,-,setenv,int,"const char*, const char*, int" Function,-,setenv,int,"const char*, const char*, int"
@@ -2693,6 +2741,8 @@ Variable,+,_impure_data,_reent,
Variable,+,_impure_ptr,_reent*, Variable,+,_impure_ptr,_reent*,
Variable,-,_sys_errlist,const char*[], Variable,-,_sys_errlist,const char*[],
Variable,-,_sys_nerr,int, Variable,-,_sys_nerr,int,
Variable,-,ble_profile_hid,const FuriHalBleProfileTemplate*,
Variable,-,ble_profile_serial,const FuriHalBleProfileTemplate*,
Variable,+,cli_vcp,CliSession, Variable,+,cli_vcp,CliSession,
Variable,+,firmware_api_interface,const ElfApiInterface*, Variable,+,firmware_api_interface,const ElfApiInterface*,
Variable,+,furi_hal_i2c_bus_external,FuriHalI2cBus, Variable,+,furi_hal_i2c_bus_external,FuriHalI2cBus,
1 entry status name type params
2 Version + 57.0 58.0
3 Header + applications/services/bt/bt_service/bt.h
4 Header + applications/services/cli/cli.h
5 Header + applications/services/cli/cli_vcp.h
38 Header + applications/services/rpc/rpc_app.h
39 Header + applications/services/storage/storage.h
40 Header + lib/bit_lib/bit_lib.h
41 Header + lib/ble_profile/extra_profiles/hid_profile.h
42 Header + lib/ble_profile/extra_services/hid_service.h
43 Header + lib/datetime/datetime.h
44 Header + lib/digital_signal/digital_sequence.h
45 Header + lib/digital_signal/digital_signal.h
171 Header + targets/f18/furi_hal/furi_hal_resources.h
172 Header + targets/f18/furi_hal/furi_hal_spi_config.h
173 Header + targets/f18/furi_hal/furi_hal_target_hw.h
174 Header + targets/f7/ble_glue/furi_ble/event_dispatcher.h
175 Header + targets/f7/ble_glue/furi_ble/gatt.h
176 Header + targets/f7/ble_glue/furi_ble/profile_interface.h
177 Header + targets/f7/ble_glue/profiles/serial_profile.h
178 Header + targets/f7/ble_glue/services/battery_service.h
179 Header + targets/f7/ble_glue/services/dev_info_service.h
180 Header + targets/f7/ble_glue/services/serial_service.h
181 Header + targets/f7/furi_hal/furi_hal_bus.h
182 Header + targets/f7/furi_hal/furi_hal_clock.h
183 Header + targets/f7/furi_hal/furi_hal_dma.h
200 Header + targets/f7/platform_specific/math_wrapper.h
201 Header + targets/furi_hal_include/furi_hal.h
202 Header + targets/furi_hal_include/furi_hal_bt.h
Header + targets/furi_hal_include/furi_hal_bt_hid.h
Header + targets/furi_hal_include/furi_hal_bt_serial.h
203 Header + targets/furi_hal_include/furi_hal_cortex.h
204 Header + targets/furi_hal_include/furi_hal_crypto.h
205 Header + targets/furi_hal_include/furi_hal_debug.h
317 Function + LL_USART_Init ErrorStatus USART_TypeDef*, const LL_USART_InitTypeDef*
318 Function - LL_USART_StructInit void LL_USART_InitTypeDef*
319 Function - LL_mDelay void uint32_t
320 Function - Osal_MemCmp int const void*, const void*, unsigned int
321 Function - Osal_MemCpy void* void*, const void*, unsigned int
322 Function - Osal_MemSet void* void*, int, unsigned int
323 Function - SystemCoreClockUpdate void
324 Function - SystemInit void
325 Function - _Exit void int
612 Function + bit_lib_set_bits void uint8_t*, size_t, uint8_t, uint8_t
613 Function + bit_lib_test_parity _Bool const uint8_t*, size_t, uint8_t, BitLibParity, uint8_t
614 Function + bit_lib_test_parity_32 _Bool uint32_t, BitLibParity
615 Function + - ble_app_get_key_storage_buff ble_app_deinit void uint8_t**, uint16_t*
616 Function + - ble_app_init ble_app_get_key_storage_buff _Bool void uint8_t**, uint16_t*
617 Function + - ble_app_thread_stop ble_app_init void _Bool
618 Function - ble_event_app_notification BleEventFlowStatus void*
619 Function - ble_event_dispatcher_init void
620 Function - ble_event_dispatcher_process_event BleEventFlowStatus void*
621 Function + ble_event_dispatcher_register_svc_handler GapSvcEventHandler* BleSvcEventHandlerCb, void*
622 Function - ble_event_dispatcher_reset void
623 Function + ble_event_dispatcher_unregister_svc_handler void GapSvcEventHandler*
624 Function + ble_gatt_characteristic_delete void uint16_t, BleGattCharacteristicInstance*
625 Function + ble_gatt_characteristic_init void uint16_t, const BleGattCharacteristicParams*, BleGattCharacteristicInstance*
626 Function + ble_gatt_characteristic_update _Bool uint16_t, BleGattCharacteristicInstance*, const void*
627 Function + ble_gatt_service_add _Bool uint8_t, const Service_UUID_t*, uint8_t, uint8_t, uint16_t*
628 Function + ble_gatt_service_delete _Bool uint16_t
629 Function + ble_glue_force_c2_mode BleGlueCommandResult BleGlueC2Mode
630 Function - ble_glue_fus_get_status BleGlueCommandResult
631 Function - ble_glue_fus_stack_delete BleGlueCommandResult
633 Function - ble_glue_fus_wait_operation BleGlueCommandResult
634 Function + ble_glue_get_c2_info const BleGlueC2Info*
635 Function - ble_glue_get_c2_status BleGlueStatus
636 Function - ble_glue_get_hardfault_info const BleGlueHardfaultInfo*
637 Function + ble_glue_init void
638 Function + ble_glue_is_alive _Bool
639 Function + ble_glue_is_radio_stack_ready _Bool
640 Function + ble_glue_reinit_c2 _Bool
641 Function + ble_glue_set_key_storage_changed_callback void BleGlueKeyStorageChangedCallback, void*
642 Function + ble_glue_start _Bool
643 Function + ble_glue_thread_stop ble_glue_stop void
644 Function + ble_glue_wait_for_c2_start _Bool int32_t
645 Function - ble_profile_hid_consumer_key_press _Bool FuriHalBleProfileBase*, uint16_t
646 Function - ble_profile_hid_consumer_key_release _Bool FuriHalBleProfileBase*, uint16_t
647 Function - ble_profile_hid_consumer_key_release_all _Bool FuriHalBleProfileBase*
648 Function - ble_profile_hid_kb_press _Bool FuriHalBleProfileBase*, uint16_t
649 Function - ble_profile_hid_kb_release _Bool FuriHalBleProfileBase*, uint16_t
650 Function - ble_profile_hid_kb_release_all _Bool FuriHalBleProfileBase*
651 Function - ble_profile_hid_mouse_move _Bool FuriHalBleProfileBase*, int8_t, int8_t
652 Function - ble_profile_hid_mouse_press _Bool FuriHalBleProfileBase*, uint8_t
653 Function - ble_profile_hid_mouse_release _Bool FuriHalBleProfileBase*, uint8_t
654 Function - ble_profile_hid_mouse_release_all _Bool FuriHalBleProfileBase*
655 Function - ble_profile_hid_mouse_scroll _Bool FuriHalBleProfileBase*, int8_t
656 Function + ble_profile_serial_notify_buffer_is_empty void FuriHalBleProfileBase*
657 Function + ble_profile_serial_set_event_callback void FuriHalBleProfileBase*, uint16_t, FuriHalBtSerialCallback, void*
658 Function + ble_profile_serial_set_rpc_active void FuriHalBleProfileBase*, _Bool
659 Function + ble_profile_serial_tx _Bool FuriHalBleProfileBase*, uint8_t*, uint16_t
660 Function + ble_svc_battery_start BleServiceBattery* _Bool
661 Function + ble_svc_battery_state_update void uint8_t*, _Bool*
662 Function + ble_svc_battery_stop void BleServiceBattery*
663 Function + ble_svc_battery_update_level _Bool BleServiceBattery*, uint8_t
664 Function + ble_svc_battery_update_power_state _Bool BleServiceBattery*, _Bool
665 Function + ble_svc_dev_info_start BleServiceDevInfo*
666 Function + ble_svc_dev_info_stop void BleServiceDevInfo*
667 Function - ble_svc_hid_start BleServiceHid*
668 Function - ble_svc_hid_stop void BleServiceHid*
669 Function - ble_svc_hid_update_info _Bool BleServiceHid*, uint8_t*
670 Function - ble_svc_hid_update_input_report _Bool BleServiceHid*, uint8_t, uint8_t*, uint16_t
671 Function - ble_svc_hid_update_report_map _Bool BleServiceHid*, const uint8_t*, uint16_t
672 Function + ble_svc_serial_notify_buffer_is_empty void BleServiceSerial*
673 Function + ble_svc_serial_set_callbacks void BleServiceSerial*, uint16_t, SerialServiceEventCallback, void*
674 Function + ble_svc_serial_set_rpc_active void BleServiceSerial*, _Bool
675 Function + ble_svc_serial_start BleServiceSerial*
676 Function + ble_svc_serial_stop void BleServiceSerial*
677 Function + ble_svc_serial_update_tx _Bool BleServiceSerial*, uint8_t*, uint16_t
678 Function - bsearch void* const void*, const void*, size_t, size_t, __compar_fn_t
679 Function + bt_disconnect void Bt*
680 Function + bt_forget_bonded_devices void Bt*
681 Function + bt_keys_storage_set_default_path void Bt*
682 Function + bt_keys_storage_set_storage_path void Bt*, const char*
683 Function + bt_set_profile bt_profile_restore_default _Bool Bt*, BtProfile Bt*
684 Function + bt_profile_start FuriHalBleProfileBase* Bt*, const FuriHalBleProfileTemplate*, FuriHalBleProfileParams
685 Function + bt_set_status_changed_callback void Bt*, BtStatusChangedCallback, void*
686 Function + buffered_file_stream_alloc Stream* Storage*
687 Function + buffered_file_stream_close _Bool Stream*
1086 Function + furi_event_flag_set uint32_t FuriEventFlag*, uint32_t
1087 Function + furi_event_flag_wait uint32_t FuriEventFlag*, uint32_t, uint32_t, uint32_t
1088 Function + furi_get_tick uint32_t
1089 Function + furi_hal_bt_change_app _Bool FuriHalBleProfileBase* FuriHalBtProfile, GapEventCallback, void* const FuriHalBleProfileTemplate*, FuriHalBleProfileParams, GapEventCallback, void*
1090 Function + furi_hal_bt_check_profile_type _Bool FuriHalBleProfileBase*, const FuriHalBleProfileTemplate*
1091 Function + furi_hal_bt_clear_white_list _Bool
1092 Function + furi_hal_bt_dump_state void FuriString*
1093 Function + furi_hal_bt_ensure_c2_mode _Bool BleGlueC2Mode
1094 Function - + furi_hal_bt_get_hardfault_info furi_hal_bt_extra_beacon_get_config const FuriHalBtHardfaultInfo* const GapExtraBeaconConfig*
1095 Function + furi_hal_bt_extra_beacon_get_data uint8_t uint8_t*
1096 Function + furi_hal_bt_extra_beacon_is_active _Bool
1097 Function + furi_hal_bt_extra_beacon_set_config _Bool const GapExtraBeaconConfig*
1098 Function + furi_hal_bt_extra_beacon_set_data _Bool const uint8_t*, uint8_t
1099 Function + furi_hal_bt_extra_beacon_start _Bool
1100 Function + furi_hal_bt_extra_beacon_stop _Bool
1101 Function + furi_hal_bt_get_key_storage_buff void uint8_t**, uint16_t*
1102 Function + furi_hal_bt_get_radio_stack FuriHalBtStack
1103 Function + furi_hal_bt_get_rssi float
1104 Function + furi_hal_bt_get_transmitted_packets uint32_t
Function + furi_hal_bt_hid_consumer_key_press _Bool uint16_t
Function + furi_hal_bt_hid_consumer_key_release _Bool uint16_t
Function + furi_hal_bt_hid_consumer_key_release_all _Bool
Function + furi_hal_bt_hid_kb_press _Bool uint16_t
Function + furi_hal_bt_hid_kb_release _Bool uint16_t
Function + furi_hal_bt_hid_kb_release_all _Bool
Function + furi_hal_bt_hid_mouse_move _Bool int8_t, int8_t
Function + furi_hal_bt_hid_mouse_press _Bool uint8_t
Function + furi_hal_bt_hid_mouse_release _Bool uint8_t
Function + furi_hal_bt_hid_mouse_release_all _Bool
Function + furi_hal_bt_hid_mouse_scroll _Bool int8_t
Function + furi_hal_bt_hid_start void
Function + furi_hal_bt_hid_stop void
1105 Function - furi_hal_bt_init void
1106 Function + furi_hal_bt_is_active _Bool
1107 Function + furi_hal_bt_is_alive _Bool
1108 Function + furi_hal_bt_is_ble_gatt_gap_supported furi_hal_bt_is_gatt_gap_supported _Bool
1109 Function + furi_hal_bt_is_testing_supported _Bool
1110 Function + furi_hal_bt_lock_core2 void
1111 Function + furi_hal_bt_nvm_sram_sem_acquire void
1112 Function + furi_hal_bt_nvm_sram_sem_release void
1113 Function + furi_hal_bt_reinit void
Function + furi_hal_bt_serial_notify_buffer_is_empty void
Function + furi_hal_bt_serial_set_event_callback void uint16_t, FuriHalBtSerialCallback, void*
Function + furi_hal_bt_serial_set_rpc_status void FuriHalBtSerialRpcStatus
Function + furi_hal_bt_serial_start void
Function + furi_hal_bt_serial_stop void
Function + furi_hal_bt_serial_tx _Bool uint8_t*, uint16_t
1114 Function + furi_hal_bt_set_key_storage_change_callback void BleGlueKeyStorageChangedCallback, void*
1115 Function + furi_hal_bt_start_advertising void
1116 Function + furi_hal_bt_start_app _Bool FuriHalBleProfileBase* FuriHalBtProfile, GapEventCallback, void* const FuriHalBleProfileTemplate*, FuriHalBleProfileParams, GapEventCallback, void*
1117 Function + furi_hal_bt_start_packet_rx void uint8_t, uint8_t
1118 Function + furi_hal_bt_start_packet_tx void uint8_t, uint8_t, uint8_t
1119 Function + furi_hal_bt_start_radio_stack _Bool
1125 Function + furi_hal_bt_stop_tone_tx void
1126 Function + furi_hal_bt_unlock_core2 void
1127 Function + furi_hal_bt_update_battery_level void uint8_t
1128 Function + furi_hal_bt_update_power_state void _Bool
1129 Function + furi_hal_bus_deinit_early void
1130 Function + furi_hal_bus_disable void FuriHalBus
1131 Function + furi_hal_bus_enable void FuriHalBus
1574 Function + furi_thread_get_heap_size size_t FuriThread*
1575 Function + furi_thread_get_id FuriThreadId FuriThread*
1576 Function + furi_thread_get_name const char* FuriThreadId
1577 Function + furi_thread_get_priority FuriThreadPriority FuriThread*
1578 Function + furi_thread_get_return_code int32_t FuriThread*
1579 Function + furi_thread_get_stack_space uint32_t FuriThreadId
1580 Function + furi_thread_get_state FuriThreadState FuriThread*
1613 Function - gamma_r double double, int*
1614 Function - gammaf float float
1615 Function - gammaf_r float float, int*
1616 Function - gap_emit_ble_beacon_status_event void _Bool
1617 Function - gap_extra_beacon_get_config const GapExtraBeaconConfig*
1618 Function - gap_extra_beacon_get_data uint8_t uint8_t*
1619 Function - gap_extra_beacon_get_state GapExtraBeaconState
1620 Function - gap_extra_beacon_init void
1621 Function - gap_extra_beacon_set_config _Bool const GapExtraBeaconConfig*
1622 Function - gap_extra_beacon_set_data _Bool const uint8_t*, uint8_t
1623 Function - gap_extra_beacon_start _Bool
1624 Function - gap_extra_beacon_stop _Bool
1625 Function - gap_get_state GapState
1626 Function - gap_init _Bool GapConfig*, GapEventCallback, void*
1627 Function - gap_start_advertising void
1645 Function + gui_set_lockdown void Gui*, _Bool
1646 Function - gui_view_port_send_to_back void Gui*, ViewPort*
1647 Function + gui_view_port_send_to_front void Gui*, ViewPort*
1648 Function - hci_send_req int hci_request*, uint8_t
1649 Function + hex_char_to_hex_nibble _Bool char, uint8_t*
1650 Function + hex_char_to_uint8 _Bool char, char, uint8_t*
1651 Function + hex_chars_to_uint64 _Bool const char*, uint64_t*
2329 Function + sd_api_get_fs_type_text const char* SDFsType
2330 Function - secure_getenv char* const char*
2331 Function - seed48 unsigned short* unsigned short[3]
Function - serial_svc_is_started _Bool
Function - serial_svc_notify_buffer_is_empty void
Function - serial_svc_set_callbacks void uint16_t, SerialServiceEventCallback, void*
Function - serial_svc_set_rpc_status void SerialServiceRpcStatus
Function - serial_svc_start void
Function - serial_svc_stop void
Function - serial_svc_update_tx _Bool uint8_t*, uint16_t
2332 Function - setbuf void FILE*, char*
2333 Function - setbuffer void FILE*, char*, int
2334 Function - setenv int const char*, const char*, int
2741 Variable + _impure_ptr _reent*
2742 Variable - _sys_errlist const char*[]
2743 Variable - _sys_nerr int
2744 Variable - ble_profile_hid const FuriHalBleProfileTemplate*
2745 Variable - ble_profile_serial const FuriHalBleProfileTemplate*
2746 Variable + cli_vcp CliSession
2747 Variable + firmware_api_interface const ElfApiInterface*
2748 Variable + furi_hal_i2c_bus_external FuriHalI2cBus

View File

@@ -1,5 +1,5 @@
entry,status,name,type,params entry,status,name,type,params
Version,+,57.0,, Version,+,58.0,,
Header,+,applications/drivers/subghz/cc1101_ext/cc1101_ext_interconnect.h,, Header,+,applications/drivers/subghz/cc1101_ext/cc1101_ext_interconnect.h,,
Header,+,applications/services/bt/bt_service/bt.h,, Header,+,applications/services/bt/bt_service/bt.h,,
Header,+,applications/services/cli/cli.h,, Header,+,applications/services/cli/cli.h,,
@@ -39,6 +39,8 @@ Header,+,applications/services/power/power_service/power.h,,
Header,+,applications/services/rpc/rpc_app.h,, Header,+,applications/services/rpc/rpc_app.h,,
Header,+,applications/services/storage/storage.h,, Header,+,applications/services/storage/storage.h,,
Header,+,lib/bit_lib/bit_lib.h,, Header,+,lib/bit_lib/bit_lib.h,,
Header,+,lib/ble_profile/extra_profiles/hid_profile.h,,
Header,+,lib/ble_profile/extra_services/hid_service.h,,
Header,+,lib/datetime/datetime.h,, Header,+,lib/datetime/datetime.h,,
Header,+,lib/digital_signal/digital_sequence.h,, Header,+,lib/digital_signal/digital_sequence.h,,
Header,+,lib/digital_signal/digital_signal.h,, Header,+,lib/digital_signal/digital_signal.h,,
@@ -233,6 +235,13 @@ Header,+,lib/toolbox/stream/string_stream.h,,
Header,+,lib/toolbox/tar/tar_archive.h,, Header,+,lib/toolbox/tar/tar_archive.h,,
Header,+,lib/toolbox/value_index.h,, Header,+,lib/toolbox/value_index.h,,
Header,+,lib/toolbox/version.h,, Header,+,lib/toolbox/version.h,,
Header,+,targets/f7/ble_glue/furi_ble/event_dispatcher.h,,
Header,+,targets/f7/ble_glue/furi_ble/gatt.h,,
Header,+,targets/f7/ble_glue/furi_ble/profile_interface.h,,
Header,+,targets/f7/ble_glue/profiles/serial_profile.h,,
Header,+,targets/f7/ble_glue/services/battery_service.h,,
Header,+,targets/f7/ble_glue/services/dev_info_service.h,,
Header,+,targets/f7/ble_glue/services/serial_service.h,,
Header,+,targets/f7/furi_hal/furi_hal_bus.h,, Header,+,targets/f7/furi_hal/furi_hal_bus.h,,
Header,+,targets/f7/furi_hal/furi_hal_clock.h,, Header,+,targets/f7/furi_hal/furi_hal_clock.h,,
Header,+,targets/f7/furi_hal/furi_hal_dma.h,, Header,+,targets/f7/furi_hal/furi_hal_dma.h,,
@@ -261,8 +270,6 @@ Header,+,targets/f7/platform_specific/intrinsic_export.h,,
Header,+,targets/f7/platform_specific/math_wrapper.h,, Header,+,targets/f7/platform_specific/math_wrapper.h,,
Header,+,targets/furi_hal_include/furi_hal.h,, Header,+,targets/furi_hal_include/furi_hal.h,,
Header,+,targets/furi_hal_include/furi_hal_bt.h,, Header,+,targets/furi_hal_include/furi_hal_bt.h,,
Header,+,targets/furi_hal_include/furi_hal_bt_hid.h,,
Header,+,targets/furi_hal_include/furi_hal_bt_serial.h,,
Header,+,targets/furi_hal_include/furi_hal_cortex.h,, Header,+,targets/furi_hal_include/furi_hal_cortex.h,,
Header,+,targets/furi_hal_include/furi_hal_crypto.h,, Header,+,targets/furi_hal_include/furi_hal_crypto.h,,
Header,+,targets/furi_hal_include/furi_hal_debug.h,, Header,+,targets/furi_hal_include/furi_hal_debug.h,,
@@ -382,6 +389,9 @@ Function,-,LL_USART_DeInit,ErrorStatus,const USART_TypeDef*
Function,+,LL_USART_Init,ErrorStatus,"USART_TypeDef*, const LL_USART_InitTypeDef*" Function,+,LL_USART_Init,ErrorStatus,"USART_TypeDef*, const LL_USART_InitTypeDef*"
Function,-,LL_USART_StructInit,void,LL_USART_InitTypeDef* Function,-,LL_USART_StructInit,void,LL_USART_InitTypeDef*
Function,-,LL_mDelay,void,uint32_t Function,-,LL_mDelay,void,uint32_t
Function,-,Osal_MemCmp,int,"const void*, const void*, unsigned int"
Function,-,Osal_MemCpy,void*,"void*, const void*, unsigned int"
Function,-,Osal_MemSet,void*,"void*, int, unsigned int"
Function,-,SystemCoreClockUpdate,void, Function,-,SystemCoreClockUpdate,void,
Function,-,SystemInit,void, Function,-,SystemInit,void,
Function,-,_Exit,void,int Function,-,_Exit,void,int
@@ -674,9 +684,20 @@ Function,+,bit_lib_set_bit,void,"uint8_t*, size_t, _Bool"
Function,+,bit_lib_set_bits,void,"uint8_t*, size_t, uint8_t, uint8_t" Function,+,bit_lib_set_bits,void,"uint8_t*, size_t, uint8_t, uint8_t"
Function,+,bit_lib_test_parity,_Bool,"const uint8_t*, size_t, uint8_t, BitLibParity, uint8_t" Function,+,bit_lib_test_parity,_Bool,"const uint8_t*, size_t, uint8_t, BitLibParity, uint8_t"
Function,+,bit_lib_test_parity_32,_Bool,"uint32_t, BitLibParity" Function,+,bit_lib_test_parity_32,_Bool,"uint32_t, BitLibParity"
Function,+,ble_app_get_key_storage_buff,void,"uint8_t**, uint16_t*" Function,-,ble_app_deinit,void,
Function,+,ble_app_init,_Bool, Function,-,ble_app_get_key_storage_buff,void,"uint8_t**, uint16_t*"
Function,+,ble_app_thread_stop,void, Function,-,ble_app_init,_Bool,
Function,-,ble_event_app_notification,BleEventFlowStatus,void*
Function,-,ble_event_dispatcher_init,void,
Function,+,ble_event_dispatcher_process_event,BleEventFlowStatus,void*
Function,+,ble_event_dispatcher_register_svc_handler,GapSvcEventHandler*,"BleSvcEventHandlerCb, void*"
Function,-,ble_event_dispatcher_reset,void,
Function,+,ble_event_dispatcher_unregister_svc_handler,void,GapSvcEventHandler*
Function,+,ble_gatt_characteristic_delete,void,"uint16_t, BleGattCharacteristicInstance*"
Function,+,ble_gatt_characteristic_init,void,"uint16_t, const BleGattCharacteristicParams*, BleGattCharacteristicInstance*"
Function,+,ble_gatt_characteristic_update,_Bool,"uint16_t, BleGattCharacteristicInstance*, const void*"
Function,+,ble_gatt_service_add,_Bool,"uint8_t, const Service_UUID_t*, uint8_t, uint8_t, uint16_t*"
Function,+,ble_gatt_service_delete,_Bool,uint16_t
Function,+,ble_glue_force_c2_mode,BleGlueCommandResult,BleGlueC2Mode Function,+,ble_glue_force_c2_mode,BleGlueCommandResult,BleGlueC2Mode
Function,-,ble_glue_fus_get_status,BleGlueCommandResult, Function,-,ble_glue_fus_get_status,BleGlueCommandResult,
Function,-,ble_glue_fus_stack_delete,BleGlueCommandResult, Function,-,ble_glue_fus_stack_delete,BleGlueCommandResult,
@@ -684,14 +705,48 @@ Function,-,ble_glue_fus_stack_install,BleGlueCommandResult,"uint32_t, uint32_t"
Function,-,ble_glue_fus_wait_operation,BleGlueCommandResult, Function,-,ble_glue_fus_wait_operation,BleGlueCommandResult,
Function,+,ble_glue_get_c2_info,const BleGlueC2Info*, Function,+,ble_glue_get_c2_info,const BleGlueC2Info*,
Function,-,ble_glue_get_c2_status,BleGlueStatus, Function,-,ble_glue_get_c2_status,BleGlueStatus,
Function,-,ble_glue_get_hardfault_info,const BleGlueHardfaultInfo*,
Function,+,ble_glue_init,void, Function,+,ble_glue_init,void,
Function,+,ble_glue_is_alive,_Bool, Function,+,ble_glue_is_alive,_Bool,
Function,+,ble_glue_is_radio_stack_ready,_Bool, Function,+,ble_glue_is_radio_stack_ready,_Bool,
Function,+,ble_glue_reinit_c2,_Bool, Function,+,ble_glue_reinit_c2,_Bool,
Function,+,ble_glue_set_key_storage_changed_callback,void,"BleGlueKeyStorageChangedCallback, void*" Function,+,ble_glue_set_key_storage_changed_callback,void,"BleGlueKeyStorageChangedCallback, void*"
Function,+,ble_glue_start,_Bool, Function,-,ble_glue_start,_Bool,
Function,+,ble_glue_thread_stop,void, Function,-,ble_glue_stop,void,
Function,+,ble_glue_wait_for_c2_start,_Bool,int32_t Function,+,ble_glue_wait_for_c2_start,_Bool,int32_t
Function,-,ble_profile_hid_consumer_key_press,_Bool,"FuriHalBleProfileBase*, uint16_t"
Function,-,ble_profile_hid_consumer_key_release,_Bool,"FuriHalBleProfileBase*, uint16_t"
Function,-,ble_profile_hid_consumer_key_release_all,_Bool,FuriHalBleProfileBase*
Function,-,ble_profile_hid_kb_press,_Bool,"FuriHalBleProfileBase*, uint16_t"
Function,-,ble_profile_hid_kb_release,_Bool,"FuriHalBleProfileBase*, uint16_t"
Function,-,ble_profile_hid_kb_release_all,_Bool,FuriHalBleProfileBase*
Function,-,ble_profile_hid_mouse_move,_Bool,"FuriHalBleProfileBase*, int8_t, int8_t"
Function,-,ble_profile_hid_mouse_press,_Bool,"FuriHalBleProfileBase*, uint8_t"
Function,-,ble_profile_hid_mouse_release,_Bool,"FuriHalBleProfileBase*, uint8_t"
Function,-,ble_profile_hid_mouse_release_all,_Bool,FuriHalBleProfileBase*
Function,-,ble_profile_hid_mouse_scroll,_Bool,"FuriHalBleProfileBase*, int8_t"
Function,+,ble_profile_serial_notify_buffer_is_empty,void,FuriHalBleProfileBase*
Function,+,ble_profile_serial_set_event_callback,void,"FuriHalBleProfileBase*, uint16_t, FuriHalBtSerialCallback, void*"
Function,+,ble_profile_serial_set_rpc_active,void,"FuriHalBleProfileBase*, _Bool"
Function,+,ble_profile_serial_tx,_Bool,"FuriHalBleProfileBase*, uint8_t*, uint16_t"
Function,+,ble_svc_battery_start,BleServiceBattery*,_Bool
Function,+,ble_svc_battery_state_update,void,"uint8_t*, _Bool*"
Function,+,ble_svc_battery_stop,void,BleServiceBattery*
Function,+,ble_svc_battery_update_level,_Bool,"BleServiceBattery*, uint8_t"
Function,+,ble_svc_battery_update_power_state,_Bool,"BleServiceBattery*, _Bool"
Function,+,ble_svc_dev_info_start,BleServiceDevInfo*,
Function,+,ble_svc_dev_info_stop,void,BleServiceDevInfo*
Function,-,ble_svc_hid_start,BleServiceHid*,
Function,-,ble_svc_hid_stop,void,BleServiceHid*
Function,-,ble_svc_hid_update_info,_Bool,"BleServiceHid*, uint8_t*"
Function,-,ble_svc_hid_update_input_report,_Bool,"BleServiceHid*, uint8_t, uint8_t*, uint16_t"
Function,-,ble_svc_hid_update_report_map,_Bool,"BleServiceHid*, const uint8_t*, uint16_t"
Function,+,ble_svc_serial_notify_buffer_is_empty,void,BleServiceSerial*
Function,+,ble_svc_serial_set_callbacks,void,"BleServiceSerial*, uint16_t, SerialServiceEventCallback, void*"
Function,+,ble_svc_serial_set_rpc_active,void,"BleServiceSerial*, _Bool"
Function,+,ble_svc_serial_start,BleServiceSerial*,
Function,+,ble_svc_serial_stop,void,BleServiceSerial*
Function,+,ble_svc_serial_update_tx,_Bool,"BleServiceSerial*, uint8_t*, uint16_t"
Function,-,bsearch,void*,"const void*, const void*, size_t, size_t, __compar_fn_t" Function,-,bsearch,void*,"const void*, const void*, size_t, size_t, __compar_fn_t"
Function,+,bt_disable_peer_key_update,void,Bt* Function,+,bt_disable_peer_key_update,void,Bt*
Function,+,bt_disconnect,void,Bt* Function,+,bt_disconnect,void,Bt*
@@ -702,11 +757,8 @@ Function,+,bt_get_profile_mac_address,const uint8_t*,Bt*
Function,+,bt_get_profile_pairing_method,GapPairing,Bt* Function,+,bt_get_profile_pairing_method,GapPairing,Bt*
Function,+,bt_keys_storage_set_default_path,void,Bt* Function,+,bt_keys_storage_set_default_path,void,Bt*
Function,+,bt_keys_storage_set_storage_path,void,"Bt*, const char*" Function,+,bt_keys_storage_set_storage_path,void,"Bt*, const char*"
Function,+,bt_remote_rssi,_Bool,"Bt*, uint8_t*" Function,+,bt_profile_restore_default,_Bool,Bt*
Function,+,bt_set_profile,_Bool,"Bt*, BtProfile" Function,+,bt_profile_start,FuriHalBleProfileBase*,"Bt*, const FuriHalBleProfileTemplate*, FuriHalBleProfileParams"
Function,+,bt_set_profile_adv_name,void,"Bt*, const char*, ..."
Function,+,bt_set_profile_mac_address,void,"Bt*, const uint8_t[6]"
Function,+,bt_set_profile_pairing_method,void,"Bt*, GapPairing"
Function,+,bt_set_status_changed_callback,void,"Bt*, BtStatusChangedCallback, void*" Function,+,bt_set_status_changed_callback,void,"Bt*, BtStatusChangedCallback, void*"
Function,+,buffered_file_stream_alloc,Stream*,Storage* Function,+,buffered_file_stream_alloc,Stream*,Storage*
Function,+,buffered_file_stream_close,_Bool,Stream* Function,+,buffered_file_stream_close,_Bool,Stream*
@@ -1135,15 +1187,21 @@ Function,+,furi_event_flag_get,uint32_t,FuriEventFlag*
Function,+,furi_event_flag_set,uint32_t,"FuriEventFlag*, uint32_t" Function,+,furi_event_flag_set,uint32_t,"FuriEventFlag*, uint32_t"
Function,+,furi_event_flag_wait,uint32_t,"FuriEventFlag*, uint32_t, uint32_t, uint32_t" Function,+,furi_event_flag_wait,uint32_t,"FuriEventFlag*, uint32_t, uint32_t, uint32_t"
Function,+,furi_get_tick,uint32_t, Function,+,furi_get_tick,uint32_t,
Function,+,furi_hal_bt_change_app,_Bool,"FuriHalBtProfile, GapEventCallback, void*" Function,+,furi_hal_bt_change_app,FuriHalBleProfileBase*,"const FuriHalBleProfileTemplate*, FuriHalBleProfileParams, GapEventCallback, void*"
Function,+,furi_hal_bt_check_profile_type,_Bool,"FuriHalBleProfileBase*, const FuriHalBleProfileTemplate*"
Function,+,furi_hal_bt_clear_white_list,_Bool, Function,+,furi_hal_bt_clear_white_list,_Bool,
Function,+,furi_hal_bt_custom_adv_set,_Bool,"const uint8_t*, size_t" Function,+,furi_hal_bt_custom_adv_set,_Bool,"const uint8_t*, size_t"
Function,+,furi_hal_bt_custom_adv_start,_Bool,"uint16_t, uint16_t, uint8_t, const uint8_t[( 6 )], uint8_t" Function,+,furi_hal_bt_custom_adv_start,_Bool,"uint16_t, uint16_t, uint8_t, const uint8_t[( 6 )], uint8_t"
Function,+,furi_hal_bt_custom_adv_stop,_Bool, Function,+,furi_hal_bt_custom_adv_stop,_Bool,
Function,+,furi_hal_bt_dump_state,void,FuriString* Function,+,furi_hal_bt_dump_state,void,FuriString*
Function,+,furi_hal_bt_ensure_c2_mode,_Bool,BleGlueC2Mode Function,+,furi_hal_bt_ensure_c2_mode,_Bool,BleGlueC2Mode
Function,-,furi_hal_bt_get_conn_rssi,uint32_t,uint8_t* Function,+,furi_hal_bt_extra_beacon_get_config,const GapExtraBeaconConfig*,
Function,-,furi_hal_bt_get_hardfault_info,const FuriHalBtHardfaultInfo*, Function,+,furi_hal_bt_extra_beacon_get_data,uint8_t,uint8_t*
Function,+,furi_hal_bt_extra_beacon_is_active,_Bool,
Function,+,furi_hal_bt_extra_beacon_set_config,_Bool,const GapExtraBeaconConfig*
Function,+,furi_hal_bt_extra_beacon_set_data,_Bool,"const uint8_t*, uint8_t"
Function,+,furi_hal_bt_extra_beacon_start,_Bool,
Function,+,furi_hal_bt_extra_beacon_stop,_Bool,
Function,+,furi_hal_bt_get_key_storage_buff,void,"uint8_t**, uint16_t*" Function,+,furi_hal_bt_get_key_storage_buff,void,"uint8_t**, uint16_t*"
Function,+,furi_hal_bt_get_profile_adv_name,const char*,FuriHalBtProfile Function,+,furi_hal_bt_get_profile_adv_name,const char*,FuriHalBtProfile
Function,+,furi_hal_bt_get_profile_mac_addr,const uint8_t*,FuriHalBtProfile Function,+,furi_hal_bt_get_profile_mac_addr,const uint8_t*,FuriHalBtProfile
@@ -1152,42 +1210,22 @@ Function,+,furi_hal_bt_get_radio_stack,FuriHalBtStack,
Function,+,furi_hal_bt_get_rssi,float, Function,+,furi_hal_bt_get_rssi,float,
Function,+,furi_hal_bt_get_transmitted_packets,uint32_t, Function,+,furi_hal_bt_get_transmitted_packets,uint32_t,
Function,+,furi_hal_bt_hid_consumer_key_press,_Bool,uint16_t Function,+,furi_hal_bt_hid_consumer_key_press,_Bool,uint16_t
Function,+,furi_hal_bt_hid_consumer_key_release,_Bool,uint16_t
Function,+,furi_hal_bt_hid_consumer_key_release_all,_Bool,
Function,+,furi_hal_bt_hid_get_led_state,uint8_t,
Function,+,furi_hal_bt_hid_kb_press,_Bool,uint16_t
Function,+,furi_hal_bt_hid_kb_release,_Bool,uint16_t
Function,+,furi_hal_bt_hid_kb_release_all,_Bool,
Function,+,furi_hal_bt_hid_mouse_move,_Bool,"int8_t, int8_t"
Function,+,furi_hal_bt_hid_mouse_press,_Bool,uint8_t
Function,+,furi_hal_bt_hid_mouse_release,_Bool,uint8_t
Function,+,furi_hal_bt_hid_mouse_release_all,_Bool,
Function,+,furi_hal_bt_hid_mouse_scroll,_Bool,int8_t
Function,+,furi_hal_bt_hid_start,void,
Function,+,furi_hal_bt_hid_stop,void,
Function,-,furi_hal_bt_init,void, Function,-,furi_hal_bt_init,void,
Function,+,furi_hal_bt_is_active,_Bool, Function,+,furi_hal_bt_is_active,_Bool,
Function,+,furi_hal_bt_is_alive,_Bool, Function,+,furi_hal_bt_is_alive,_Bool,
Function,+,furi_hal_bt_is_ble_gatt_gap_supported,_Bool, Function,+,furi_hal_bt_is_gatt_gap_supported,_Bool,
Function,+,furi_hal_bt_is_connected,_Bool,
Function,+,furi_hal_bt_is_testing_supported,_Bool, Function,+,furi_hal_bt_is_testing_supported,_Bool,
Function,+,furi_hal_bt_lock_core2,void, Function,+,furi_hal_bt_lock_core2,void,
Function,+,furi_hal_bt_nvm_sram_sem_acquire,void, Function,+,furi_hal_bt_nvm_sram_sem_acquire,void,
Function,+,furi_hal_bt_nvm_sram_sem_release,void, Function,+,furi_hal_bt_nvm_sram_sem_release,void,
Function,+,furi_hal_bt_reinit,void, Function,+,furi_hal_bt_reinit,void,
Function,+,furi_hal_bt_reverse_mac_addr,void,uint8_t[( 6 )] Function,+,furi_hal_bt_reverse_mac_addr,void,uint8_t[( 6 )]
Function,+,furi_hal_bt_serial_notify_buffer_is_empty,void,
Function,+,furi_hal_bt_serial_set_event_callback,void,"uint16_t, FuriHalBtSerialCallback, void*"
Function,+,furi_hal_bt_serial_set_rpc_status,void,FuriHalBtSerialRpcStatus
Function,+,furi_hal_bt_serial_start,void,
Function,+,furi_hal_bt_serial_stop,void,
Function,+,furi_hal_bt_serial_tx,_Bool,"uint8_t*, uint16_t"
Function,+,furi_hal_bt_set_key_storage_change_callback,void,"BleGlueKeyStorageChangedCallback, void*" Function,+,furi_hal_bt_set_key_storage_change_callback,void,"BleGlueKeyStorageChangedCallback, void*"
Function,+,furi_hal_bt_set_profile_adv_name,void,"FuriHalBtProfile, const char[( ( 1 + 8 + ( 8 + 1 ) ) + 1 )]" Function,+,furi_hal_bt_set_profile_adv_name,void,"FuriHalBtProfile, const char[( ( 1 + 8 + ( 8 + 1 ) ) + 1 )]"
Function,+,furi_hal_bt_set_profile_mac_addr,void,"FuriHalBtProfile, const uint8_t[( 6 )]" Function,+,furi_hal_bt_set_profile_mac_addr,void,"FuriHalBtProfile, const uint8_t[( 6 )]"
Function,+,furi_hal_bt_set_profile_pairing_method,void,"FuriHalBtProfile, GapPairing" Function,+,furi_hal_bt_set_profile_pairing_method,void,"FuriHalBtProfile, GapPairing"
Function,+,furi_hal_bt_start_advertising,void, Function,+,furi_hal_bt_start_advertising,void,
Function,+,furi_hal_bt_start_app,_Bool,"FuriHalBtProfile, GapEventCallback, void*" Function,+,furi_hal_bt_start_app,FuriHalBleProfileBase*,"const FuriHalBleProfileTemplate*, FuriHalBleProfileParams, GapEventCallback, void*"
Function,+,furi_hal_bt_start_packet_rx,void,"uint8_t, uint8_t" Function,+,furi_hal_bt_start_packet_rx,void,"uint8_t, uint8_t"
Function,+,furi_hal_bt_start_packet_tx,void,"uint8_t, uint8_t, uint8_t" Function,+,furi_hal_bt_start_packet_tx,void,"uint8_t, uint8_t, uint8_t"
Function,+,furi_hal_bt_start_radio_stack,_Bool, Function,+,furi_hal_bt_start_radio_stack,_Bool,
@@ -1199,7 +1237,7 @@ Function,+,furi_hal_bt_stop_rx,void,
Function,+,furi_hal_bt_stop_tone_tx,void, Function,+,furi_hal_bt_stop_tone_tx,void,
Function,+,furi_hal_bt_unlock_core2,void, Function,+,furi_hal_bt_unlock_core2,void,
Function,+,furi_hal_bt_update_battery_level,void,uint8_t Function,+,furi_hal_bt_update_battery_level,void,uint8_t
Function,+,furi_hal_bt_update_power_state,void, Function,+,furi_hal_bt_update_power_state,void,_Bool
Function,+,furi_hal_bus_deinit_early,void, Function,+,furi_hal_bus_deinit_early,void,
Function,+,furi_hal_bus_disable,void,FuriHalBus Function,+,furi_hal_bus_disable,void,FuriHalBus
Function,+,furi_hal_bus_enable,void,FuriHalBus Function,+,furi_hal_bus_enable,void,FuriHalBus
@@ -1765,6 +1803,7 @@ Function,+,furi_thread_get_current_priority,FuriThreadPriority,
Function,+,furi_thread_get_heap_size,size_t,FuriThread* Function,+,furi_thread_get_heap_size,size_t,FuriThread*
Function,+,furi_thread_get_id,FuriThreadId,FuriThread* Function,+,furi_thread_get_id,FuriThreadId,FuriThread*
Function,+,furi_thread_get_name,const char*,FuriThreadId Function,+,furi_thread_get_name,const char*,FuriThreadId
Function,+,furi_thread_get_priority,FuriThreadPriority,FuriThread*
Function,+,furi_thread_get_return_code,int32_t,FuriThread* Function,+,furi_thread_get_return_code,int32_t,FuriThread*
Function,+,furi_thread_get_stack_space,uint32_t,FuriThreadId Function,+,furi_thread_get_stack_space,uint32_t,FuriThreadId
Function,+,furi_thread_get_state,FuriThreadState,FuriThread* Function,+,furi_thread_get_state,FuriThreadState,FuriThread*
@@ -1803,7 +1842,15 @@ Function,-,gamma,double,double
Function,-,gamma_r,double,"double, int*" Function,-,gamma_r,double,"double, int*"
Function,-,gammaf,float,float Function,-,gammaf,float,float
Function,-,gammaf_r,float,"float, int*" Function,-,gammaf_r,float,"float, int*"
Function,-,gap_get_remote_conn_rssi,uint32_t,int8_t* Function,-,gap_emit_ble_beacon_status_event,void,_Bool
Function,-,gap_extra_beacon_get_config,const GapExtraBeaconConfig*,
Function,-,gap_extra_beacon_get_data,uint8_t,uint8_t*
Function,-,gap_extra_beacon_get_state,GapExtraBeaconState,
Function,-,gap_extra_beacon_init,void,
Function,-,gap_extra_beacon_set_config,_Bool,const GapExtraBeaconConfig*
Function,-,gap_extra_beacon_set_data,_Bool,"const uint8_t*, uint8_t"
Function,-,gap_extra_beacon_start,_Bool,
Function,-,gap_extra_beacon_stop,_Bool,
Function,-,gap_get_state,GapState, Function,-,gap_get_state,GapState,
Function,-,gap_init,_Bool,"GapConfig*, GapEventCallback, void*" Function,-,gap_init,_Bool,"GapConfig*, GapEventCallback, void*"
Function,-,gap_start_advertising,void, Function,-,gap_start_advertising,void,
@@ -1827,6 +1874,7 @@ Function,+,gui_remove_view_port,void,"Gui*, ViewPort*"
Function,+,gui_set_lockdown,void,"Gui*, _Bool" Function,+,gui_set_lockdown,void,"Gui*, _Bool"
Function,-,gui_view_port_send_to_back,void,"Gui*, ViewPort*" Function,-,gui_view_port_send_to_back,void,"Gui*, ViewPort*"
Function,+,gui_view_port_send_to_front,void,"Gui*, ViewPort*" Function,+,gui_view_port_send_to_front,void,"Gui*, ViewPort*"
Function,-,hci_send_req,int,"hci_request*, uint8_t"
Function,+,hex_char_to_hex_nibble,_Bool,"char, uint8_t*" Function,+,hex_char_to_hex_nibble,_Bool,"char, uint8_t*"
Function,+,hex_char_to_uint8,_Bool,"char, char, uint8_t*" Function,+,hex_char_to_uint8,_Bool,"char, char, uint8_t*"
Function,+,hex_chars_to_uint64,_Bool,"const char*, uint64_t*" Function,+,hex_chars_to_uint64,_Bool,"const char*, uint64_t*"
@@ -2901,13 +2949,6 @@ Function,+,scene_manager_stop,void,SceneManager*
Function,+,sd_api_get_fs_type_text,const char*,SDFsType Function,+,sd_api_get_fs_type_text,const char*,SDFsType
Function,-,secure_getenv,char*,const char* Function,-,secure_getenv,char*,const char*
Function,-,seed48,unsigned short*,unsigned short[3] Function,-,seed48,unsigned short*,unsigned short[3]
Function,-,serial_svc_is_started,_Bool,
Function,-,serial_svc_notify_buffer_is_empty,void,
Function,-,serial_svc_set_callbacks,void,"uint16_t, SerialServiceEventCallback, void*"
Function,-,serial_svc_set_rpc_status,void,SerialServiceRpcStatus
Function,-,serial_svc_start,void,
Function,-,serial_svc_stop,void,
Function,-,serial_svc_update_tx,_Bool,"uint8_t*, uint16_t"
Function,-,setbuf,void,"FILE*, char*" Function,-,setbuf,void,"FILE*, char*"
Function,-,setbuffer,void,"FILE*, char*, int" Function,-,setbuffer,void,"FILE*, char*, int"
Function,-,setenv,int,"const char*, const char*, int" Function,-,setenv,int,"const char*, const char*, int"
@@ -3554,6 +3595,8 @@ Variable,+,_impure_data,_reent,
Variable,+,_impure_ptr,_reent*, Variable,+,_impure_ptr,_reent*,
Variable,-,_sys_errlist,const char*[], Variable,-,_sys_errlist,const char*[],
Variable,-,_sys_nerr,int, Variable,-,_sys_nerr,int,
Variable,-,ble_profile_hid,const FuriHalBleProfileTemplate*,
Variable,-,ble_profile_serial,const FuriHalBleProfileTemplate*,
Variable,+,cli_vcp,CliSession, Variable,+,cli_vcp,CliSession,
Variable,+,firmware_api_interface,const ElfApiInterface*, Variable,+,firmware_api_interface,const ElfApiInterface*,
Variable,+,furi_hal_i2c_bus_external,FuriHalI2cBus, Variable,+,furi_hal_i2c_bus_external,FuriHalI2cBus,
1 entry status name type params
2 Version + 57.0 58.0
3 Header + applications/drivers/subghz/cc1101_ext/cc1101_ext_interconnect.h
4 Header + applications/services/bt/bt_service/bt.h
5 Header + applications/services/cli/cli.h
39 Header + applications/services/rpc/rpc_app.h
40 Header + applications/services/storage/storage.h
41 Header + lib/bit_lib/bit_lib.h
42 Header + lib/ble_profile/extra_profiles/hid_profile.h
43 Header + lib/ble_profile/extra_services/hid_service.h
44 Header + lib/datetime/datetime.h
45 Header + lib/digital_signal/digital_sequence.h
46 Header + lib/digital_signal/digital_signal.h
235 Header + lib/toolbox/tar/tar_archive.h
236 Header + lib/toolbox/value_index.h
237 Header + lib/toolbox/version.h
238 Header + targets/f7/ble_glue/furi_ble/event_dispatcher.h
239 Header + targets/f7/ble_glue/furi_ble/gatt.h
240 Header + targets/f7/ble_glue/furi_ble/profile_interface.h
241 Header + targets/f7/ble_glue/profiles/serial_profile.h
242 Header + targets/f7/ble_glue/services/battery_service.h
243 Header + targets/f7/ble_glue/services/dev_info_service.h
244 Header + targets/f7/ble_glue/services/serial_service.h
245 Header + targets/f7/furi_hal/furi_hal_bus.h
246 Header + targets/f7/furi_hal/furi_hal_clock.h
247 Header + targets/f7/furi_hal/furi_hal_dma.h
270 Header + targets/f7/platform_specific/math_wrapper.h
271 Header + targets/furi_hal_include/furi_hal.h
272 Header + targets/furi_hal_include/furi_hal_bt.h
Header + targets/furi_hal_include/furi_hal_bt_hid.h
Header + targets/furi_hal_include/furi_hal_bt_serial.h
273 Header + targets/furi_hal_include/furi_hal_cortex.h
274 Header + targets/furi_hal_include/furi_hal_crypto.h
275 Header + targets/furi_hal_include/furi_hal_debug.h
389 Function + LL_USART_Init ErrorStatus USART_TypeDef*, const LL_USART_InitTypeDef*
390 Function - LL_USART_StructInit void LL_USART_InitTypeDef*
391 Function - LL_mDelay void uint32_t
392 Function - Osal_MemCmp int const void*, const void*, unsigned int
393 Function - Osal_MemCpy void* void*, const void*, unsigned int
394 Function - Osal_MemSet void* void*, int, unsigned int
395 Function - SystemCoreClockUpdate void
396 Function - SystemInit void
397 Function - _Exit void int
684 Function + bit_lib_set_bits void uint8_t*, size_t, uint8_t, uint8_t
685 Function + bit_lib_test_parity _Bool const uint8_t*, size_t, uint8_t, BitLibParity, uint8_t
686 Function + bit_lib_test_parity_32 _Bool uint32_t, BitLibParity
687 Function + - ble_app_get_key_storage_buff ble_app_deinit void uint8_t**, uint16_t*
688 Function + - ble_app_init ble_app_get_key_storage_buff _Bool void uint8_t**, uint16_t*
689 Function + - ble_app_thread_stop ble_app_init void _Bool
690 Function - ble_event_app_notification BleEventFlowStatus void*
691 Function - ble_event_dispatcher_init void
692 Function + ble_event_dispatcher_process_event BleEventFlowStatus void*
693 Function + ble_event_dispatcher_register_svc_handler GapSvcEventHandler* BleSvcEventHandlerCb, void*
694 Function - ble_event_dispatcher_reset void
695 Function + ble_event_dispatcher_unregister_svc_handler void GapSvcEventHandler*
696 Function + ble_gatt_characteristic_delete void uint16_t, BleGattCharacteristicInstance*
697 Function + ble_gatt_characteristic_init void uint16_t, const BleGattCharacteristicParams*, BleGattCharacteristicInstance*
698 Function + ble_gatt_characteristic_update _Bool uint16_t, BleGattCharacteristicInstance*, const void*
699 Function + ble_gatt_service_add _Bool uint8_t, const Service_UUID_t*, uint8_t, uint8_t, uint16_t*
700 Function + ble_gatt_service_delete _Bool uint16_t
701 Function + ble_glue_force_c2_mode BleGlueCommandResult BleGlueC2Mode
702 Function - ble_glue_fus_get_status BleGlueCommandResult
703 Function - ble_glue_fus_stack_delete BleGlueCommandResult
705 Function - ble_glue_fus_wait_operation BleGlueCommandResult
706 Function + ble_glue_get_c2_info const BleGlueC2Info*
707 Function - ble_glue_get_c2_status BleGlueStatus
708 Function - ble_glue_get_hardfault_info const BleGlueHardfaultInfo*
709 Function + ble_glue_init void
710 Function + ble_glue_is_alive _Bool
711 Function + ble_glue_is_radio_stack_ready _Bool
712 Function + ble_glue_reinit_c2 _Bool
713 Function + ble_glue_set_key_storage_changed_callback void BleGlueKeyStorageChangedCallback, void*
714 Function + - ble_glue_start _Bool
715 Function + - ble_glue_thread_stop ble_glue_stop void
716 Function + ble_glue_wait_for_c2_start _Bool int32_t
717 Function - ble_profile_hid_consumer_key_press _Bool FuriHalBleProfileBase*, uint16_t
718 Function - ble_profile_hid_consumer_key_release _Bool FuriHalBleProfileBase*, uint16_t
719 Function - ble_profile_hid_consumer_key_release_all _Bool FuriHalBleProfileBase*
720 Function - ble_profile_hid_kb_press _Bool FuriHalBleProfileBase*, uint16_t
721 Function - ble_profile_hid_kb_release _Bool FuriHalBleProfileBase*, uint16_t
722 Function - ble_profile_hid_kb_release_all _Bool FuriHalBleProfileBase*
723 Function - ble_profile_hid_mouse_move _Bool FuriHalBleProfileBase*, int8_t, int8_t
724 Function - ble_profile_hid_mouse_press _Bool FuriHalBleProfileBase*, uint8_t
725 Function - ble_profile_hid_mouse_release _Bool FuriHalBleProfileBase*, uint8_t
726 Function - ble_profile_hid_mouse_release_all _Bool FuriHalBleProfileBase*
727 Function - ble_profile_hid_mouse_scroll _Bool FuriHalBleProfileBase*, int8_t
728 Function + ble_profile_serial_notify_buffer_is_empty void FuriHalBleProfileBase*
729 Function + ble_profile_serial_set_event_callback void FuriHalBleProfileBase*, uint16_t, FuriHalBtSerialCallback, void*
730 Function + ble_profile_serial_set_rpc_active void FuriHalBleProfileBase*, _Bool
731 Function + ble_profile_serial_tx _Bool FuriHalBleProfileBase*, uint8_t*, uint16_t
732 Function + ble_svc_battery_start BleServiceBattery* _Bool
733 Function + ble_svc_battery_state_update void uint8_t*, _Bool*
734 Function + ble_svc_battery_stop void BleServiceBattery*
735 Function + ble_svc_battery_update_level _Bool BleServiceBattery*, uint8_t
736 Function + ble_svc_battery_update_power_state _Bool BleServiceBattery*, _Bool
737 Function + ble_svc_dev_info_start BleServiceDevInfo*
738 Function + ble_svc_dev_info_stop void BleServiceDevInfo*
739 Function - ble_svc_hid_start BleServiceHid*
740 Function - ble_svc_hid_stop void BleServiceHid*
741 Function - ble_svc_hid_update_info _Bool BleServiceHid*, uint8_t*
742 Function - ble_svc_hid_update_input_report _Bool BleServiceHid*, uint8_t, uint8_t*, uint16_t
743 Function - ble_svc_hid_update_report_map _Bool BleServiceHid*, const uint8_t*, uint16_t
744 Function + ble_svc_serial_notify_buffer_is_empty void BleServiceSerial*
745 Function + ble_svc_serial_set_callbacks void BleServiceSerial*, uint16_t, SerialServiceEventCallback, void*
746 Function + ble_svc_serial_set_rpc_active void BleServiceSerial*, _Bool
747 Function + ble_svc_serial_start BleServiceSerial*
748 Function + ble_svc_serial_stop void BleServiceSerial*
749 Function + ble_svc_serial_update_tx _Bool BleServiceSerial*, uint8_t*, uint16_t
750 Function - bsearch void* const void*, const void*, size_t, size_t, __compar_fn_t
751 Function + bt_disable_peer_key_update void Bt*
752 Function + bt_disconnect void Bt*
757 Function + bt_get_profile_pairing_method GapPairing Bt*
758 Function + bt_keys_storage_set_default_path void Bt*
759 Function + bt_keys_storage_set_storage_path void Bt*, const char*
760 Function + bt_remote_rssi bt_profile_restore_default _Bool Bt*, uint8_t* Bt*
761 Function + bt_set_profile bt_profile_start _Bool FuriHalBleProfileBase* Bt*, BtProfile Bt*, const FuriHalBleProfileTemplate*, FuriHalBleProfileParams
Function + bt_set_profile_adv_name void Bt*, const char*, ...
Function + bt_set_profile_mac_address void Bt*, const uint8_t[6]
Function + bt_set_profile_pairing_method void Bt*, GapPairing
762 Function + bt_set_status_changed_callback void Bt*, BtStatusChangedCallback, void*
763 Function + buffered_file_stream_alloc Stream* Storage*
764 Function + buffered_file_stream_close _Bool Stream*
1187 Function + furi_event_flag_set uint32_t FuriEventFlag*, uint32_t
1188 Function + furi_event_flag_wait uint32_t FuriEventFlag*, uint32_t, uint32_t, uint32_t
1189 Function + furi_get_tick uint32_t
1190 Function + furi_hal_bt_change_app _Bool FuriHalBleProfileBase* FuriHalBtProfile, GapEventCallback, void* const FuriHalBleProfileTemplate*, FuriHalBleProfileParams, GapEventCallback, void*
1191 Function + furi_hal_bt_check_profile_type _Bool FuriHalBleProfileBase*, const FuriHalBleProfileTemplate*
1192 Function + furi_hal_bt_clear_white_list _Bool
1193 Function + furi_hal_bt_custom_adv_set _Bool const uint8_t*, size_t
1194 Function + furi_hal_bt_custom_adv_start _Bool uint16_t, uint16_t, uint8_t, const uint8_t[( 6 )], uint8_t
1195 Function + furi_hal_bt_custom_adv_stop _Bool
1196 Function + furi_hal_bt_dump_state void FuriString*
1197 Function + furi_hal_bt_ensure_c2_mode _Bool BleGlueC2Mode
1198 Function - + furi_hal_bt_get_conn_rssi furi_hal_bt_extra_beacon_get_config uint32_t const GapExtraBeaconConfig* uint8_t*
1199 Function - + furi_hal_bt_get_hardfault_info furi_hal_bt_extra_beacon_get_data const FuriHalBtHardfaultInfo* uint8_t uint8_t*
1200 Function + furi_hal_bt_extra_beacon_is_active _Bool
1201 Function + furi_hal_bt_extra_beacon_set_config _Bool const GapExtraBeaconConfig*
1202 Function + furi_hal_bt_extra_beacon_set_data _Bool const uint8_t*, uint8_t
1203 Function + furi_hal_bt_extra_beacon_start _Bool
1204 Function + furi_hal_bt_extra_beacon_stop _Bool
1205 Function + furi_hal_bt_get_key_storage_buff void uint8_t**, uint16_t*
1206 Function + furi_hal_bt_get_profile_adv_name const char* FuriHalBtProfile
1207 Function + furi_hal_bt_get_profile_mac_addr const uint8_t* FuriHalBtProfile
1210 Function + furi_hal_bt_get_rssi float
1211 Function + furi_hal_bt_get_transmitted_packets uint32_t
1212 Function + furi_hal_bt_hid_consumer_key_press _Bool uint16_t
Function + furi_hal_bt_hid_consumer_key_release _Bool uint16_t
Function + furi_hal_bt_hid_consumer_key_release_all _Bool
Function + furi_hal_bt_hid_get_led_state uint8_t
Function + furi_hal_bt_hid_kb_press _Bool uint16_t
Function + furi_hal_bt_hid_kb_release _Bool uint16_t
Function + furi_hal_bt_hid_kb_release_all _Bool
Function + furi_hal_bt_hid_mouse_move _Bool int8_t, int8_t
Function + furi_hal_bt_hid_mouse_press _Bool uint8_t
Function + furi_hal_bt_hid_mouse_release _Bool uint8_t
Function + furi_hal_bt_hid_mouse_release_all _Bool
Function + furi_hal_bt_hid_mouse_scroll _Bool int8_t
Function + furi_hal_bt_hid_start void
Function + furi_hal_bt_hid_stop void
1213 Function - furi_hal_bt_init void
1214 Function + furi_hal_bt_is_active _Bool
1215 Function + furi_hal_bt_is_alive _Bool
1216 Function + furi_hal_bt_is_ble_gatt_gap_supported furi_hal_bt_is_gatt_gap_supported _Bool
Function + furi_hal_bt_is_connected _Bool
1217 Function + furi_hal_bt_is_testing_supported _Bool
1218 Function + furi_hal_bt_lock_core2 void
1219 Function + furi_hal_bt_nvm_sram_sem_acquire void
1220 Function + furi_hal_bt_nvm_sram_sem_release void
1221 Function + furi_hal_bt_reinit void
1222 Function + furi_hal_bt_reverse_mac_addr void uint8_t[( 6 )]
Function + furi_hal_bt_serial_notify_buffer_is_empty void
Function + furi_hal_bt_serial_set_event_callback void uint16_t, FuriHalBtSerialCallback, void*
Function + furi_hal_bt_serial_set_rpc_status void FuriHalBtSerialRpcStatus
Function + furi_hal_bt_serial_start void
Function + furi_hal_bt_serial_stop void
Function + furi_hal_bt_serial_tx _Bool uint8_t*, uint16_t
1223 Function + furi_hal_bt_set_key_storage_change_callback void BleGlueKeyStorageChangedCallback, void*
1224 Function + furi_hal_bt_set_profile_adv_name void FuriHalBtProfile, const char[( ( 1 + 8 + ( 8 + 1 ) ) + 1 )]
1225 Function + furi_hal_bt_set_profile_mac_addr void FuriHalBtProfile, const uint8_t[( 6 )]
1226 Function + furi_hal_bt_set_profile_pairing_method void FuriHalBtProfile, GapPairing
1227 Function + furi_hal_bt_start_advertising void
1228 Function + furi_hal_bt_start_app _Bool FuriHalBleProfileBase* FuriHalBtProfile, GapEventCallback, void* const FuriHalBleProfileTemplate*, FuriHalBleProfileParams, GapEventCallback, void*
1229 Function + furi_hal_bt_start_packet_rx void uint8_t, uint8_t
1230 Function + furi_hal_bt_start_packet_tx void uint8_t, uint8_t, uint8_t
1231 Function + furi_hal_bt_start_radio_stack _Bool
1237 Function + furi_hal_bt_stop_tone_tx void
1238 Function + furi_hal_bt_unlock_core2 void
1239 Function + furi_hal_bt_update_battery_level void uint8_t
1240 Function + furi_hal_bt_update_power_state void _Bool
1241 Function + furi_hal_bus_deinit_early void
1242 Function + furi_hal_bus_disable void FuriHalBus
1243 Function + furi_hal_bus_enable void FuriHalBus
1803 Function + furi_thread_get_heap_size size_t FuriThread*
1804 Function + furi_thread_get_id FuriThreadId FuriThread*
1805 Function + furi_thread_get_name const char* FuriThreadId
1806 Function + furi_thread_get_priority FuriThreadPriority FuriThread*
1807 Function + furi_thread_get_return_code int32_t FuriThread*
1808 Function + furi_thread_get_stack_space uint32_t FuriThreadId
1809 Function + furi_thread_get_state FuriThreadState FuriThread*
1842 Function - gamma_r double double, int*
1843 Function - gammaf float float
1844 Function - gammaf_r float float, int*
1845 Function - gap_get_remote_conn_rssi gap_emit_ble_beacon_status_event uint32_t void int8_t* _Bool
1846 Function - gap_extra_beacon_get_config const GapExtraBeaconConfig*
1847 Function - gap_extra_beacon_get_data uint8_t uint8_t*
1848 Function - gap_extra_beacon_get_state GapExtraBeaconState
1849 Function - gap_extra_beacon_init void
1850 Function - gap_extra_beacon_set_config _Bool const GapExtraBeaconConfig*
1851 Function - gap_extra_beacon_set_data _Bool const uint8_t*, uint8_t
1852 Function - gap_extra_beacon_start _Bool
1853 Function - gap_extra_beacon_stop _Bool
1854 Function - gap_get_state GapState
1855 Function - gap_init _Bool GapConfig*, GapEventCallback, void*
1856 Function - gap_start_advertising void
1874 Function + gui_set_lockdown void Gui*, _Bool
1875 Function - gui_view_port_send_to_back void Gui*, ViewPort*
1876 Function + gui_view_port_send_to_front void Gui*, ViewPort*
1877 Function - hci_send_req int hci_request*, uint8_t
1878 Function + hex_char_to_hex_nibble _Bool char, uint8_t*
1879 Function + hex_char_to_uint8 _Bool char, char, uint8_t*
1880 Function + hex_chars_to_uint64 _Bool const char*, uint64_t*
2949 Function + sd_api_get_fs_type_text const char* SDFsType
2950 Function - secure_getenv char* const char*
2951 Function - seed48 unsigned short* unsigned short[3]
Function - serial_svc_is_started _Bool
Function - serial_svc_notify_buffer_is_empty void
Function - serial_svc_set_callbacks void uint16_t, SerialServiceEventCallback, void*
Function - serial_svc_set_rpc_status void SerialServiceRpcStatus
Function - serial_svc_start void
Function - serial_svc_stop void
Function - serial_svc_update_tx _Bool uint8_t*, uint16_t
2952 Function - setbuf void FILE*, char*
2953 Function - setbuffer void FILE*, char*, int
2954 Function - setenv int const char*, const char*, int
3595 Variable + _impure_ptr _reent*
3596 Variable - _sys_errlist const char*[]
3597 Variable - _sys_nerr int
3598 Variable - ble_profile_hid const FuriHalBleProfileTemplate*
3599 Variable - ble_profile_serial const FuriHalBleProfileTemplate*
3600 Variable + cli_vcp CliSession
3601 Variable + firmware_api_interface const ElfApiInterface*
3602 Variable + furi_hal_i2c_bus_external FuriHalI2cBus

View File

@@ -7,6 +7,6 @@
#include <stdarg.h> #include <stdarg.h>
#include <core/common_defines.h> #include <core/common_defines.h>
#include <tl.h> #include <interface/patterns/ble_thread/tl/tl.h>
#include "app_conf.h" #include "app_conf.h"

View File

@@ -46,7 +46,7 @@
* Maximum number of simultaneous connections that the device will support. * Maximum number of simultaneous connections that the device will support.
* Valid values are from 1 to 8 * Valid values are from 1 to 8
*/ */
#define CFG_BLE_NUM_LINK 1 #define CFG_BLE_NUM_LINK 2
/** /**
* Maximum number of Services that can be stored in the GATT database. * Maximum number of Services that can be stored in the GATT database.

View File

@@ -1,19 +1,17 @@
#include "ble_app.h" #include "ble_app.h"
#include <core/check.h>
#include <ble/ble.h> #include <ble/ble.h>
#include <interface/patterns/ble_thread/tl/hci_tl.h> #include <interface/patterns/ble_thread/tl/hci_tl.h>
#include <interface/patterns/ble_thread/shci/shci.h> #include <interface/patterns/ble_thread/shci/shci.h>
#include "gap.h" #include "gap.h"
#include "furi_ble/event_dispatcher.h"
#include <furi_hal.h> #include <furi_hal.h>
#include <furi.h> #include <furi.h>
#define TAG "Bt" #define TAG "Bt"
#define BLE_APP_FLAG_HCI_EVENT (1UL << 0)
#define BLE_APP_FLAG_KILL_THREAD (1UL << 1)
#define BLE_APP_FLAG_ALL (BLE_APP_FLAG_HCI_EVENT | BLE_APP_FLAG_KILL_THREAD)
PLACE_IN_SECTION("MB_MEM1") ALIGN(4) static TL_CmdPacket_t ble_app_cmd_buffer; PLACE_IN_SECTION("MB_MEM1") ALIGN(4) static TL_CmdPacket_t ble_app_cmd_buffer;
PLACE_IN_SECTION("MB_MEM2") ALIGN(4) static uint32_t ble_app_nvm[BLE_NVM_SRAM_SIZE]; PLACE_IN_SECTION("MB_MEM2") ALIGN(4) static uint32_t ble_app_nvm[BLE_NVM_SRAM_SIZE];
@@ -24,12 +22,10 @@ _Static_assert(
typedef struct { typedef struct {
FuriMutex* hci_mtx; FuriMutex* hci_mtx;
FuriSemaphore* hci_sem; FuriSemaphore* hci_sem;
FuriThread* thread;
} BleApp; } BleApp;
static BleApp* ble_app = NULL; static BleApp* ble_app = NULL;
static int32_t ble_app_hci_thread(void* context);
static void ble_app_hci_event_handler(void* pPayload); static void ble_app_hci_event_handler(void* pPayload);
static void ble_app_hci_status_not_handler(HCI_TL_CmdStatus_t status); static void ble_app_hci_status_not_handler(HCI_TL_CmdStatus_t status);
@@ -81,30 +77,35 @@ static const SHCI_C2_Ble_Init_Cmd_Packet_t ble_init_cmd_packet = {
SHCI_C2_BLE_INIT_OPTIONS_APPEARANCE_READONLY, SHCI_C2_BLE_INIT_OPTIONS_APPEARANCE_READONLY,
}}; }};
bool ble_app_init() { bool ble_app_init(void) {
SHCI_CmdStatus_t status; SHCI_CmdStatus_t status;
ble_app = malloc(sizeof(BleApp)); ble_app = malloc(sizeof(BleApp));
// Allocate semafore and mutex for ble command buffer access // Allocate semafore and mutex for ble command buffer access
ble_app->hci_mtx = furi_mutex_alloc(FuriMutexTypeNormal); ble_app->hci_mtx = furi_mutex_alloc(FuriMutexTypeNormal);
ble_app->hci_sem = furi_semaphore_alloc(1, 0); ble_app->hci_sem = furi_semaphore_alloc(1, 0);
// HCI transport layer thread to handle user asynch events
ble_app->thread = furi_thread_alloc_ex("BleHciDriver", 1024, ble_app_hci_thread, ble_app);
furi_thread_start(ble_app->thread);
// Initialize Ble Transport Layer // Initialize Ble Transport Layer
hci_init(ble_app_hci_event_handler, (void*)&hci_tl_config); hci_init(ble_app_hci_event_handler, (void*)&hci_tl_config);
do {
// Configure NVM store for pairing data // Configure NVM store for pairing data
status = SHCI_C2_Config((SHCI_C2_CONFIG_Cmd_Param_t*)&config_param); if((status = SHCI_C2_Config((SHCI_C2_CONFIG_Cmd_Param_t*)&config_param))) {
if(status) {
FURI_LOG_E(TAG, "Failed to configure 2nd core: %d", status); FURI_LOG_E(TAG, "Failed to configure 2nd core: %d", status);
break;
} }
// Start ble stack on 2nd core // Start ble stack on 2nd core
status = SHCI_C2_BLE_Init((SHCI_C2_Ble_Init_Cmd_Packet_t*)&ble_init_cmd_packet); if((status = SHCI_C2_BLE_Init((SHCI_C2_Ble_Init_Cmd_Packet_t*)&ble_init_cmd_packet))) {
if(status) {
FURI_LOG_E(TAG, "Failed to start ble stack: %d", status); FURI_LOG_E(TAG, "Failed to start ble stack: %d", status);
break;
} }
if((status = SHCI_C2_SetFlashActivityControl(FLASH_ACTIVITY_CONTROL_SEM7))) {
FURI_LOG_E(TAG, "Failed to set flash activity control: %d", status);
break;
}
} while(false);
return status == SHCI_Success; return status == SHCI_Success;
} }
@@ -113,47 +114,18 @@ void ble_app_get_key_storage_buff(uint8_t** addr, uint16_t* size) {
*size = sizeof(ble_app_nvm); *size = sizeof(ble_app_nvm);
} }
void ble_app_thread_stop() { void ble_app_deinit(void) {
if(ble_app) { furi_check(ble_app);
FuriThreadId thread_id = furi_thread_get_id(ble_app->thread);
furi_assert(thread_id);
furi_thread_flags_set(thread_id, BLE_APP_FLAG_KILL_THREAD);
furi_thread_join(ble_app->thread);
furi_thread_free(ble_app->thread);
// Free resources
furi_mutex_free(ble_app->hci_mtx); furi_mutex_free(ble_app->hci_mtx);
furi_semaphore_free(ble_app->hci_sem); furi_semaphore_free(ble_app->hci_sem);
free(ble_app); free(ble_app);
ble_app = NULL; ble_app = NULL;
memset(&ble_app_cmd_buffer, 0, sizeof(ble_app_cmd_buffer)); memset(&ble_app_cmd_buffer, 0, sizeof(ble_app_cmd_buffer));
}
} }
static int32_t ble_app_hci_thread(void* arg) { ///////////////////////////////////////////////////////////////////////////////
UNUSED(arg); // AN5289, 4.9
uint32_t flags = 0;
while(1) {
flags = furi_thread_flags_wait(BLE_APP_FLAG_ALL, FuriFlagWaitAny, FuriWaitForever);
if(flags & BLE_APP_FLAG_KILL_THREAD) {
break;
}
if(flags & BLE_APP_FLAG_HCI_EVENT) {
hci_user_evt_proc();
}
}
return 0;
}
// Called by WPAN lib
void hci_notify_asynch_evt(void* pdata) {
UNUSED(pdata);
furi_check(ble_app);
FuriThreadId thread_id = furi_thread_get_id(ble_app->thread);
furi_assert(thread_id);
furi_thread_flags_set(thread_id, BLE_APP_FLAG_HCI_EVENT);
}
void hci_cmd_resp_release(uint32_t flag) { void hci_cmd_resp_release(uint32_t flag) {
UNUSED(flag); UNUSED(flag);
@@ -166,13 +138,16 @@ void hci_cmd_resp_wait(uint32_t timeout) {
furi_check(furi_semaphore_acquire(ble_app->hci_sem, timeout) == FuriStatusOk); furi_check(furi_semaphore_acquire(ble_app->hci_sem, timeout) == FuriStatusOk);
} }
static void ble_app_hci_event_handler(void* pPayload) { ///////////////////////////////////////////////////////////////////////////////
SVCCTL_UserEvtFlowStatus_t svctl_return_status;
tHCI_UserEvtRxParam* pParam = (tHCI_UserEvtRxParam*)pPayload;
static void ble_app_hci_event_handler(void* pPayload) {
furi_check(ble_app); furi_check(ble_app);
svctl_return_status = SVCCTL_UserEvtRx((void*)&(pParam->pckt->evtserial));
if(svctl_return_status != SVCCTL_UserEvtFlowDisable) { tHCI_UserEvtRxParam* pParam = (tHCI_UserEvtRxParam*)pPayload;
BleEventFlowStatus event_flow_status =
ble_event_dispatcher_process_event((void*)&(pParam->pckt->evtserial));
if(event_flow_status != BleEventFlowDisable) {
pParam->status = HCI_TL_UserEventFlow_Enable; pParam->status = HCI_TL_UserEventFlow_Enable;
} else { } else {
pParam->status = HCI_TL_UserEventFlow_Disable; pParam->status = HCI_TL_UserEventFlow_Disable;

View File

@@ -3,13 +3,19 @@
#include <stdbool.h> #include <stdbool.h>
#include <stdint.h> #include <stdint.h>
/*
* BLE stack init and cleanup
*/
#ifdef __cplusplus #ifdef __cplusplus
extern "C" { extern "C" {
#endif #endif
bool ble_app_init(); bool ble_app_init(void);
void ble_app_get_key_storage_buff(uint8_t** addr, uint16_t* size); void ble_app_get_key_storage_buff(uint8_t** addr, uint16_t* size);
void ble_app_thread_stop();
void ble_app_deinit(void);
#ifdef __cplusplus #ifdef __cplusplus
} }

View File

@@ -3,12 +3,9 @@
#include "app_conf.h" #include "app_conf.h"
/** /**
* There is one handler per service enabled * We're not using WPAN's event dispatchers
* Note: There is no handler for the Device Information Service * so both client & service max callback count is set to 0.
*
* This shall take into account all registered handlers
* (from either the provided services or the custom services)
*/ */
#define BLE_CFG_SVC_MAX_NBR_CB 7 #define BLE_CFG_SVC_MAX_NBR_CB 0
#define BLE_CFG_CLT_MAX_NBR_CB 0 #define BLE_CFG_CLT_MAX_NBR_CB 0

View File

@@ -0,0 +1,96 @@
#include "app_common.h"
#include <core/check.h>
#include <core/thread.h>
#include <core/log.h>
#include <interface/patterns/ble_thread/tl/shci_tl.h>
#include <interface/patterns/ble_thread/tl/hci_tl.h>
#define TAG "BleEvt"
#define BLE_EVENT_THREAD_FLAG_SHCI_EVENT (1UL << 0)
#define BLE_EVENT_THREAD_FLAG_HCI_EVENT (1UL << 1)
#define BLE_EVENT_THREAD_FLAG_KILL_THREAD (1UL << 2)
#define BLE_EVENT_THREAD_FLAG_ALL \
(BLE_EVENT_THREAD_FLAG_SHCI_EVENT | BLE_EVENT_THREAD_FLAG_HCI_EVENT | \
BLE_EVENT_THREAD_FLAG_KILL_THREAD)
static FuriThread* event_thread = NULL;
static int32_t ble_event_thread(void* context) {
UNUSED(context);
uint32_t flags = 0;
while((flags & BLE_EVENT_THREAD_FLAG_KILL_THREAD) == 0) {
flags =
furi_thread_flags_wait(BLE_EVENT_THREAD_FLAG_ALL, FuriFlagWaitAny, FuriWaitForever);
if(flags & BLE_EVENT_THREAD_FLAG_SHCI_EVENT) {
#ifdef FURI_BLE_EXTRA_LOG
FURI_LOG_W(TAG, "shci_user_evt_proc");
#endif
shci_user_evt_proc();
}
if(flags & BLE_EVENT_THREAD_FLAG_HCI_EVENT) {
#ifdef FURI_BLE_EXTRA_LOG
FURI_LOG_W(TAG, "hci_user_evt_proc");
#endif
hci_user_evt_proc();
}
}
return 0;
}
void shci_notify_asynch_evt(void* pdata) {
UNUSED(pdata);
if(!event_thread) {
#ifdef FURI_BLE_EXTRA_LOG
FURI_LOG_E(TAG, "shci: event_thread is NULL");
#endif
return;
}
FuriThreadId thread_id = furi_thread_get_id(event_thread);
furi_assert(thread_id);
furi_thread_flags_set(thread_id, BLE_EVENT_THREAD_FLAG_SHCI_EVENT);
}
void hci_notify_asynch_evt(void* pdata) {
UNUSED(pdata);
if(!event_thread) {
#ifdef FURI_BLE_EXTRA_LOG
FURI_LOG_E(TAG, "hci: event_thread is NULL");
#endif
return;
}
FuriThreadId thread_id = furi_thread_get_id(event_thread);
furi_assert(thread_id);
furi_thread_flags_set(thread_id, BLE_EVENT_THREAD_FLAG_HCI_EVENT);
}
void ble_event_thread_stop(void) {
if(!event_thread) {
#ifdef FURI_BLE_EXTRA_LOG
FURI_LOG_E(TAG, "thread_stop: event_thread is NULL");
#endif
return;
}
FuriThreadId thread_id = furi_thread_get_id(event_thread);
furi_assert(thread_id);
furi_thread_flags_set(thread_id, BLE_EVENT_THREAD_FLAG_KILL_THREAD);
furi_thread_join(event_thread);
furi_thread_free(event_thread);
event_thread = NULL;
}
void ble_event_thread_start(void) {
furi_check(event_thread == NULL);
event_thread = furi_thread_alloc_ex("BleEventWorker", 1024, ble_event_thread, NULL);
furi_thread_set_priority(event_thread, FuriThreadPriorityHigh);
furi_thread_start(event_thread);
}

View File

@@ -0,0 +1,15 @@
#pragma once
#ifdef __cplusplus
extern "C" {
#endif
/* Controls for thread handling SHCI & HCI event queues. Used internally. */
void ble_event_thread_start(void);
void ble_event_thread_stop(void);
#ifdef __cplusplus
}
#endif

View File

@@ -1,6 +1,11 @@
#include "ble_glue.h" #include "ble_glue.h"
#include "app_common.h" #include "app_common.h"
#include "ble_app.h" #include "ble_app.h"
#include "ble_event_thread.h"
#include <furi_hal_cortex.h>
#include <core/mutex.h>
#include <core/timer.h>
#include <ble/ble.h> #include <ble/ble.h>
#include <hci_tl.h> #include <hci_tl.h>
@@ -13,26 +18,26 @@
#define TAG "Core2" #define TAG "Core2"
#define BLE_GLUE_FLAG_SHCI_EVENT (1UL << 0) #define BLE_GLUE_HARDFAULT_CHECK_PERIOD_MS (5000)
#define BLE_GLUE_FLAG_KILL_THREAD (1UL << 1)
#define BLE_GLUE_FLAG_ALL (BLE_GLUE_FLAG_SHCI_EVENT | BLE_GLUE_FLAG_KILL_THREAD) #define BLE_GLUE_HARDFAULT_INFO_MAGIC (0x1170FD0F)
#define POOL_SIZE \ #define POOL_SIZE \
(CFG_TLBLE_EVT_QUEUE_LENGTH * 4U * \ (CFG_TLBLE_EVT_QUEUE_LENGTH * 4U * \
DIVC((sizeof(TL_PacketHeader_t) + TL_BLE_EVENT_FRAME_SIZE), 4U)) DIVC((sizeof(TL_PacketHeader_t) + TL_BLE_EVENT_FRAME_SIZE), 4U))
PLACE_IN_SECTION("MB_MEM2") ALIGN(4) static uint8_t ble_glue_event_pool[POOL_SIZE]; PLACE_IN_SECTION("MB_MEM2") ALIGN(4) static uint8_t ble_event_pool[POOL_SIZE];
PLACE_IN_SECTION("MB_MEM2") ALIGN(4) static TL_CmdPacket_t ble_glue_system_cmd_buff; PLACE_IN_SECTION("MB_MEM2") ALIGN(4) static TL_CmdPacket_t ble_glue_cmd_buff;
PLACE_IN_SECTION("MB_MEM2") PLACE_IN_SECTION("MB_MEM2")
ALIGN(4) ALIGN(4)
static uint8_t ble_glue_system_spare_event_buff[sizeof(TL_PacketHeader_t) + TL_EVT_HDR_SIZE + 255U]; static uint8_t ble_glue_spare_event_buff[sizeof(TL_PacketHeader_t) + TL_EVT_HDR_SIZE + 255U];
PLACE_IN_SECTION("MB_MEM2") PLACE_IN_SECTION("MB_MEM2")
ALIGN(4) ALIGN(4)
static uint8_t ble_glue_ble_spare_event_buff[sizeof(TL_PacketHeader_t) + TL_EVT_HDR_SIZE + 255]; static uint8_t ble_spare_event_buff[sizeof(TL_PacketHeader_t) + TL_EVT_HDR_SIZE + 255];
typedef struct { typedef struct {
FuriMutex* shci_mtx; FuriMutex* shci_mtx;
FuriThread* thread; FuriTimer* hardfault_check_timer;
BleGlueStatus status; BleGlueStatus status;
BleGlueKeyStorageChangedCallback callback; BleGlueKeyStorageChangedCallback callback;
BleGlueC2Info c2_info; BleGlueC2Info c2_info;
@@ -41,9 +46,10 @@ typedef struct {
static BleGlue* ble_glue = NULL; static BleGlue* ble_glue = NULL;
static int32_t ble_glue_shci_thread(void* argument); // static int32_t ble_glue_shci_thread(void* argument);
static void ble_glue_sys_status_not_callback(SHCI_TL_CmdStatus_t status); static void ble_sys_status_not_callback(SHCI_TL_CmdStatus_t status);
static void ble_glue_sys_user_event_callback(void* pPayload); static void ble_sys_user_event_callback(void* pPayload);
static void ble_glue_clear_shared_memory();
void ble_glue_set_key_storage_changed_callback( void ble_glue_set_key_storage_changed_callback(
BleGlueKeyStorageChangedCallback callback, BleGlueKeyStorageChangedCallback callback,
@@ -54,43 +60,21 @@ void ble_glue_set_key_storage_changed_callback(
ble_glue->context = context; ble_glue->context = context;
} }
/////////////////////////////////////////////////////////////////////////////// static void furi_hal_bt_hardfault_check(void* context) {
UNUSED(context);
/* TL hook to catch hardfaults */ if(ble_glue_get_hardfault_info()) {
int32_t ble_glue_TL_SYS_SendCmd(uint8_t* buffer, uint16_t size) {
if(furi_hal_bt_get_hardfault_info()) {
furi_crash("ST(R) Copro(R) HardFault"); furi_crash("ST(R) Copro(R) HardFault");
} }
return TL_SYS_SendCmd(buffer, size);
}
void shci_register_io_bus(tSHciIO* fops) {
/* Register IO bus services */
fops->Init = TL_SYS_Init;
fops->Send = ble_glue_TL_SYS_SendCmd;
}
static int32_t ble_glue_TL_BLE_SendCmd(uint8_t* buffer, uint16_t size) {
if(furi_hal_bt_get_hardfault_info()) {
furi_crash("ST(R) Copro(R) HardFault");
}
return TL_BLE_SendCmd(buffer, size);
}
void hci_register_io_bus(tHciIO* fops) {
/* Register IO bus services */
fops->Init = TL_BLE_Init;
fops->Send = ble_glue_TL_BLE_SendCmd;
} }
/////////////////////////////////////////////////////////////////////////////// ///////////////////////////////////////////////////////////////////////////////
void ble_glue_init() { void ble_glue_init(void) {
ble_glue = malloc(sizeof(BleGlue)); ble_glue = malloc(sizeof(BleGlue));
ble_glue->status = BleGlueStatusStartup; ble_glue->status = BleGlueStatusStartup;
ble_glue->hardfault_check_timer =
furi_timer_alloc(furi_hal_bt_hardfault_check, FuriTimerTypePeriodic, NULL);
furi_timer_start(ble_glue->hardfault_check_timer, BLE_GLUE_HARDFAULT_CHECK_PERIOD_MS);
#ifdef BLE_GLUE_DEBUG #ifdef BLE_GLUE_DEBUG
APPD_Init(); APPD_Init();
@@ -105,18 +89,17 @@ void ble_glue_init() {
ble_glue->shci_mtx = furi_mutex_alloc(FuriMutexTypeNormal); ble_glue->shci_mtx = furi_mutex_alloc(FuriMutexTypeNormal);
// FreeRTOS system task creation // FreeRTOS system task creation
ble_glue->thread = furi_thread_alloc_ex("BleShciDriver", 1024, ble_glue_shci_thread, ble_glue); ble_event_thread_start();
furi_thread_start(ble_glue->thread);
// System channel initialization // System channel initialization
SHci_Tl_Init_Conf.p_cmdbuffer = (uint8_t*)&ble_glue_system_cmd_buff; SHci_Tl_Init_Conf.p_cmdbuffer = (uint8_t*)&ble_glue_cmd_buff;
SHci_Tl_Init_Conf.StatusNotCallBack = ble_glue_sys_status_not_callback; SHci_Tl_Init_Conf.StatusNotCallBack = ble_sys_status_not_callback;
shci_init(ble_glue_sys_user_event_callback, (void*)&SHci_Tl_Init_Conf); shci_init(ble_sys_user_event_callback, (void*)&SHci_Tl_Init_Conf);
/**< Memory Manager channel initialization */ /**< Memory Manager channel initialization */
tl_mm_config.p_BleSpareEvtBuffer = ble_glue_ble_spare_event_buff; tl_mm_config.p_BleSpareEvtBuffer = ble_spare_event_buff;
tl_mm_config.p_SystemSpareEvtBuffer = ble_glue_system_spare_event_buff; tl_mm_config.p_SystemSpareEvtBuffer = ble_glue_spare_event_buff;
tl_mm_config.p_AsynchEvtPool = ble_glue_event_pool; tl_mm_config.p_AsynchEvtPool = ble_event_pool;
tl_mm_config.AsynchEvtPoolSize = POOL_SIZE; tl_mm_config.AsynchEvtPoolSize = POOL_SIZE;
TL_MM_Init(&tl_mm_config); TL_MM_Init(&tl_mm_config);
TL_Enable(); TL_Enable();
@@ -124,15 +107,15 @@ void ble_glue_init() {
/* /*
* From now, the application is waiting for the ready event ( VS_HCI_C2_Ready ) * From now, the application is waiting for the ready event ( VS_HCI_C2_Ready )
* received on the system channel before starting the Stack * received on the system channel before starting the Stack
* This system event is received with ble_glue_sys_user_event_callback() * This system event is received with ble_sys_user_event_callback()
*/ */
} }
const BleGlueC2Info* ble_glue_get_c2_info() { const BleGlueC2Info* ble_glue_get_c2_info(void) {
return &ble_glue->c2_info; return &ble_glue->c2_info;
} }
BleGlueStatus ble_glue_get_c2_status() { BleGlueStatus ble_glue_get_c2_status(void) {
return ble_glue->status; return ble_glue->status;
} }
@@ -159,7 +142,7 @@ static const char* ble_glue_get_reltype_str(const uint8_t reltype) {
} }
} }
static void ble_glue_update_c2_fw_info() { static void ble_glue_update_c2_fw_info(void) {
WirelessFwInfo_t wireless_info; WirelessFwInfo_t wireless_info;
SHCI_GetWirelessFwInfo(&wireless_info); SHCI_GetWirelessFwInfo(&wireless_info);
BleGlueC2Info* local_info = &ble_glue->c2_info; BleGlueC2Info* local_info = &ble_glue->c2_info;
@@ -178,7 +161,7 @@ static void ble_glue_update_c2_fw_info() {
local_info->StackType = wireless_info.StackType; local_info->StackType = wireless_info.StackType;
snprintf( snprintf(
local_info->StackTypeString, local_info->StackTypeString,
BLE_GLUE_MAX_VERSION_STRING_LEN, BLE_MAX_VERSION_STRING_LEN,
"%d.%d.%d:%s", "%d.%d.%d:%s",
local_info->VersionMajor, local_info->VersionMajor,
local_info->VersionMinor, local_info->VersionMinor,
@@ -193,7 +176,7 @@ static void ble_glue_update_c2_fw_info() {
local_info->FusMemorySizeFlash = wireless_info.FusMemorySizeFlash; local_info->FusMemorySizeFlash = wireless_info.FusMemorySizeFlash;
} }
static void ble_glue_dump_stack_info() { static void ble_glue_dump_stack_info(void) {
const BleGlueC2Info* c2_info = &ble_glue->c2_info; const BleGlueC2Info* c2_info = &ble_glue->c2_info;
FURI_LOG_I( FURI_LOG_I(
TAG, TAG,
@@ -216,59 +199,63 @@ static void ble_glue_dump_stack_info() {
c2_info->MemorySizeFlash); c2_info->MemorySizeFlash);
} }
bool ble_glue_wait_for_c2_start(int32_t timeout) { bool ble_glue_wait_for_c2_start(int32_t timeout_ms) {
bool started = false; bool started = false;
FuriHalCortexTimer timer = furi_hal_cortex_timer_get(timeout_ms * 1000);
do { do {
started = ble_glue->status == BleGlueStatusC2Started;
if(!started) {
timeout--;
furi_delay_tick(1); furi_delay_tick(1);
} started = ble_glue->status == BleGlueStatusC2Started;
} while(!started && (timeout > 0)); } while(!started && !furi_hal_cortex_timer_is_expired(timer));
if(!started) {
FURI_LOG_E(TAG, "C2 startup failed");
ble_glue->status = BleGlueStatusBroken;
return false;
}
if(started) {
FURI_LOG_I( FURI_LOG_I(
TAG, TAG,
"C2 boot completed, mode: %s", "C2 boot completed, mode: %s",
ble_glue->c2_info.mode == BleGlueC2ModeFUS ? "FUS" : "Stack"); ble_glue->c2_info.mode == BleGlueC2ModeFUS ? "FUS" : "Stack");
ble_glue_update_c2_fw_info(); ble_glue_update_c2_fw_info();
ble_glue_dump_stack_info(); ble_glue_dump_stack_info();
} else { return true;
FURI_LOG_E(TAG, "C2 startup failed");
ble_glue->status = BleGlueStatusBroken;
}
return started;
} }
bool ble_glue_start() { bool ble_glue_start(void) {
furi_assert(ble_glue); furi_assert(ble_glue);
if(ble_glue->status != BleGlueStatusC2Started) { if(ble_glue->status != BleGlueStatusC2Started) {
return false; return false;
} }
bool ret = false; if(!ble_app_init()) {
if(ble_app_init()) {
FURI_LOG_I(TAG, "Radio stack started");
ble_glue->status = BleGlueStatusRadioStackRunning;
ret = true;
if(SHCI_C2_SetFlashActivityControl(FLASH_ACTIVITY_CONTROL_SEM7) == SHCI_Success) {
FURI_LOG_I(TAG, "Flash activity control switched to SEM7");
} else {
FURI_LOG_E(TAG, "Failed to switch flash activity control to SEM7");
}
} else {
FURI_LOG_E(TAG, "Radio stack startup failed"); FURI_LOG_E(TAG, "Radio stack startup failed");
ble_glue->status = BleGlueStatusRadioStackMissing; ble_glue->status = BleGlueStatusRadioStackMissing;
ble_app_thread_stop(); ble_app_deinit();
return false;
} }
return ret; FURI_LOG_I(TAG, "Radio stack started");
ble_glue->status = BleGlueStatusRadioStackRunning;
return true;
} }
bool ble_glue_is_alive() { void ble_glue_stop(void) {
furi_assert(ble_glue);
ble_event_thread_stop();
// Free resources
furi_mutex_free(ble_glue->shci_mtx);
furi_timer_free(ble_glue->hardfault_check_timer);
ble_glue_clear_shared_memory();
free(ble_glue);
ble_glue = NULL;
}
bool ble_glue_is_alive(void) {
if(!ble_glue) { if(!ble_glue) {
return false; return false;
} }
@@ -276,7 +263,7 @@ bool ble_glue_is_alive() {
return ble_glue->status >= BleGlueStatusC2Started; return ble_glue->status >= BleGlueStatusC2Started;
} }
bool ble_glue_is_radio_stack_ready() { bool ble_glue_is_radio_stack_ready(void) {
if(!ble_glue) { if(!ble_glue) {
return false; return false;
} }
@@ -319,7 +306,7 @@ BleGlueCommandResult ble_glue_force_c2_mode(BleGlueC2Mode desired_mode) {
return BleGlueCommandResultError; return BleGlueCommandResultError;
} }
static void ble_glue_sys_status_not_callback(SHCI_TL_CmdStatus_t status) { static void ble_sys_status_not_callback(SHCI_TL_CmdStatus_t status) {
switch(status) { switch(status) {
case SHCI_TL_CmdBusy: case SHCI_TL_CmdBusy:
furi_mutex_acquire(ble_glue->shci_mtx, FuriWaitForever); furi_mutex_acquire(ble_glue->shci_mtx, FuriWaitForever);
@@ -341,7 +328,7 @@ static void ble_glue_sys_status_not_callback(SHCI_TL_CmdStatus_t status) {
* ( eg ((tSHCI_UserEvtRxParam*)pPayload)->status shall be set to SHCI_TL_UserEventFlow_Disable ) * ( eg ((tSHCI_UserEvtRxParam*)pPayload)->status shall be set to SHCI_TL_UserEventFlow_Disable )
* When the status is not filled, the buffer is released by default * When the status is not filled, the buffer is released by default
*/ */
static void ble_glue_sys_user_event_callback(void* pPayload) { static void ble_sys_user_event_callback(void* pPayload) {
UNUSED(pPayload); UNUSED(pPayload);
#ifdef BLE_GLUE_DEBUG #ifdef BLE_GLUE_DEBUG
@@ -375,60 +362,18 @@ static void ble_glue_sys_user_event_callback(void* pPayload) {
} }
} }
static void ble_glue_clear_shared_memory() { static void ble_glue_clear_shared_memory(void) {
memset(ble_glue_event_pool, 0, sizeof(ble_glue_event_pool)); memset(ble_event_pool, 0, sizeof(ble_event_pool));
memset(&ble_glue_system_cmd_buff, 0, sizeof(ble_glue_system_cmd_buff)); memset(&ble_glue_cmd_buff, 0, sizeof(ble_glue_cmd_buff));
memset(ble_glue_system_spare_event_buff, 0, sizeof(ble_glue_system_spare_event_buff)); memset(ble_glue_spare_event_buff, 0, sizeof(ble_glue_spare_event_buff));
memset(ble_glue_ble_spare_event_buff, 0, sizeof(ble_glue_ble_spare_event_buff)); memset(ble_spare_event_buff, 0, sizeof(ble_spare_event_buff));
} }
void ble_glue_thread_stop() { bool ble_glue_reinit_c2(void) {
if(ble_glue) { return (SHCI_C2_Reinit() == SHCI_Success);
FuriThreadId thread_id = furi_thread_get_id(ble_glue->thread);
furi_assert(thread_id);
furi_thread_flags_set(thread_id, BLE_GLUE_FLAG_KILL_THREAD);
furi_thread_join(ble_glue->thread);
furi_thread_free(ble_glue->thread);
// Free resources
furi_mutex_free(ble_glue->shci_mtx);
ble_glue_clear_shared_memory();
free(ble_glue);
ble_glue = NULL;
}
} }
// Wrap functions BleGlueCommandResult ble_glue_fus_stack_delete(void) {
static int32_t ble_glue_shci_thread(void* context) {
UNUSED(context);
uint32_t flags = 0;
while(true) {
flags = furi_thread_flags_wait(BLE_GLUE_FLAG_ALL, FuriFlagWaitAny, FuriWaitForever);
if(flags & BLE_GLUE_FLAG_SHCI_EVENT) {
shci_user_evt_proc();
}
if(flags & BLE_GLUE_FLAG_KILL_THREAD) {
break;
}
}
return 0;
}
void shci_notify_asynch_evt(void* pdata) {
UNUSED(pdata);
if(ble_glue) {
FuriThreadId thread_id = furi_thread_get_id(ble_glue->thread);
furi_assert(thread_id);
furi_thread_flags_set(thread_id, BLE_GLUE_FLAG_SHCI_EVENT);
}
}
bool ble_glue_reinit_c2() {
return SHCI_C2_Reinit() == SHCI_Success;
}
BleGlueCommandResult ble_glue_fus_stack_delete() {
FURI_LOG_I(TAG, "Erasing stack"); FURI_LOG_I(TAG, "Erasing stack");
SHCI_CmdStatus_t erase_stat = SHCI_C2_FUS_FwDelete(); SHCI_CmdStatus_t erase_stat = SHCI_C2_FUS_FwDelete();
FURI_LOG_I(TAG, "Cmd res = %x", erase_stat); FURI_LOG_I(TAG, "Cmd res = %x", erase_stat);
@@ -450,8 +395,9 @@ BleGlueCommandResult ble_glue_fus_stack_install(uint32_t src_addr, uint32_t dst_
return BleGlueCommandResultError; return BleGlueCommandResultError;
} }
BleGlueCommandResult ble_glue_fus_get_status() { BleGlueCommandResult ble_glue_fus_get_status(void) {
furi_check(ble_glue->c2_info.mode == BleGlueC2ModeFUS); furi_check(ble_glue->c2_info.mode == BleGlueC2ModeFUS);
SHCI_FUS_GetState_ErrorCode_t error_code = 0; SHCI_FUS_GetState_ErrorCode_t error_code = 0;
uint8_t fus_state = SHCI_C2_FUS_GetState(&error_code); uint8_t fus_state = SHCI_C2_FUS_GetState(&error_code);
FURI_LOG_I(TAG, "FUS state: %x, error: %x", fus_state, error_code); FURI_LOG_I(TAG, "FUS state: %x, error: %x", fus_state, error_code);
@@ -465,7 +411,7 @@ BleGlueCommandResult ble_glue_fus_get_status() {
return BleGlueCommandResultOK; return BleGlueCommandResultOK;
} }
BleGlueCommandResult ble_glue_fus_wait_operation() { BleGlueCommandResult ble_glue_fus_wait_operation(void) {
furi_check(ble_glue->c2_info.mode == BleGlueC2ModeFUS); furi_check(ble_glue->c2_info.mode == BleGlueC2ModeFUS);
while(true) { while(true) {
@@ -479,3 +425,12 @@ BleGlueCommandResult ble_glue_fus_wait_operation() {
} }
} }
} }
const BleGlueHardfaultInfo* ble_glue_get_hardfault_info(void) {
/* AN5289, 4.8.2 */
const BleGlueHardfaultInfo* info = (BleGlueHardfaultInfo*)(SRAM2A_BASE);
if(info->magic != BLE_GLUE_HARDFAULT_INFO_MAGIC) {
return NULL;
}
return info;
}

View File

@@ -7,13 +7,17 @@
extern "C" { extern "C" {
#endif #endif
/*
* Low-level interface to Core2 - startup, shutdown, mode switching, FUS commands.
*/
typedef enum { typedef enum {
BleGlueC2ModeUnknown = 0, BleGlueC2ModeUnknown = 0,
BleGlueC2ModeFUS, BleGlueC2ModeFUS,
BleGlueC2ModeStack, BleGlueC2ModeStack,
} BleGlueC2Mode; } BleGlueC2Mode;
#define BLE_GLUE_MAX_VERSION_STRING_LEN 20 #define BLE_MAX_VERSION_STRING_LEN (20)
typedef struct { typedef struct {
BleGlueC2Mode mode; BleGlueC2Mode mode;
/** /**
@@ -29,7 +33,7 @@ typedef struct {
uint8_t MemorySizeSram1; /*< Multiple of 1K */ uint8_t MemorySizeSram1; /*< Multiple of 1K */
uint8_t MemorySizeFlash; /*< Multiple of 4K */ uint8_t MemorySizeFlash; /*< Multiple of 4K */
uint8_t StackType; uint8_t StackType;
char StackTypeString[BLE_GLUE_MAX_VERSION_STRING_LEN]; char StackTypeString[BLE_MAX_VERSION_STRING_LEN];
/** /**
* Fus Info * Fus Info
*/ */
@@ -55,35 +59,37 @@ typedef void (
*BleGlueKeyStorageChangedCallback)(uint8_t* change_addr_start, uint16_t size, void* context); *BleGlueKeyStorageChangedCallback)(uint8_t* change_addr_start, uint16_t size, void* context);
/** Initialize start core2 and initialize transport */ /** Initialize start core2 and initialize transport */
void ble_glue_init(); void ble_glue_init(void);
/** Start Core2 Radio stack /** Start Core2 Radio stack
* *
* @return true on success * @return true on success
*/ */
bool ble_glue_start(); bool ble_glue_start(void);
void ble_glue_stop(void);
/** Is core2 alive and at least FUS is running /** Is core2 alive and at least FUS is running
* *
* @return true if core2 is alive * @return true if core2 is alive
*/ */
bool ble_glue_is_alive(); bool ble_glue_is_alive(void);
/** Waits for C2 to reports its mode to callback /** Waits for C2 to reports its mode to callback
* *
* @return true if it reported before reaching timeout * @return true if it reported before reaching timeout
*/ */
bool ble_glue_wait_for_c2_start(int32_t timeout); bool ble_glue_wait_for_c2_start(int32_t timeout_ms);
BleGlueStatus ble_glue_get_c2_status(); BleGlueStatus ble_glue_get_c2_status(void);
const BleGlueC2Info* ble_glue_get_c2_info(); const BleGlueC2Info* ble_glue_get_c2_info(void);
/** Is core2 radio stack present and ready /** Is core2 radio stack present and ready
* *
* @return true if present and ready * @return true if present and ready
*/ */
bool ble_glue_is_radio_stack_ready(); bool ble_glue_is_radio_stack_ready(void);
/** Set callback for NVM in RAM changes /** Set callback for NVM in RAM changes
* *
@@ -94,9 +100,6 @@ void ble_glue_set_key_storage_changed_callback(
BleGlueKeyStorageChangedCallback callback, BleGlueKeyStorageChangedCallback callback,
void* context); void* context);
/** Stop SHCI thread */
void ble_glue_thread_stop();
bool ble_glue_reinit_c2(); bool ble_glue_reinit_c2();
typedef enum { typedef enum {
@@ -113,13 +116,26 @@ typedef enum {
*/ */
BleGlueCommandResult ble_glue_force_c2_mode(BleGlueC2Mode mode); BleGlueCommandResult ble_glue_force_c2_mode(BleGlueC2Mode mode);
BleGlueCommandResult ble_glue_fus_stack_delete(); BleGlueCommandResult ble_glue_fus_stack_delete(void);
BleGlueCommandResult ble_glue_fus_stack_install(uint32_t src_addr, uint32_t dst_addr); BleGlueCommandResult ble_glue_fus_stack_install(uint32_t src_addr, uint32_t dst_addr);
BleGlueCommandResult ble_glue_fus_get_status(); BleGlueCommandResult ble_glue_fus_get_status(void);
BleGlueCommandResult ble_glue_fus_wait_operation(); BleGlueCommandResult ble_glue_fus_wait_operation(void);
typedef struct {
uint32_t magic;
uint32_t source_pc;
uint32_t source_lr;
uint32_t source_sp;
} BleGlueHardfaultInfo;
/** Get hardfault info
*
* @return hardfault info. NULL if no hardfault
*/
const BleGlueHardfaultInfo* ble_glue_get_hardfault_info(void);
#ifdef __cplusplus #ifdef __cplusplus
} }

View File

@@ -0,0 +1,40 @@
#include "ble_glue.h"
#include <interface/patterns/ble_thread/tl/shci_tl.h>
#include <ble/ble.h>
#include <hci_tl.h>
#include <furi.h>
///////////////////////////////////////////////////////////////////////////////
/*
* TL hooks to catch hardfaults
*/
int32_t ble_glue_TL_SYS_SendCmd(uint8_t* buffer, uint16_t size) {
if(ble_glue_get_hardfault_info()) {
furi_crash("ST(R) Copro(R) HardFault");
}
return TL_SYS_SendCmd(buffer, size);
}
void shci_register_io_bus(tSHciIO* fops) {
/* Register IO bus services */
fops->Init = TL_SYS_Init;
fops->Send = ble_glue_TL_SYS_SendCmd;
}
static int32_t ble_glue_TL_BLE_SendCmd(uint8_t* buffer, uint16_t size) {
if(ble_glue_get_hardfault_info()) {
furi_crash("ST(R) Copro(R) HardFault");
}
return TL_BLE_SendCmd(buffer, size);
}
void hci_register_io_bus(tHciIO* fops) {
/* Register IO bus services */
fops->Init = TL_BLE_Init;
fops->Send = ble_glue_TL_BLE_SendCmd;
}

View File

@@ -0,0 +1,161 @@
#include "extra_beacon.h"
#include "gap.h"
#include <ble/ble.h>
#include <furi.h>
#define TAG "BleExtraBeacon"
#define GAP_MS_TO_SCAN_INTERVAL(x) ((uint16_t)((x) / 0.625))
// Also used as an indicator of whether the beacon had ever been configured
#define GAP_MIN_ADV_INTERVAL_MS (20)
typedef struct {
GapExtraBeaconConfig last_config;
GapExtraBeaconState extra_beacon_state;
uint8_t extra_beacon_data[EXTRA_BEACON_MAX_DATA_SIZE];
uint8_t extra_beacon_data_len;
FuriMutex* state_mutex;
} ExtraBeacon;
static ExtraBeacon extra_beacon = {0};
void gap_extra_beacon_init() {
if(extra_beacon.state_mutex) {
// Already initialized - restore state if needed
FURI_LOG_I(TAG, "Restoring state");
gap_extra_beacon_set_data(
extra_beacon.extra_beacon_data, extra_beacon.extra_beacon_data_len);
if(extra_beacon.extra_beacon_state == GapExtraBeaconStateStarted) {
extra_beacon.extra_beacon_state = GapExtraBeaconStateStopped;
gap_extra_beacon_set_config(&extra_beacon.last_config);
}
} else {
// First time init
FURI_LOG_I(TAG, "Init");
extra_beacon.extra_beacon_state = GapExtraBeaconStateStopped;
extra_beacon.extra_beacon_data_len = 0;
memset(extra_beacon.extra_beacon_data, 0, EXTRA_BEACON_MAX_DATA_SIZE);
extra_beacon.state_mutex = furi_mutex_alloc(FuriMutexTypeNormal);
}
}
bool gap_extra_beacon_set_config(const GapExtraBeaconConfig* config) {
furi_check(extra_beacon.state_mutex);
furi_check(config);
furi_check(config->min_adv_interval_ms <= config->max_adv_interval_ms);
furi_check(config->min_adv_interval_ms >= GAP_MIN_ADV_INTERVAL_MS);
if(extra_beacon.extra_beacon_state != GapExtraBeaconStateStopped) {
return false;
}
furi_mutex_acquire(extra_beacon.state_mutex, FuriWaitForever);
if(config != &extra_beacon.last_config) {
memcpy(&extra_beacon.last_config, config, sizeof(GapExtraBeaconConfig));
}
furi_mutex_release(extra_beacon.state_mutex);
return true;
}
bool gap_extra_beacon_start() {
furi_check(extra_beacon.state_mutex);
furi_check(extra_beacon.last_config.min_adv_interval_ms >= GAP_MIN_ADV_INTERVAL_MS);
if(extra_beacon.extra_beacon_state != GapExtraBeaconStateStopped) {
return false;
}
FURI_LOG_I(TAG, "Starting");
furi_mutex_acquire(extra_beacon.state_mutex, FuriWaitForever);
const GapExtraBeaconConfig* config = &extra_beacon.last_config;
tBleStatus status = aci_gap_additional_beacon_start(
GAP_MS_TO_SCAN_INTERVAL(config->min_adv_interval_ms),
GAP_MS_TO_SCAN_INTERVAL(config->max_adv_interval_ms),
(uint8_t)config->adv_channel_map,
config->address_type,
config->address,
(uint8_t)config->adv_power_level);
if(status) {
FURI_LOG_E(TAG, "Failed to start: 0x%x", status);
return false;
}
extra_beacon.extra_beacon_state = GapExtraBeaconStateStarted;
gap_emit_ble_beacon_status_event(true);
furi_mutex_release(extra_beacon.state_mutex);
return true;
}
bool gap_extra_beacon_stop() {
furi_check(extra_beacon.state_mutex);
if(extra_beacon.extra_beacon_state != GapExtraBeaconStateStarted) {
return false;
}
FURI_LOG_I(TAG, "Stopping");
furi_mutex_acquire(extra_beacon.state_mutex, FuriWaitForever);
tBleStatus status = aci_gap_additional_beacon_stop();
if(status) {
FURI_LOG_E(TAG, "Failed to stop: 0x%x", status);
return false;
}
extra_beacon.extra_beacon_state = GapExtraBeaconStateStopped;
gap_emit_ble_beacon_status_event(false);
furi_mutex_release(extra_beacon.state_mutex);
return true;
}
bool gap_extra_beacon_set_data(const uint8_t* data, uint8_t length) {
furi_check(extra_beacon.state_mutex);
furi_check(data);
furi_check(length <= EXTRA_BEACON_MAX_DATA_SIZE);
furi_mutex_acquire(extra_beacon.state_mutex, FuriWaitForever);
if(data != extra_beacon.extra_beacon_data) {
memcpy(extra_beacon.extra_beacon_data, data, length);
}
extra_beacon.extra_beacon_data_len = length;
tBleStatus status = aci_gap_additional_beacon_set_data(length, data);
if(status) {
FURI_LOG_E(TAG, "Failed updating adv data: %d", status);
return false;
}
furi_mutex_release(extra_beacon.state_mutex);
return true;
}
uint8_t gap_extra_beacon_get_data(uint8_t* data) {
furi_check(extra_beacon.state_mutex);
furi_check(data);
furi_mutex_acquire(extra_beacon.state_mutex, FuriWaitForever);
memcpy(data, extra_beacon.extra_beacon_data, extra_beacon.extra_beacon_data_len);
furi_mutex_release(extra_beacon.state_mutex);
return extra_beacon.extra_beacon_data_len;
}
GapExtraBeaconState gap_extra_beacon_get_state() {
furi_check(extra_beacon.state_mutex);
return extra_beacon.extra_beacon_state;
}
const GapExtraBeaconConfig* gap_extra_beacon_get_config() {
furi_check(extra_beacon.state_mutex);
if(extra_beacon.last_config.min_adv_interval_ms < GAP_MIN_ADV_INTERVAL_MS) {
return NULL;
}
return &extra_beacon.last_config;
}

View File

@@ -0,0 +1,98 @@
#pragma once
#include <stdbool.h>
#include <stdint.h>
#ifdef __cplusplus
extern "C" {
#endif
/*
* Additinal non-connetable beacon API.
* Not to be used directly, but through furi_hal_bt_extra_beacon_* APIs.
*/
#define EXTRA_BEACON_MAX_DATA_SIZE (31)
#define EXTRA_BEACON_MAC_ADDR_SIZE (6)
typedef enum {
GapAdvChannelMap37 = 0b001,
GapAdvChannelMap38 = 0b010,
GapAdvChannelMap39 = 0b100,
GapAdvChannelMapAll = 0b111,
} GapAdvChannelMap;
typedef enum {
GapAdvPowerLevel_Neg40dBm = 0x00,
GapAdvPowerLevel_Neg20_85dBm = 0x01,
GapAdvPowerLevel_Neg19_75dBm = 0x02,
GapAdvPowerLevel_Neg18_85dBm = 0x03,
GapAdvPowerLevel_Neg17_6dBm = 0x04,
GapAdvPowerLevel_Neg16_5dBm = 0x05,
GapAdvPowerLevel_Neg15_25dBm = 0x06,
GapAdvPowerLevel_Neg14_1dBm = 0x07,
GapAdvPowerLevel_Neg13_15dBm = 0x08,
GapAdvPowerLevel_Neg12_05dBm = 0x09,
GapAdvPowerLevel_Neg10_9dBm = 0x0A,
GapAdvPowerLevel_Neg9_9dBm = 0x0B,
GapAdvPowerLevel_Neg8_85dBm = 0x0C,
GapAdvPowerLevel_Neg7_8dBm = 0x0D,
GapAdvPowerLevel_Neg6_9dBm = 0x0E,
GapAdvPowerLevel_Neg5_9dBm = 0x0F,
GapAdvPowerLevel_Neg4_95dBm = 0x10,
GapAdvPowerLevel_Neg4dBm = 0x11,
GapAdvPowerLevel_Neg3_15dBm = 0x12,
GapAdvPowerLevel_Neg2_45dBm = 0x13,
GapAdvPowerLevel_Neg1_8dBm = 0x14,
GapAdvPowerLevel_Neg1_3dBm = 0x15,
GapAdvPowerLevel_Neg0_85dBm = 0x16,
GapAdvPowerLevel_Neg0_5dBm = 0x17,
GapAdvPowerLevel_Neg0_15dBm = 0x18,
GapAdvPowerLevel_0dBm = 0x19,
GapAdvPowerLevel_1dBm = 0x1A,
GapAdvPowerLevel_2dBm = 0x1B,
GapAdvPowerLevel_3dBm = 0x1C,
GapAdvPowerLevel_4dBm = 0x1D,
GapAdvPowerLevel_5dBm = 0x1E,
GapAdvPowerLevel_6dBm = 0x1F,
} GapAdvPowerLevelInd;
typedef enum {
GapAddressTypePublic = 0,
GapAddressTypeRandom = 1,
} GapAddressType;
typedef struct {
uint16_t min_adv_interval_ms, max_adv_interval_ms;
GapAdvChannelMap adv_channel_map;
GapAdvPowerLevelInd adv_power_level;
GapAddressType address_type;
uint8_t address[EXTRA_BEACON_MAC_ADDR_SIZE];
} GapExtraBeaconConfig;
typedef enum {
GapExtraBeaconStateUndefined = 0,
GapExtraBeaconStateStopped,
GapExtraBeaconStateStarted,
} GapExtraBeaconState;
void gap_extra_beacon_init();
GapExtraBeaconState gap_extra_beacon_get_state();
bool gap_extra_beacon_start();
bool gap_extra_beacon_stop();
bool gap_extra_beacon_set_config(const GapExtraBeaconConfig* config);
const GapExtraBeaconConfig* gap_extra_beacon_get_config();
bool gap_extra_beacon_set_data(const uint8_t* data, uint8_t length);
// Fill "data" with last configured extra beacon data and return its length
uint8_t gap_extra_beacon_get_data(uint8_t* data);
#ifdef __cplusplus
}
#endif

View File

@@ -0,0 +1,97 @@
#include "event_dispatcher.h"
#include <core/check.h>
#include <furi.h>
#include <ble/ble.h>
#include <m-list.h>
struct GapEventHandler {
void* context;
BleSvcEventHandlerCb callback;
};
LIST_DEF(GapSvcEventHandlerList, GapSvcEventHandler, M_POD_OPLIST);
static GapSvcEventHandlerList_t handlers;
static bool initialized = false;
BleEventFlowStatus ble_event_dispatcher_process_event(void* payload) {
furi_check(initialized);
GapSvcEventHandlerList_it_t it;
BleEventAckStatus ack_status = BleEventNotAck;
for(GapSvcEventHandlerList_it(it, handlers); !GapSvcEventHandlerList_end_p(it);
GapSvcEventHandlerList_next(it)) {
const GapSvcEventHandler* item = GapSvcEventHandlerList_cref(it);
ack_status = item->callback(payload, item->context);
if(ack_status == BleEventNotAck) {
/* Keep going */
continue;
} else if((ack_status == BleEventAckFlowEnable) || (ack_status == BleEventAckFlowDisable)) {
break;
}
}
/* Handlers for client-mode events are also to be implemented here. But not today. */
/* Now, decide on a flow control action based on results of all handlers */
switch(ack_status) {
case BleEventNotAck:
/* The event has NOT been managed yet. Pass to app for processing */
return ble_event_app_notification(payload);
case BleEventAckFlowEnable:
return BleEventFlowEnable;
case BleEventAckFlowDisable:
return BleEventFlowDisable;
default:
return BleEventFlowEnable;
}
}
void ble_event_dispatcher_init(void) {
furi_assert(!initialized);
GapSvcEventHandlerList_init(handlers);
initialized = true;
}
void ble_event_dispatcher_reset(void) {
furi_assert(initialized);
furi_check(GapSvcEventHandlerList_size(handlers) == 0);
GapSvcEventHandlerList_clear(handlers);
}
GapSvcEventHandler*
ble_event_dispatcher_register_svc_handler(BleSvcEventHandlerCb handler, void* context) {
furi_check(handler);
furi_check(context);
furi_check(initialized);
GapSvcEventHandler* item = GapSvcEventHandlerList_push_raw(handlers);
item->context = context;
item->callback = handler;
return item;
}
void ble_event_dispatcher_unregister_svc_handler(GapSvcEventHandler* handler) {
furi_check(handler);
bool found = false;
GapSvcEventHandlerList_it_t it;
for(GapSvcEventHandlerList_it(it, handlers); !GapSvcEventHandlerList_end_p(it);
GapSvcEventHandlerList_next(it)) {
const GapSvcEventHandler* item = GapSvcEventHandlerList_cref(it);
if(item == handler) {
GapSvcEventHandlerList_remove(handlers, it);
found = true;
break;
}
}
furi_check(found);
}

View File

@@ -0,0 +1,50 @@
#pragma once
#include <stdint.h>
#include <core/common_defines.h>
#ifdef __cplusplus
extern "C" {
#endif
typedef enum {
BleEventNotAck,
BleEventAckFlowEnable,
BleEventAckFlowDisable,
} BleEventAckStatus;
typedef enum {
BleEventFlowDisable,
BleEventFlowEnable,
} BleEventFlowStatus;
/* Using other types so not to leak all the BLE stack headers
(we don't have a wrapper for them yet)
* Event data is hci_uart_pckt*
* Context is user-defined
*/
typedef BleEventAckStatus (*BleSvcEventHandlerCb)(void* event, void* context);
typedef struct GapEventHandler GapSvcEventHandler;
/* To be called once at BLE system startup */
void ble_event_dispatcher_init(void);
/* To be called at stack reset - ensures that all handlers are unregistered */
void ble_event_dispatcher_reset(void);
BleEventFlowStatus ble_event_dispatcher_process_event(void* payload);
/* Final handler for event not ack'd by services - to be implemented by app */
BleEventFlowStatus ble_event_app_notification(void* pckt);
/* Add a handler to the list of handlers */
FURI_WARN_UNUSED GapSvcEventHandler*
ble_event_dispatcher_register_svc_handler(BleSvcEventHandlerCb handler, void* context);
/* Remove a handler from the list of handlers */
void ble_event_dispatcher_unregister_svc_handler(GapSvcEventHandler* handler);
#ifdef __cplusplus
}
#endif

View File

@@ -1,4 +1,5 @@
#include "gatt_char.h" #include "gatt.h"
#include <ble/ble.h>
#include <furi.h> #include <furi.h>
@@ -6,19 +7,19 @@
#define GATT_MIN_READ_KEY_SIZE (10) #define GATT_MIN_READ_KEY_SIZE (10)
void flipper_gatt_characteristic_init( void ble_gatt_characteristic_init(
uint16_t svc_handle, uint16_t svc_handle,
const FlipperGattCharacteristicParams* char_descriptor, const BleGattCharacteristicParams* char_descriptor,
FlipperGattCharacteristicInstance* char_instance) { BleGattCharacteristicInstance* char_instance) {
furi_assert(char_descriptor); furi_assert(char_descriptor);
furi_assert(char_instance); furi_assert(char_instance);
// Copy the descriptor to the instance, since it may point to stack memory // Copy the descriptor to the instance, since it may point to stack memory
char_instance->characteristic = malloc(sizeof(FlipperGattCharacteristicParams)); char_instance->characteristic = malloc(sizeof(BleGattCharacteristicParams));
memcpy( memcpy(
(void*)char_instance->characteristic, (void*)char_instance->characteristic,
char_descriptor, char_descriptor,
sizeof(FlipperGattCharacteristicParams)); sizeof(BleGattCharacteristicParams));
uint16_t char_data_size = 0; uint16_t char_data_size = 0;
if(char_descriptor->data_prop_type == FlipperGattCharacteristicDataFixed) { if(char_descriptor->data_prop_type == FlipperGattCharacteristicDataFixed) {
@@ -46,7 +47,7 @@ void flipper_gatt_characteristic_init(
char_instance->descriptor_handle = 0; char_instance->descriptor_handle = 0;
if((status == 0) && char_descriptor->descriptor_params) { if((status == 0) && char_descriptor->descriptor_params) {
uint8_t const* char_data = NULL; uint8_t const* char_data = NULL;
const FlipperGattCharacteristicDescriptorParams* char_data_descriptor = const BleGattCharacteristicDescriptorParams* char_data_descriptor =
char_descriptor->descriptor_params; char_descriptor->descriptor_params;
bool release_data = char_data_descriptor->data_callback.fn( bool release_data = char_data_descriptor->data_callback.fn(
char_data_descriptor->data_callback.context, &char_data, &char_data_size); char_data_descriptor->data_callback.context, &char_data, &char_data_size);
@@ -74,9 +75,9 @@ void flipper_gatt_characteristic_init(
} }
} }
void flipper_gatt_characteristic_delete( void ble_gatt_characteristic_delete(
uint16_t svc_handle, uint16_t svc_handle,
FlipperGattCharacteristicInstance* char_instance) { BleGattCharacteristicInstance* char_instance) {
tBleStatus status = aci_gatt_del_char(svc_handle, char_instance->handle); tBleStatus status = aci_gatt_del_char(svc_handle, char_instance->handle);
if(status) { if(status) {
FURI_LOG_E( FURI_LOG_E(
@@ -85,12 +86,12 @@ void flipper_gatt_characteristic_delete(
free((void*)char_instance->characteristic); free((void*)char_instance->characteristic);
} }
bool flipper_gatt_characteristic_update( bool ble_gatt_characteristic_update(
uint16_t svc_handle, uint16_t svc_handle,
FlipperGattCharacteristicInstance* char_instance, BleGattCharacteristicInstance* char_instance,
const void* source) { const void* source) {
furi_assert(char_instance); furi_assert(char_instance);
const FlipperGattCharacteristicParams* char_descriptor = char_instance->characteristic; const BleGattCharacteristicParams* char_descriptor = char_instance->characteristic;
FURI_LOG_D(TAG, "Updating %s char", char_descriptor->name); FURI_LOG_D(TAG, "Updating %s char", char_descriptor->name);
const uint8_t* char_data = NULL; const uint8_t* char_data = NULL;
@@ -120,3 +121,27 @@ bool flipper_gatt_characteristic_update(
} }
return result != BLE_STATUS_SUCCESS; return result != BLE_STATUS_SUCCESS;
} }
bool ble_gatt_service_add(
uint8_t Service_UUID_Type,
const Service_UUID_t* Service_UUID,
uint8_t Service_Type,
uint8_t Max_Attribute_Records,
uint16_t* Service_Handle) {
tBleStatus result = aci_gatt_add_service(
Service_UUID_Type, Service_UUID, Service_Type, Max_Attribute_Records, Service_Handle);
if(result) {
FURI_LOG_E(TAG, "Failed to add service: %x", result);
}
return result == BLE_STATUS_SUCCESS;
}
bool ble_gatt_service_delete(uint16_t svc_handle) {
tBleStatus result = aci_gatt_del_service(svc_handle);
if(result) {
FURI_LOG_E(TAG, "Failed to delete service: %x", result);
}
return result == BLE_STATUS_SUCCESS;
}

View File

@@ -0,0 +1,110 @@
#pragma once
#include <stdint.h>
#include <stdbool.h>
#include <stdio.h>
#ifdef __cplusplus
extern "C" {
#endif
#include <ble/core/auto/ble_types.h>
/* Callback signature for getting characteristic data
* Is called when characteristic is created to get max data length. Data ptr is NULL in this case
* The result is passed to aci_gatt_add_char as "Char_Value_Length"
* For updates, called with a context - see flipper_gatt_characteristic_update
* Returns true if *data ownership is transferred to the caller and will be freed */
typedef bool (
*cbBleGattCharacteristicData)(const void* context, const uint8_t** data, uint16_t* data_len);
/* Used to specify the type of data for a characteristic - constant or callback-based */
typedef enum {
FlipperGattCharacteristicDataFixed,
FlipperGattCharacteristicDataCallback,
} BleGattCharacteristicDataType;
typedef struct {
Char_Desc_Uuid_t uuid;
struct {
cbBleGattCharacteristicData fn;
const void* context;
} data_callback;
uint8_t uuid_type;
uint8_t max_length;
uint8_t security_permissions;
uint8_t access_permissions;
uint8_t gatt_evt_mask;
uint8_t is_variable;
} BleGattCharacteristicDescriptorParams;
/* Describes a single characteristic, providing data or callbacks to get data */
typedef struct {
const char* name;
BleGattCharacteristicDescriptorParams* descriptor_params;
union {
struct {
const uint8_t* ptr;
uint16_t length;
} fixed;
struct {
cbBleGattCharacteristicData fn;
const void* context;
} callback;
} data;
Char_UUID_t uuid;
// Some packed bitfields to save space
BleGattCharacteristicDataType data_prop_type : 2;
uint8_t is_variable : 2;
uint8_t uuid_type : 2;
uint8_t char_properties;
uint8_t security_permissions;
uint8_t gatt_evt_mask;
} BleGattCharacteristicParams;
_Static_assert(
sizeof(BleGattCharacteristicParams) == 36,
"BleGattCharacteristicParams size must be 36 bytes");
typedef struct {
const BleGattCharacteristicParams* characteristic;
uint16_t handle;
uint16_t descriptor_handle;
} BleGattCharacteristicInstance;
/* Initialize a characteristic instance; copies the characteristic descriptor
* into the instance */
void ble_gatt_characteristic_init(
uint16_t svc_handle,
const BleGattCharacteristicParams* char_descriptor,
BleGattCharacteristicInstance* char_instance);
/* Delete a characteristic instance; frees the copied characteristic
* descriptor from the instance */
void ble_gatt_characteristic_delete(
uint16_t svc_handle,
BleGattCharacteristicInstance* char_instance);
/* Update a characteristic instance; if source==NULL, uses the data from
* the characteristic:
* - For fixed data, fixed.ptr is used as the source if source==NULL
* - For callback-based data, collback.context is passed as the context
* if source==NULL
*/
bool ble_gatt_characteristic_update(
uint16_t svc_handle,
BleGattCharacteristicInstance* char_instance,
const void* source);
bool ble_gatt_service_add(
uint8_t Service_UUID_Type,
const Service_UUID_t* Service_UUID,
uint8_t Service_Type,
uint8_t Max_Attribute_Records,
uint16_t* Service_Handle);
bool ble_gatt_service_delete(uint16_t svc_handle);
#ifdef __cplusplus
}
#endif

View File

@@ -0,0 +1,39 @@
#pragma once
#include <stdbool.h>
#include <stdint.h>
#include <gap.h>
#ifdef __cplusplus
extern "C" {
#endif
typedef struct FuriHalBleProfileTemplate FuriHalBleProfileTemplate;
/* Actual profiles must inherit (include this structure) as their first field */
typedef struct {
/* Pointer to the config for this profile. Must be used to check if the
* instance belongs to the profile */
const FuriHalBleProfileTemplate* config;
} FuriHalBleProfileBase;
typedef void* FuriHalBleProfileParams;
typedef FuriHalBleProfileBase* (*FuriHalBleProfileStart)(FuriHalBleProfileParams profile_params);
typedef void (*FuriHalBleProfileStop)(FuriHalBleProfileBase* profile);
typedef void (*FuriHalBleProfileGetGapConfig)(
GapConfig* target_config,
FuriHalBleProfileParams profile_params);
struct FuriHalBleProfileTemplate {
/* Returns an instance of the profile */
FuriHalBleProfileStart start;
/* Destroys the instance of the profile. Must check if instance belongs to the profile */
FuriHalBleProfileStop stop;
/* Called before starting the profile to get the GAP configuration */
FuriHalBleProfileGetGapConfig get_gap_config;
};
#ifdef __cplusplus
}
#endif

View File

@@ -1,12 +1,15 @@
#include "gap.h" #include "gap.h"
#include "app_common.h" #include "app_common.h"
#include <core/mutex.h>
#include "furi_ble/event_dispatcher.h"
#include <ble/ble.h> #include <ble/ble.h>
#include <furi_hal.h> #include <furi_hal.h>
#include <furi.h> #include <furi.h>
#include <stdint.h>
#define TAG "BtGap" #define TAG "BleGap"
#define FAST_ADV_TIMEOUT 30000 #define FAST_ADV_TIMEOUT 30000
#define INITIAL_ADV_TIMEOUT 60000 #define INITIAL_ADV_TIMEOUT 60000
@@ -98,7 +101,7 @@ static void gap_verify_connection_parameters(Gap* gap) {
} }
} }
SVCCTL_UserEvtFlowStatus_t SVCCTL_App_Notification(void* pckt) { BleEventFlowStatus ble_event_app_notification(void* pckt) {
hci_event_pckt* event_pckt; hci_event_pckt* event_pckt;
evt_le_meta_event* meta_evt; evt_le_meta_event* meta_evt;
evt_blecore_aci* blue_evt; evt_blecore_aci* blue_evt;
@@ -293,7 +296,7 @@ SVCCTL_UserEvtFlowStatus_t SVCCTL_App_Notification(void* pckt) {
if(gap) { if(gap) {
furi_mutex_release(gap->state_mutex); furi_mutex_release(gap->state_mutex);
} }
return SVCCTL_UserEvtFlowEnable; return BleEventFlowEnable;
} }
static void set_advertisment_service_uid(uint8_t* uid, uint8_t uid_len) { static void set_advertisment_service_uid(uint8_t* uid, uint8_t uid_len) {
@@ -409,6 +412,8 @@ static void gap_advertise_start(GapState new_state) {
uint16_t min_interval; uint16_t min_interval;
uint16_t max_interval; uint16_t max_interval;
FURI_LOG_I(TAG, "Start: %d", new_state);
if(new_state == GapStateAdvFast) { if(new_state == GapStateAdvFast) {
min_interval = 0x80; // 80 ms min_interval = 0x80; // 80 ms
max_interval = 0xa0; // 100 ms max_interval = 0xa0; // 100 ms
@@ -451,7 +456,8 @@ static void gap_advertise_start(GapState new_state) {
furi_timer_start(gap->advertise_timer, INITIAL_ADV_TIMEOUT); furi_timer_start(gap->advertise_timer, INITIAL_ADV_TIMEOUT);
} }
static void gap_advertise_stop() { static void gap_advertise_stop(void) {
FURI_LOG_I(TAG, "Stop");
tBleStatus ret; tBleStatus ret;
if(gap->state > GapStateIdle) { if(gap->state > GapStateIdle) {
if(gap->state == GapStateConnected) { if(gap->state == GapStateConnected) {
@@ -477,7 +483,7 @@ static void gap_advertise_stop() {
gap->on_event_cb(event, gap->context); gap->on_event_cb(event, gap->context);
} }
void gap_start_advertising() { void gap_start_advertising(void) {
furi_mutex_acquire(gap->state_mutex, FuriWaitForever); furi_mutex_acquire(gap->state_mutex, FuriWaitForever);
if(gap->state == GapStateIdle) { if(gap->state == GapStateIdle) {
gap->state = GapStateStartingAdv; gap->state = GapStateStartingAdv;
@@ -489,7 +495,7 @@ void gap_start_advertising() {
furi_mutex_release(gap->state_mutex); furi_mutex_release(gap->state_mutex);
} }
void gap_stop_advertising() { void gap_stop_advertising(void) {
furi_mutex_acquire(gap->state_mutex, FuriWaitForever); furi_mutex_acquire(gap->state_mutex, FuriWaitForever);
if(gap->state > GapStateIdle) { if(gap->state > GapStateIdle) {
FURI_LOG_I(TAG, "Stop advertising"); FURI_LOG_I(TAG, "Stop advertising");
@@ -518,8 +524,7 @@ bool gap_init(GapConfig* config, GapEventCallback on_event_cb, void* context) {
// Initialization of GATT & GAP layer // Initialization of GATT & GAP layer
gap->service.adv_name = config->adv_name; gap->service.adv_name = config->adv_name;
gap_init_svc(gap); gap_init_svc(gap);
// Initialization of the BLE Services ble_event_dispatcher_init();
SVCCTL_Init();
// Initialization of the GAP state // Initialization of the GAP state
gap->state_mutex = furi_mutex_alloc(FuriMutexTypeNormal); gap->state_mutex = furi_mutex_alloc(FuriMutexTypeNormal);
gap->state = GapStateIdle; gap->state = GapStateIdle;
@@ -545,21 +550,11 @@ bool gap_init(GapConfig* config, GapEventCallback on_event_cb, void* context) {
// Set callback // Set callback
gap->on_event_cb = on_event_cb; gap->on_event_cb = on_event_cb;
gap->context = context; gap->context = context;
return true; return true;
} }
// Get RSSI GapState gap_get_state(void) {
uint32_t gap_get_remote_conn_rssi(int8_t* rssi) {
if(gap && gap->state == GapStateConnected) {
fetch_rssi();
*rssi = gap->conn_rssi;
if(gap->time_rssi_sample) return furi_get_tick() - gap->time_rssi_sample;
}
return 0;
}
GapState gap_get_state() {
GapState state; GapState state;
if(gap) { if(gap) {
furi_mutex_acquire(gap->state_mutex, FuriWaitForever); furi_mutex_acquire(gap->state_mutex, FuriWaitForever);
@@ -571,7 +566,7 @@ GapState gap_get_state() {
return state; return state;
} }
void gap_thread_stop() { void gap_thread_stop(void) {
if(gap) { if(gap) {
furi_mutex_acquire(gap->state_mutex, FuriWaitForever); furi_mutex_acquire(gap->state_mutex, FuriWaitForever);
gap->enable_adv = false; gap->enable_adv = false;
@@ -584,6 +579,8 @@ void gap_thread_stop() {
furi_mutex_free(gap->state_mutex); furi_mutex_free(gap->state_mutex);
furi_message_queue_free(gap->command_queue); furi_message_queue_free(gap->command_queue);
furi_timer_free(gap->advertise_timer); furi_timer_free(gap->advertise_timer);
ble_event_dispatcher_reset();
free(gap); free(gap);
gap = NULL; gap = NULL;
} }
@@ -614,3 +611,9 @@ static int32_t gap_app(void* context) {
return 0; return 0;
} }
void gap_emit_ble_beacon_status_event(bool active) {
GapEvent event = {.type = active ? GapEventTypeBeaconStart : GapEventTypeBeaconStop};
gap->on_event_cb(event, gap->context);
FURI_LOG_I(TAG, "Beacon status event: %d", active);
}

View File

@@ -7,6 +7,10 @@
#define GAP_MAC_ADDR_SIZE (6) #define GAP_MAC_ADDR_SIZE (6)
/*
* GAP helpers - background thread that handles BLE GAP events and advertising.
*/
#ifdef __cplusplus #ifdef __cplusplus
extern "C" { extern "C" {
#endif #endif
@@ -19,6 +23,8 @@ typedef enum {
GapEventTypePinCodeShow, GapEventTypePinCodeShow,
GapEventTypePinCodeVerify, GapEventTypePinCodeVerify,
GapEventTypeUpdateMTU, GapEventTypeUpdateMTU,
GapEventTypeBeaconStart,
GapEventTypeBeaconStop,
} GapEventType; } GapEventType;
typedef union { typedef union {
@@ -73,13 +79,15 @@ typedef struct {
bool gap_init(GapConfig* config, GapEventCallback on_event_cb, void* context); bool gap_init(GapConfig* config, GapEventCallback on_event_cb, void* context);
void gap_start_advertising(); void gap_start_advertising(void);
void gap_stop_advertising(); void gap_stop_advertising(void);
GapState gap_get_state(); GapState gap_get_state(void);
void gap_thread_stop(); void gap_thread_stop(void);
void gap_emit_ble_beacon_status_event(bool active);
uint32_t gap_get_remote_conn_rssi(int8_t* rssi); uint32_t gap_get_remote_conn_rssi(int8_t* rssi);

View File

@@ -0,0 +1,114 @@
#include "serial_profile.h"
#include <gap.h>
#include <furi_ble/profile_interface.h>
#include <services/dev_info_service.h>
#include <services/battery_service.h>
#include <services/serial_service.h>
#include <furi.h>
typedef struct {
FuriHalBleProfileBase base;
BleServiceDevInfo* dev_info_svc;
BleServiceBattery* battery_svc;
BleServiceSerial* serial_svc;
} BleProfileSerial;
_Static_assert(offsetof(BleProfileSerial, base) == 0, "Wrong layout");
static FuriHalBleProfileBase* ble_profile_serial_start(FuriHalBleProfileParams profile_params) {
UNUSED(profile_params);
BleProfileSerial* profile = malloc(sizeof(BleProfileSerial));
profile->base.config = ble_profile_serial;
profile->dev_info_svc = ble_svc_dev_info_start();
profile->battery_svc = ble_svc_battery_start(true);
profile->serial_svc = ble_svc_serial_start();
return &profile->base;
}
static void ble_profile_serial_stop(FuriHalBleProfileBase* profile) {
furi_check(profile);
furi_check(profile->config == ble_profile_serial);
BleProfileSerial* serial_profile = (BleProfileSerial*)profile;
ble_svc_battery_stop(serial_profile->battery_svc);
ble_svc_dev_info_stop(serial_profile->dev_info_svc);
ble_svc_serial_stop(serial_profile->serial_svc);
}
static GapConfig serial_template_config = {
.adv_service_uuid = 0x3080,
.appearance_char = 0x8600,
.bonding_mode = true,
.pairing_method = GapPairingPinCodeShow,
.conn_param = {
.conn_int_min = 0x18, // 30 ms
.conn_int_max = 0x24, // 45 ms
.slave_latency = 0,
.supervisor_timeout = 0,
}};
static void
ble_profile_serial_get_config(GapConfig* config, FuriHalBleProfileParams profile_params) {
UNUSED(profile_params);
furi_check(config);
memcpy(config, &serial_template_config, sizeof(GapConfig));
// Set mac address
memcpy(config->mac_address, furi_hal_version_get_ble_mac(), sizeof(config->mac_address));
// Set advertise name
strlcpy(
config->adv_name,
furi_hal_version_get_ble_local_device_name_ptr(),
FURI_HAL_VERSION_DEVICE_NAME_LENGTH);
config->adv_service_uuid |= furi_hal_version_get_hw_color();
}
static const FuriHalBleProfileTemplate profile_callbacks = {
.start = ble_profile_serial_start,
.stop = ble_profile_serial_stop,
.get_gap_config = ble_profile_serial_get_config,
};
const FuriHalBleProfileTemplate* ble_profile_serial = &profile_callbacks;
void ble_profile_serial_set_event_callback(
FuriHalBleProfileBase* profile,
uint16_t buff_size,
FuriHalBtSerialCallback callback,
void* context) {
furi_check(profile && (profile->config == ble_profile_serial));
BleProfileSerial* serial_profile = (BleProfileSerial*)profile;
ble_svc_serial_set_callbacks(serial_profile->serial_svc, buff_size, callback, context);
}
void ble_profile_serial_notify_buffer_is_empty(FuriHalBleProfileBase* profile) {
furi_check(profile && (profile->config == ble_profile_serial));
BleProfileSerial* serial_profile = (BleProfileSerial*)profile;
ble_svc_serial_notify_buffer_is_empty(serial_profile->serial_svc);
}
void ble_profile_serial_set_rpc_active(FuriHalBleProfileBase* profile, bool active) {
furi_check(profile && (profile->config == ble_profile_serial));
BleProfileSerial* serial_profile = (BleProfileSerial*)profile;
ble_svc_serial_set_rpc_active(serial_profile->serial_svc, active);
}
bool ble_profile_serial_tx(FuriHalBleProfileBase* profile, uint8_t* data, uint16_t size) {
furi_check(profile && (profile->config == ble_profile_serial));
BleProfileSerial* serial_profile = (BleProfileSerial*)profile;
if(size > BLE_PROFILE_SERIAL_PACKET_SIZE_MAX) {
return false;
}
return ble_svc_serial_update_tx(serial_profile->serial_svc, data, size);
}

View File

@@ -0,0 +1,61 @@
#pragma once
#include <furi_ble/profile_interface.h>
#include <services/serial_service.h>
#ifdef __cplusplus
extern "C" {
#endif
#define BLE_PROFILE_SERIAL_PACKET_SIZE_MAX BLE_SVC_SERIAL_DATA_LEN_MAX
typedef enum {
FuriHalBtSerialRpcStatusNotActive,
FuriHalBtSerialRpcStatusActive,
} FuriHalBtSerialRpcStatus;
/** Serial service callback type */
typedef SerialServiceEventCallback FuriHalBtSerialCallback;
/** Serial profile descriptor */
extern const FuriHalBleProfileTemplate* ble_profile_serial;
/** Send data through BLE
*
* @param profile Profile instance
* @param data data buffer
* @param size data buffer size
*
* @return true on success
*/
bool ble_profile_serial_tx(FuriHalBleProfileBase* profile, uint8_t* data, uint16_t size);
/** Set BLE RPC status
*
* @param profile Profile instance
* @param active true if RPC is active
*/
void ble_profile_serial_set_rpc_active(FuriHalBleProfileBase* profile, bool active);
/** Notify that application buffer is empty
* @param profile Profile instance
*/
void ble_profile_serial_notify_buffer_is_empty(FuriHalBleProfileBase* profile);
/** Set Serial service events callback
*
* @param profile Profile instance
* @param buffer_size Applicaition buffer size
* @param calback FuriHalBtSerialCallback instance
* @param context pointer to context
*/
void ble_profile_serial_set_event_callback(
FuriHalBleProfileBase* profile,
uint16_t buff_size,
FuriHalBtSerialCallback callback,
void* context);
#ifdef __cplusplus
}
#endif

View File

@@ -1,28 +1,30 @@
#include "battery_service.h" #include "battery_service.h"
#include "app_common.h" #include "app_common.h"
#include "gatt_char.h" #include <core/check.h>
#include <furi_ble/gatt.h>
#include <ble/ble.h> #include <ble/ble.h>
#include <furi.h> #include <furi.h>
#include <furi_hal_power.h>
#include <m-list.h>
#define TAG "BtBatterySvc" #define TAG "BtBatterySvc"
enum { enum {
// Common states /* Common states */
BatterySvcPowerStateUnknown = 0b00, BatterySvcPowerStateUnknown = 0b00,
BatterySvcPowerStateUnsupported = 0b01, BatterySvcPowerStateUnsupported = 0b01,
// Level states /* Level states */
BatterySvcPowerStateGoodLevel = 0b10, BatterySvcPowerStateGoodLevel = 0b10,
BatterySvcPowerStateCriticallyLowLevel = 0b11, BatterySvcPowerStateCriticallyLowLevel = 0b11,
// Charging states /* Charging states */
BatterySvcPowerStateNotCharging = 0b10, BatterySvcPowerStateNotCharging = 0b10,
BatterySvcPowerStateCharging = 0b11, BatterySvcPowerStateCharging = 0b11,
// Discharging states /* Discharging states */
BatterySvcPowerStateNotDischarging = 0b10, BatterySvcPowerStateNotDischarging = 0b10,
BatterySvcPowerStateDischarging = 0b11, BatterySvcPowerStateDischarging = 0b11,
// Battery states /* Battery states */
BatterySvcPowerStateBatteryNotPresent = 0b10, BatterySvcPowerStateBatteryNotPresent = 0b10,
BatterySvcPowerStateBatteryPresent = 0b11, BatterySvcPowerStateBatteryPresent = 0b11,
}; };
@@ -46,8 +48,8 @@ typedef enum {
BatterySvcGattCharacteristicCount, BatterySvcGattCharacteristicCount,
} BatterySvcGattCharacteristicId; } BatterySvcGattCharacteristicId;
static const FlipperGattCharacteristicParams battery_svc_chars[BatterySvcGattCharacteristicCount] = static const BleGattCharacteristicParams battery_svc_chars[BatterySvcGattCharacteristicCount] = {
{[BatterySvcGattCharacteristicBatteryLevel] = [BatterySvcGattCharacteristicBatteryLevel] =
{.name = "Battery Level", {.name = "Battery Level",
.data_prop_type = FlipperGattCharacteristicDataFixed, .data_prop_type = FlipperGattCharacteristicDataFixed,
.data.fixed.length = 1, .data.fixed.length = 1,
@@ -68,74 +70,88 @@ static const FlipperGattCharacteristicParams battery_svc_chars[BatterySvcGattCha
.gatt_evt_mask = GATT_DONT_NOTIFY_EVENTS, .gatt_evt_mask = GATT_DONT_NOTIFY_EVENTS,
.is_variable = CHAR_VALUE_LEN_CONSTANT}}; .is_variable = CHAR_VALUE_LEN_CONSTANT}};
typedef struct { struct BleServiceBattery {
uint16_t svc_handle; uint16_t svc_handle;
FlipperGattCharacteristicInstance chars[BatterySvcGattCharacteristicCount]; BleGattCharacteristicInstance chars[BatterySvcGattCharacteristicCount];
} BatterySvc; bool auto_update;
};
static BatterySvc* battery_svc = NULL; LIST_DEF(BatterySvcInstanceList, BleServiceBattery*, M_POD_OPLIST);
void battery_svc_start() { /* We need to keep track of all battery service instances so that we can update
battery_svc = malloc(sizeof(BatterySvc)); * them when the battery state changes. */
tBleStatus status; static BatterySvcInstanceList_t instances;
static bool instances_initialized = false;
// Add Battery service BleServiceBattery* ble_svc_battery_start(bool auto_update) {
status = aci_gatt_add_service( BleServiceBattery* battery_svc = malloc(sizeof(BleServiceBattery));
UUID_TYPE_16, (Service_UUID_t*)&service_uuid, PRIMARY_SERVICE, 8, &battery_svc->svc_handle);
if(status) { if(!ble_gatt_service_add(
FURI_LOG_E(TAG, "Failed to add Battery service: %d", status); UUID_TYPE_16,
(Service_UUID_t*)&service_uuid,
PRIMARY_SERVICE,
8,
&battery_svc->svc_handle)) {
free(battery_svc);
return NULL;
} }
for(size_t i = 0; i < BatterySvcGattCharacteristicCount; i++) { for(size_t i = 0; i < BatterySvcGattCharacteristicCount; i++) {
flipper_gatt_characteristic_init( ble_gatt_characteristic_init(
battery_svc->svc_handle, &battery_svc_chars[i], &battery_svc->chars[i]); battery_svc->svc_handle, &battery_svc_chars[i], &battery_svc->chars[i]);
} }
battery_svc_update_power_state(); battery_svc->auto_update = auto_update;
if(auto_update) {
if(!instances_initialized) {
BatterySvcInstanceList_init(instances);
instances_initialized = true;
}
BatterySvcInstanceList_push_back(instances, battery_svc);
}
return battery_svc;
} }
void battery_svc_stop() { void ble_svc_battery_stop(BleServiceBattery* battery_svc) {
tBleStatus status; furi_assert(battery_svc);
if(battery_svc) { if(battery_svc->auto_update) {
BatterySvcInstanceList_it_t it;
for(BatterySvcInstanceList_it(it, instances); !BatterySvcInstanceList_end_p(it);
BatterySvcInstanceList_next(it)) {
if(*BatterySvcInstanceList_ref(it) == battery_svc) {
BatterySvcInstanceList_remove(instances, it);
break;
}
}
}
for(size_t i = 0; i < BatterySvcGattCharacteristicCount; i++) { for(size_t i = 0; i < BatterySvcGattCharacteristicCount; i++) {
flipper_gatt_characteristic_delete(battery_svc->svc_handle, &battery_svc->chars[i]); ble_gatt_characteristic_delete(battery_svc->svc_handle, &battery_svc->chars[i]);
}
// Delete Battery service
status = aci_gatt_del_service(battery_svc->svc_handle);
if(status) {
FURI_LOG_E(TAG, "Failed to delete Battery service: %d", status);
} }
/* Delete Battery service */
ble_gatt_service_delete(battery_svc->svc_handle);
free(battery_svc); free(battery_svc);
battery_svc = NULL;
}
} }
bool battery_svc_is_started() { bool ble_svc_battery_update_level(BleServiceBattery* battery_svc, uint8_t battery_charge) {
return battery_svc != NULL; furi_check(battery_svc);
} /* Update battery level characteristic */
return ble_gatt_characteristic_update(
bool battery_svc_update_level(uint8_t battery_charge) {
// Check if service was started
if(battery_svc == NULL) {
return false;
}
// Update battery level characteristic
return flipper_gatt_characteristic_update(
battery_svc->svc_handle, battery_svc->svc_handle,
&battery_svc->chars[BatterySvcGattCharacteristicBatteryLevel], &battery_svc->chars[BatterySvcGattCharacteristicBatteryLevel],
&battery_charge); &battery_charge);
} }
bool battery_svc_update_power_state() { bool ble_svc_battery_update_power_state(BleServiceBattery* battery_svc, bool charging) {
// Check if service was started furi_check(battery_svc);
if(battery_svc == NULL) {
return false; /* Update power state characteristic */
}
// Update power state characteristic
BattrySvcPowerState power_state = { BattrySvcPowerState power_state = {
.level = BatterySvcPowerStateUnsupported, .level = BatterySvcPowerStateUnsupported,
.present = BatterySvcPowerStateBatteryPresent, .present = BatterySvcPowerStateBatteryPresent,
}; };
if(furi_hal_power_is_charging()) { if(charging) {
power_state.charging = BatterySvcPowerStateCharging; power_state.charging = BatterySvcPowerStateCharging;
power_state.discharging = BatterySvcPowerStateNotDischarging; power_state.discharging = BatterySvcPowerStateNotDischarging;
} else { } else {
@@ -143,8 +159,29 @@ bool battery_svc_update_power_state() {
power_state.discharging = BatterySvcPowerStateDischarging; power_state.discharging = BatterySvcPowerStateDischarging;
} }
return flipper_gatt_characteristic_update( return ble_gatt_characteristic_update(
battery_svc->svc_handle, battery_svc->svc_handle,
&battery_svc->chars[BatterySvcGattCharacteristicPowerState], &battery_svc->chars[BatterySvcGattCharacteristicPowerState],
&power_state); &power_state);
} }
void ble_svc_battery_state_update(uint8_t* battery_level, bool* charging) {
if(!instances_initialized) {
#ifdef FURI_BLE_EXTRA_LOG
FURI_LOG_W(TAG, "Battery service not initialized");
#endif
return;
}
BatterySvcInstanceList_it_t it;
for(BatterySvcInstanceList_it(it, instances); !BatterySvcInstanceList_end_p(it);
BatterySvcInstanceList_next(it)) {
BleServiceBattery* battery_svc = *BatterySvcInstanceList_ref(it);
if(battery_level) {
ble_svc_battery_update_level(battery_svc, *battery_level);
}
if(charging) {
ble_svc_battery_update_power_state(battery_svc, *charging);
}
}
}

View File

@@ -7,15 +7,27 @@
extern "C" { extern "C" {
#endif #endif
void battery_svc_start(); /*
* Battery service. Can be used in most profiles.
* If auto_update is true, the service will automatically update the battery
* level and charging state from power state updates.
*/
void battery_svc_stop(); typedef struct BleServiceBattery BleServiceBattery;
bool battery_svc_is_started(); BleServiceBattery* ble_svc_battery_start(bool auto_update);
bool battery_svc_update_level(uint8_t battery_level); void ble_svc_battery_stop(BleServiceBattery* service);
bool battery_svc_update_power_state(); bool ble_svc_battery_update_level(BleServiceBattery* service, uint8_t battery_level);
bool ble_svc_battery_update_power_state(BleServiceBattery* service, bool charging);
/* Global function, callable without a service instance
* Will update all service instances created with auto_update==true
* Both parameters are optional, pass NULL if no value is available
*/
void ble_svc_battery_state_update(uint8_t* battery_level, bool* charging);
#ifdef __cplusplus #ifdef __cplusplus
} }

View File

@@ -1,6 +1,6 @@
#include "dev_info_service.h" #include "dev_info_service.h"
#include "app_common.h" #include "app_common.h"
#include "gatt_char.h" #include <furi_ble/gatt.h>
#include <ble/ble.h> #include <ble/ble.h>
#include <furi.h> #include <furi.h>
@@ -20,45 +20,30 @@ typedef enum {
DevInfoSvcGattCharacteristicCount, DevInfoSvcGattCharacteristicCount,
} DevInfoSvcGattCharacteristicId; } DevInfoSvcGattCharacteristicId;
#define DEVICE_INFO_HARDWARE_REV_SIZE 4 #define DEVICE_INFO_HARDWARE_REV_SIZE (4)
typedef struct { #define DEVICE_INFO_SOFTWARE_REV_SIZE (40)
uint16_t service_handle;
FlipperGattCharacteristicInstance characteristics[DevInfoSvcGattCharacteristicCount];
FuriString* version_string;
char hardware_revision[DEVICE_INFO_HARDWARE_REV_SIZE];
} DevInfoSvc;
static DevInfoSvc* dev_info_svc = NULL; struct BleServiceDevInfo {
uint16_t service_handle;
BleGattCharacteristicInstance characteristics[DevInfoSvcGattCharacteristicCount];
};
static const char dev_info_man_name[] = "Flipper Devices Inc."; static const char dev_info_man_name[] = "Flipper Devices Inc.";
static const char dev_info_serial_num[] = "1.0"; static const char dev_info_serial_num[] = "1.0";
static const char dev_info_rpc_version[] = TOSTRING(PROTOBUF_MAJOR_VERSION.PROTOBUF_MINOR_VERSION); static const char dev_info_rpc_version[] = TOSTRING(PROTOBUF_MAJOR_VERSION.PROTOBUF_MINOR_VERSION);
static char hardware_revision[DEVICE_INFO_HARDWARE_REV_SIZE] = {0};
static char software_revision[DEVICE_INFO_SOFTWARE_REV_SIZE] = {0};
static bool dev_info_char_firmware_rev_callback( static bool
const void* context, dev_info_char_data_callback(const void* context, const uint8_t** data, uint16_t* data_len) {
const uint8_t** data, *data_len = (uint16_t)strlen(context); //-V1029
uint16_t* data_len) {
const DevInfoSvc* dev_info_svc = *(DevInfoSvc**)context;
*data_len = strlen(dev_info_svc->hardware_revision);
if(data) { if(data) {
*data = (const uint8_t*)&dev_info_svc->hardware_revision; *data = (const uint8_t*)context;
} }
return false; return false;
} }
static bool dev_info_char_software_rev_callback( static const BleGattCharacteristicParams ble_svc_dev_info_chars[DevInfoSvcGattCharacteristicCount] =
const void* context,
const uint8_t** data,
uint16_t* data_len) {
const DevInfoSvc* dev_info_svc = *(DevInfoSvc**)context;
*data_len = furi_string_size(dev_info_svc->version_string);
if(data) {
*data = (const uint8_t*)furi_string_get_cstr(dev_info_svc->version_string);
}
return false;
}
static const FlipperGattCharacteristicParams dev_info_svc_chars[DevInfoSvcGattCharacteristicCount] =
{[DevInfoSvcGattCharacteristicMfgName] = {[DevInfoSvcGattCharacteristicMfgName] =
{.name = "Manufacturer Name", {.name = "Manufacturer Name",
.data_prop_type = FlipperGattCharacteristicDataFixed, .data_prop_type = FlipperGattCharacteristicDataFixed,
@@ -84,8 +69,8 @@ static const FlipperGattCharacteristicParams dev_info_svc_chars[DevInfoSvcGattCh
[DevInfoSvcGattCharacteristicFirmwareRev] = [DevInfoSvcGattCharacteristicFirmwareRev] =
{.name = "Firmware Revision", {.name = "Firmware Revision",
.data_prop_type = FlipperGattCharacteristicDataCallback, .data_prop_type = FlipperGattCharacteristicDataCallback,
.data.callback.context = &dev_info_svc, .data.callback.context = hardware_revision,
.data.callback.fn = dev_info_char_firmware_rev_callback, .data.callback.fn = dev_info_char_data_callback,
.uuid.Char_UUID_16 = FIRMWARE_REVISION_UUID, .uuid.Char_UUID_16 = FIRMWARE_REVISION_UUID,
.uuid_type = UUID_TYPE_16, .uuid_type = UUID_TYPE_16,
.char_properties = CHAR_PROP_READ, .char_properties = CHAR_PROP_READ,
@@ -95,8 +80,8 @@ static const FlipperGattCharacteristicParams dev_info_svc_chars[DevInfoSvcGattCh
[DevInfoSvcGattCharacteristicSoftwareRev] = [DevInfoSvcGattCharacteristicSoftwareRev] =
{.name = "Software Revision", {.name = "Software Revision",
.data_prop_type = FlipperGattCharacteristicDataCallback, .data_prop_type = FlipperGattCharacteristicDataCallback,
.data.callback.context = &dev_info_svc, .data.callback.context = software_revision,
.data.callback.fn = dev_info_char_software_rev_callback, .data.callback.fn = dev_info_char_data_callback,
.uuid.Char_UUID_16 = SOFTWARE_REVISION_UUID, .uuid.Char_UUID_16 = SOFTWARE_REVISION_UUID,
.uuid_type = UUID_TYPE_16, .uuid_type = UUID_TYPE_16,
.char_properties = CHAR_PROP_READ, .char_properties = CHAR_PROP_READ,
@@ -115,64 +100,52 @@ static const FlipperGattCharacteristicParams dev_info_svc_chars[DevInfoSvcGattCh
.gatt_evt_mask = GATT_DONT_NOTIFY_EVENTS, .gatt_evt_mask = GATT_DONT_NOTIFY_EVENTS,
.is_variable = CHAR_VALUE_LEN_CONSTANT}}; .is_variable = CHAR_VALUE_LEN_CONSTANT}};
void dev_info_svc_start() { BleServiceDevInfo* ble_svc_dev_info_start(void) {
dev_info_svc = malloc(sizeof(DevInfoSvc)); BleServiceDevInfo* dev_info_svc = malloc(sizeof(BleServiceDevInfo));
dev_info_svc->version_string = furi_string_alloc_printf( snprintf(
software_revision,
sizeof(software_revision),
"%s %s %s %s", "%s %s %s %s",
version_get_githash(NULL), version_get_githash(NULL),
version_get_version(NULL), version_get_version(NULL),
version_get_gitbranchnum(NULL), version_get_gitbranchnum(NULL),
version_get_builddate(NULL)); version_get_builddate(NULL));
snprintf( snprintf(hardware_revision, sizeof(hardware_revision), "%d", version_get_target(NULL));
dev_info_svc->hardware_revision,
sizeof(dev_info_svc->hardware_revision),
"%d",
version_get_target(NULL));
tBleStatus status;
// Add Device Information Service // Add Device Information Service
uint16_t uuid = DEVICE_INFORMATION_SERVICE_UUID; uint16_t uuid = DEVICE_INFORMATION_SERVICE_UUID;
status = aci_gatt_add_service( if(!ble_gatt_service_add(
UUID_TYPE_16, UUID_TYPE_16,
(Service_UUID_t*)&uuid, (Service_UUID_t*)&uuid,
PRIMARY_SERVICE, PRIMARY_SERVICE,
1 + 2 * DevInfoSvcGattCharacteristicCount, 1 + 2 * DevInfoSvcGattCharacteristicCount,
&dev_info_svc->service_handle); &dev_info_svc->service_handle)) {
if(status) { free(dev_info_svc);
FURI_LOG_E(TAG, "Failed to add Device Information Service: %d", status); return NULL;
} }
for(size_t i = 0; i < DevInfoSvcGattCharacteristicCount; i++) { for(size_t i = 0; i < DevInfoSvcGattCharacteristicCount; i++) {
flipper_gatt_characteristic_init( ble_gatt_characteristic_init(
dev_info_svc->service_handle, dev_info_svc->service_handle,
&dev_info_svc_chars[i], &ble_svc_dev_info_chars[i],
&dev_info_svc->characteristics[i]); &dev_info_svc->characteristics[i]);
flipper_gatt_characteristic_update( ble_gatt_characteristic_update(
dev_info_svc->service_handle, &dev_info_svc->characteristics[i], NULL); dev_info_svc->service_handle, &dev_info_svc->characteristics[i], NULL);
} }
return dev_info_svc;
} }
void dev_info_svc_stop() { void ble_svc_dev_info_stop(BleServiceDevInfo* dev_info_svc) {
tBleStatus status; furi_assert(dev_info_svc);
if(dev_info_svc) { /* Delete service characteristics */
// Delete service characteristics
for(size_t i = 0; i < DevInfoSvcGattCharacteristicCount; i++) { for(size_t i = 0; i < DevInfoSvcGattCharacteristicCount; i++) {
flipper_gatt_characteristic_delete( ble_gatt_characteristic_delete(
dev_info_svc->service_handle, &dev_info_svc->characteristics[i]); dev_info_svc->service_handle, &dev_info_svc->characteristics[i]);
} }
// Delete service /* Delete service */
status = aci_gatt_del_service(dev_info_svc->service_handle); ble_gatt_service_delete(dev_info_svc->service_handle);
if(status) {
FURI_LOG_E(TAG, "Failed to delete device info service: %d", status);
}
furi_string_free(dev_info_svc->version_string);
free(dev_info_svc); free(dev_info_svc);
dev_info_svc = NULL;
}
}
bool dev_info_svc_is_started() {
return dev_info_svc != NULL;
} }

View File

@@ -7,11 +7,16 @@
extern "C" { extern "C" {
#endif #endif
void dev_info_svc_start(); /*
* Device information service.
* Holds Flipper name, version and other information.
*/
void dev_info_svc_stop(); typedef struct BleServiceDevInfo BleServiceDevInfo;
bool dev_info_svc_is_started(); BleServiceDevInfo* ble_svc_dev_info_start(void);
void ble_svc_dev_info_stop(BleServiceDevInfo* service);
#ifdef __cplusplus #ifdef __cplusplus
} }

View File

@@ -1,96 +0,0 @@
#pragma once
#include <stdint.h>
#include <stdbool.h>
#include <stdio.h>
#include <ble/ble.h>
#ifdef __cplusplus
extern "C" {
#endif
// Callback signature for getting characteristic data
// Is called when characteristic is created to get max data length. Data ptr is NULL in this case
// The result is passed to aci_gatt_add_char as "Char_Value_Length"
// For updates, called with a context - see flipper_gatt_characteristic_update
// Returns true if *data ownership is transferred to the caller and will be freed
typedef bool (*cbFlipperGattCharacteristicData)(
const void* context,
const uint8_t** data,
uint16_t* data_len);
typedef enum {
FlipperGattCharacteristicDataFixed,
FlipperGattCharacteristicDataCallback,
} FlipperGattCharacteristicDataType;
typedef struct {
Char_Desc_Uuid_t uuid;
struct {
cbFlipperGattCharacteristicData fn;
const void* context;
} data_callback;
uint8_t uuid_type;
uint8_t max_length;
uint8_t security_permissions;
uint8_t access_permissions;
uint8_t gatt_evt_mask;
uint8_t is_variable;
} FlipperGattCharacteristicDescriptorParams;
typedef struct {
const char* name;
FlipperGattCharacteristicDescriptorParams* descriptor_params;
union {
struct {
const uint8_t* ptr;
uint16_t length;
} fixed;
struct {
cbFlipperGattCharacteristicData fn;
const void* context;
} callback;
} data;
Char_UUID_t uuid;
// Some packed bitfields to save space
FlipperGattCharacteristicDataType data_prop_type : 2;
uint8_t is_variable : 2;
uint8_t uuid_type : 2;
uint8_t char_properties;
uint8_t security_permissions;
uint8_t gatt_evt_mask;
} FlipperGattCharacteristicParams;
_Static_assert(
sizeof(FlipperGattCharacteristicParams) == 36,
"FlipperGattCharacteristicParams size must be 36 bytes");
typedef struct {
const FlipperGattCharacteristicParams* characteristic;
uint16_t handle;
uint16_t descriptor_handle;
} FlipperGattCharacteristicInstance;
// Initialize a characteristic instance; copies the characteristic descriptor into the instance
void flipper_gatt_characteristic_init(
uint16_t svc_handle,
const FlipperGattCharacteristicParams* char_descriptor,
FlipperGattCharacteristicInstance* char_instance);
// Delete a characteristic instance; frees the copied characteristic descriptor from the instance
void flipper_gatt_characteristic_delete(
uint16_t svc_handle,
FlipperGattCharacteristicInstance* char_instance);
// Update a characteristic instance; if source==NULL, uses the data from the characteristic
// - For fixed data, fixed.ptr is used as the source if source==NULL
// - For callback-based data, collback.context is passed as the context if source==NULL
bool flipper_gatt_characteristic_update(
uint16_t svc_handle,
FlipperGattCharacteristicInstance* char_instance,
const void* source);
#ifdef __cplusplus
}
#endif

View File

@@ -1,366 +0,0 @@
#include "hid_service.h"
#include "app_common.h"
#include <ble/ble.h>
#include "gatt_char.h"
#include <furi.h>
#define TAG "BtHid"
typedef enum {
HidSvcGattCharacteristicProtocolMode = 0,
HidSvcGattCharacteristicReportMap,
HidSvcGattCharacteristicInfo,
HidSvcGattCharacteristicCtrlPoint,
HidSvcGattCharacteristicLed,
HidSvcGattCharacteristicCount,
} HidSvcGattCharacteristicId;
typedef struct {
uint8_t report_idx;
uint8_t report_type;
} HidSvcReportId;
static_assert(sizeof(HidSvcReportId) == sizeof(uint16_t), "HidSvcReportId must be 2 bytes");
static const Service_UUID_t hid_svc_uuid = {
.Service_UUID_16 = HUMAN_INTERFACE_DEVICE_SERVICE_UUID,
};
static bool
hid_svc_char_desc_data_callback(const void* context, const uint8_t** data, uint16_t* data_len) {
const HidSvcReportId* report_id = context;
*data_len = sizeof(HidSvcReportId);
if(data) {
*data = (const uint8_t*)report_id;
}
return false;
}
typedef struct {
const void* data_ptr;
uint16_t data_len;
} HidSvcDataWrapper;
static bool
hid_svc_report_data_callback(const void* context, const uint8_t** data, uint16_t* data_len) {
const HidSvcDataWrapper* report_data = context;
if(data) {
*data = report_data->data_ptr;
*data_len = report_data->data_len;
} else {
*data_len = HID_SVC_REPORT_MAP_MAX_LEN;
}
return false;
}
// LED Descriptor params for BadBT
static uint8_t led_desc_context_buf[2] = {HID_SVC_REPORT_COUNT + 1, 2};
static FlipperGattCharacteristicDescriptorParams hid_svc_char_descr_led = {
.uuid_type = UUID_TYPE_16,
.uuid.Char_UUID_16 = REPORT_REFERENCE_DESCRIPTOR_UUID,
.max_length = HID_SVC_REPORT_REF_LEN,
.data_callback.fn = hid_svc_char_desc_data_callback,
.data_callback.context = led_desc_context_buf,
.security_permissions = ATTR_PERMISSION_NONE,
.access_permissions = ATTR_ACCESS_READ_WRITE,
.gatt_evt_mask = GATT_DONT_NOTIFY_EVENTS,
.is_variable = CHAR_VALUE_LEN_CONSTANT,
};
static const FlipperGattCharacteristicParams hid_svc_chars[HidSvcGattCharacteristicCount] = {
[HidSvcGattCharacteristicProtocolMode] =
{.name = "Protocol Mode",
.data_prop_type = FlipperGattCharacteristicDataFixed,
.data.fixed.length = 1,
.uuid.Char_UUID_16 = PROTOCOL_MODE_CHAR_UUID,
.uuid_type = UUID_TYPE_16,
.char_properties = CHAR_PROP_READ | CHAR_PROP_WRITE_WITHOUT_RESP,
.security_permissions = ATTR_PERMISSION_NONE,
.gatt_evt_mask = GATT_NOTIFY_ATTRIBUTE_WRITE,
.is_variable = CHAR_VALUE_LEN_CONSTANT},
[HidSvcGattCharacteristicReportMap] =
{.name = "Report Map",
.data_prop_type = FlipperGattCharacteristicDataCallback,
.data.callback.fn = hid_svc_report_data_callback,
.data.callback.context = NULL,
.uuid.Char_UUID_16 = REPORT_MAP_CHAR_UUID,
.uuid_type = UUID_TYPE_16,
.char_properties = CHAR_PROP_READ,
.security_permissions = ATTR_PERMISSION_NONE,
.gatt_evt_mask = GATT_DONT_NOTIFY_EVENTS,
.is_variable = CHAR_VALUE_LEN_VARIABLE},
[HidSvcGattCharacteristicInfo] =
{.name = "HID Information",
.data_prop_type = FlipperGattCharacteristicDataFixed,
.data.fixed.length = HID_SVC_INFO_LEN,
.data.fixed.ptr = NULL,
.uuid.Char_UUID_16 = HID_INFORMATION_CHAR_UUID,
.uuid_type = UUID_TYPE_16,
.char_properties = CHAR_PROP_READ,
.security_permissions = ATTR_PERMISSION_NONE,
.gatt_evt_mask = GATT_DONT_NOTIFY_EVENTS,
.is_variable = CHAR_VALUE_LEN_CONSTANT},
[HidSvcGattCharacteristicCtrlPoint] =
{.name = "HID Control Point",
.data_prop_type = FlipperGattCharacteristicDataFixed,
.data.fixed.length = HID_SVC_CONTROL_POINT_LEN,
.uuid.Char_UUID_16 = HID_CONTROL_POINT_CHAR_UUID,
.uuid_type = UUID_TYPE_16,
.char_properties = CHAR_PROP_WRITE_WITHOUT_RESP,
.security_permissions = ATTR_PERMISSION_NONE,
.gatt_evt_mask = GATT_NOTIFY_ATTRIBUTE_WRITE,
.is_variable = CHAR_VALUE_LEN_CONSTANT},
[HidSvcGattCharacteristicLed] =
{
.name =
"HID LED State", // LED Characteristic and descriptor for BadBT to get numlock state for altchars
.data_prop_type = FlipperGattCharacteristicDataFixed,
.data.fixed.length = 1,
.uuid.Char_UUID_16 = REPORT_CHAR_UUID,
.uuid_type = UUID_TYPE_16,
.char_properties = CHAR_PROP_READ | CHAR_PROP_WRITE_WITHOUT_RESP | CHAR_PROP_WRITE,
.security_permissions = ATTR_PERMISSION_NONE,
.gatt_evt_mask = GATT_NOTIFY_ATTRIBUTE_WRITE |
GATT_NOTIFY_WRITE_REQ_AND_WAIT_FOR_APPL_RESP,
.is_variable = CHAR_VALUE_LEN_CONSTANT,
.descriptor_params = &hid_svc_char_descr_led,
},
};
static const FlipperGattCharacteristicDescriptorParams hid_svc_char_descr_template = {
.uuid_type = UUID_TYPE_16,
.uuid.Char_UUID_16 = REPORT_REFERENCE_DESCRIPTOR_UUID,
.max_length = HID_SVC_REPORT_REF_LEN,
.data_callback.fn = hid_svc_char_desc_data_callback,
.security_permissions = ATTR_PERMISSION_NONE,
.access_permissions = ATTR_ACCESS_READ_WRITE,
.gatt_evt_mask = GATT_DONT_NOTIFY_EVENTS,
.is_variable = CHAR_VALUE_LEN_CONSTANT,
};
static const FlipperGattCharacteristicParams hid_svc_report_template = {
.name = "Report",
.data_prop_type = FlipperGattCharacteristicDataCallback,
.data.callback.fn = hid_svc_report_data_callback,
.data.callback.context = NULL,
.uuid.Char_UUID_16 = REPORT_CHAR_UUID,
.uuid_type = UUID_TYPE_16,
.char_properties = CHAR_PROP_READ | CHAR_PROP_NOTIFY,
.security_permissions = ATTR_PERMISSION_NONE,
.gatt_evt_mask = GATT_DONT_NOTIFY_EVENTS,
.is_variable = CHAR_VALUE_LEN_VARIABLE,
};
typedef struct {
uint16_t svc_handle;
FlipperGattCharacteristicInstance chars[HidSvcGattCharacteristicCount];
FlipperGattCharacteristicInstance input_report_chars[HID_SVC_INPUT_REPORT_COUNT];
FlipperGattCharacteristicInstance output_report_chars[HID_SVC_OUTPUT_REPORT_COUNT];
FlipperGattCharacteristicInstance feature_report_chars[HID_SVC_FEATURE_REPORT_COUNT];
// led state
HidLedStateEventCallback led_state_event_callback;
void* led_state_ctx;
} HIDSvc;
static HIDSvc* hid_svc = NULL;
static SVCCTL_EvtAckStatus_t hid_svc_event_handler(void* event) {
SVCCTL_EvtAckStatus_t ret = SVCCTL_EvtNotAck;
hci_event_pckt* event_pckt = (hci_event_pckt*)(((hci_uart_pckt*)event)->data);
evt_blecore_aci* blecore_evt = (evt_blecore_aci*)event_pckt->data;
// aci_gatt_attribute_modified_event_rp0* attribute_modified;
if(event_pckt->evt == HCI_VENDOR_SPECIFIC_DEBUG_EVT_CODE) {
if(blecore_evt->ecode == ACI_GATT_ATTRIBUTE_MODIFIED_VSEVT_CODE) {
// Process modification events
ret = SVCCTL_EvtAckFlowEnable;
} else if(blecore_evt->ecode == ACI_GATT_SERVER_CONFIRMATION_VSEVT_CODE) {
// Process notification confirmation
ret = SVCCTL_EvtAckFlowEnable;
} else if(blecore_evt->ecode == ACI_GATT_WRITE_PERMIT_REQ_VSEVT_CODE) {
// LED Characteristic and descriptor for BadBT to get numlock state for altchars
//
// Process write request
aci_gatt_write_permit_req_event_rp0* req =
(aci_gatt_write_permit_req_event_rp0*)blecore_evt->data;
furi_check(hid_svc->led_state_event_callback && hid_svc->led_state_ctx);
// this check is likely to be incorrect, it will actually work in our case
// but we need to investigate gatt api to see what is the rules
// that specify attibute handle value from char handle (or the reverse)
if(req->Attribute_Handle == (hid_svc->chars[HidSvcGattCharacteristicLed].handle + 1)) {
hid_svc->led_state_event_callback(req->Data[0], hid_svc->led_state_ctx);
aci_gatt_write_resp(
req->Connection_Handle,
req->Attribute_Handle,
0x00, /* write_status = 0 (no error))*/
0x00, /* err_code */
req->Data_Length,
req->Data);
aci_gatt_write_char_value(
req->Connection_Handle,
hid_svc->chars[HidSvcGattCharacteristicLed].handle,
req->Data_Length,
req->Data);
ret = SVCCTL_EvtAckFlowEnable;
}
}
}
return ret;
}
void hid_svc_start() {
tBleStatus status;
hid_svc = malloc(sizeof(HIDSvc));
// Register event handler
SVCCTL_RegisterSvcHandler(hid_svc_event_handler);
/**
* Add Human Interface Device Service
*/
status = aci_gatt_add_service(
UUID_TYPE_16,
&hid_svc_uuid,
PRIMARY_SERVICE,
2 + /* protocol mode */
(4 * HID_SVC_INPUT_REPORT_COUNT) + (3 * HID_SVC_OUTPUT_REPORT_COUNT) +
(3 * HID_SVC_FEATURE_REPORT_COUNT) + 1 + 2 + 2 + 2 +
4, /* Service + Report Map + HID Information + HID Control Point + LED state */
&hid_svc->svc_handle);
if(status) {
FURI_LOG_E(TAG, "Failed to add HID service: %d", status);
}
for(size_t i = 0; i < HidSvcGattCharacteristicCount; i++) {
flipper_gatt_characteristic_init(
hid_svc->svc_handle, &hid_svc_chars[i], &hid_svc->chars[i]);
}
uint8_t protocol_mode = 1;
flipper_gatt_characteristic_update(
hid_svc->svc_handle,
&hid_svc->chars[HidSvcGattCharacteristicProtocolMode],
&protocol_mode);
// reports
FlipperGattCharacteristicDescriptorParams hid_svc_char_descr;
FlipperGattCharacteristicParams report_char;
HidSvcReportId report_id;
memcpy(&hid_svc_char_descr, &hid_svc_char_descr_template, sizeof(hid_svc_char_descr));
memcpy(&report_char, &hid_svc_report_template, sizeof(report_char));
hid_svc_char_descr.data_callback.context = &report_id;
report_char.descriptor_params = &hid_svc_char_descr;
typedef struct {
uint8_t report_type;
uint8_t report_count;
FlipperGattCharacteristicInstance* chars;
} HidSvcReportCharProps;
HidSvcReportCharProps hid_report_chars[] = {
{0x01, HID_SVC_INPUT_REPORT_COUNT, hid_svc->input_report_chars},
{0x02, HID_SVC_OUTPUT_REPORT_COUNT, hid_svc->output_report_chars},
{0x03, HID_SVC_FEATURE_REPORT_COUNT, hid_svc->feature_report_chars},
};
for(size_t report_type_idx = 0; report_type_idx < COUNT_OF(hid_report_chars);
report_type_idx++) {
report_id.report_type = hid_report_chars[report_type_idx].report_type;
for(size_t report_idx = 0; report_idx < hid_report_chars[report_type_idx].report_count;
report_idx++) {
report_id.report_idx = report_idx + 1;
flipper_gatt_characteristic_init(
hid_svc->svc_handle,
&report_char,
&hid_report_chars[report_type_idx].chars[report_idx]);
}
}
}
bool hid_svc_update_report_map(const uint8_t* data, uint16_t len) {
furi_assert(data);
furi_assert(hid_svc);
HidSvcDataWrapper report_data = {
.data_ptr = data,
.data_len = len,
};
return flipper_gatt_characteristic_update(
hid_svc->svc_handle, &hid_svc->chars[HidSvcGattCharacteristicReportMap], &report_data);
}
bool hid_svc_update_input_report(uint8_t input_report_num, uint8_t* data, uint16_t len) {
furi_assert(data);
furi_assert(hid_svc);
furi_assert(input_report_num < HID_SVC_INPUT_REPORT_COUNT);
HidSvcDataWrapper report_data = {
.data_ptr = data,
.data_len = len,
};
return flipper_gatt_characteristic_update(
hid_svc->svc_handle, &hid_svc->input_report_chars[input_report_num], &report_data);
}
bool hid_svc_update_info(uint8_t* data) {
furi_assert(data);
furi_assert(hid_svc);
return flipper_gatt_characteristic_update(
hid_svc->svc_handle, &hid_svc->chars[HidSvcGattCharacteristicInfo], &data);
}
void hid_svc_register_led_state_callback(HidLedStateEventCallback callback, void* context) {
furi_assert(hid_svc);
furi_assert(callback);
furi_assert(context);
hid_svc->led_state_event_callback = callback;
hid_svc->led_state_ctx = context;
}
bool hid_svc_is_started() {
return hid_svc != NULL;
}
void hid_svc_stop() {
tBleStatus status;
if(hid_svc) {
// Delete characteristics
for(size_t i = 0; i < HidSvcGattCharacteristicCount; i++) {
flipper_gatt_characteristic_delete(hid_svc->svc_handle, &hid_svc->chars[i]);
}
typedef struct {
uint8_t report_count;
FlipperGattCharacteristicInstance* chars;
} HidSvcReportCharProps;
HidSvcReportCharProps hid_report_chars[] = {
{HID_SVC_INPUT_REPORT_COUNT, hid_svc->input_report_chars},
{HID_SVC_OUTPUT_REPORT_COUNT, hid_svc->output_report_chars},
{HID_SVC_FEATURE_REPORT_COUNT, hid_svc->feature_report_chars},
};
for(size_t report_type_idx = 0; report_type_idx < COUNT_OF(hid_report_chars);
report_type_idx++) {
for(size_t report_idx = 0; report_idx < hid_report_chars[report_type_idx].report_count;
report_idx++) {
flipper_gatt_characteristic_delete(
hid_svc->svc_handle, &hid_report_chars[report_type_idx].chars[report_idx]);
}
}
// Delete service
status = aci_gatt_del_service(hid_svc->svc_handle);
if(status) {
FURI_LOG_E(TAG, "Failed to delete HID service: %d", status);
}
free(hid_svc);
hid_svc = NULL;
}
}

View File

@@ -1,33 +0,0 @@
#pragma once
#include <stdint.h>
#include <stdbool.h>
#define HID_SVC_REPORT_MAP_MAX_LEN (255)
#define HID_SVC_REPORT_MAX_LEN (255)
#define HID_SVC_REPORT_REF_LEN (2)
#define HID_SVC_INFO_LEN (4)
#define HID_SVC_CONTROL_POINT_LEN (1)
#define HID_SVC_INPUT_REPORT_COUNT (3)
#define HID_SVC_OUTPUT_REPORT_COUNT (0)
#define HID_SVC_FEATURE_REPORT_COUNT (0)
#define HID_SVC_REPORT_COUNT \
(HID_SVC_INPUT_REPORT_COUNT + HID_SVC_OUTPUT_REPORT_COUNT + HID_SVC_FEATURE_REPORT_COUNT)
typedef uint16_t (*HidLedStateEventCallback)(uint8_t state, void* ctx);
void hid_svc_start();
void hid_svc_stop();
bool hid_svc_is_started();
bool hid_svc_update_report_map(const uint8_t* data, uint16_t len);
bool hid_svc_update_input_report(uint8_t input_report_num, uint8_t* data, uint16_t len);
// Expects data to be of length HID_SVC_INFO_LEN (4 bytes)
bool hid_svc_update_info(uint8_t* data);
void hid_svc_register_led_state_callback(HidLedStateEventCallback callback, void* context);

View File

@@ -1,11 +1,13 @@
#include "serial_service.h" #include "serial_service.h"
#include "app_common.h" #include "app_common.h"
#include <ble/ble.h> #include <ble/ble.h>
#include "gatt_char.h" #include <furi_ble/event_dispatcher.h>
#include <furi_ble/gatt.h>
#include <furi.h> #include <furi.h>
#include "serial_service_uuid.inc" #include "serial_service_uuid.inc"
#include <stdint.h>
#define TAG "BtSerialSvc" #define TAG "BtSerialSvc"
@@ -17,12 +19,12 @@ typedef enum {
SerialSvcGattCharacteristicCount, SerialSvcGattCharacteristicCount,
} SerialSvcGattCharacteristicId; } SerialSvcGattCharacteristicId;
static const FlipperGattCharacteristicParams serial_svc_chars[SerialSvcGattCharacteristicCount] = { static const BleGattCharacteristicParams ble_svc_serial_chars[SerialSvcGattCharacteristicCount] = {
[SerialSvcGattCharacteristicRx] = [SerialSvcGattCharacteristicRx] =
{.name = "RX", {.name = "RX",
.data_prop_type = FlipperGattCharacteristicDataFixed, .data_prop_type = FlipperGattCharacteristicDataFixed,
.data.fixed.length = SERIAL_SVC_DATA_LEN_MAX, .data.fixed.length = BLE_SVC_SERIAL_DATA_LEN_MAX,
.uuid.Char_UUID_128 = SERIAL_SVC_RX_CHAR_UUID, .uuid.Char_UUID_128 = BLE_SVC_SERIAL_RX_CHAR_UUID,
.uuid_type = UUID_TYPE_128, .uuid_type = UUID_TYPE_128,
.char_properties = CHAR_PROP_WRITE_WITHOUT_RESP | CHAR_PROP_WRITE | CHAR_PROP_READ, .char_properties = CHAR_PROP_WRITE_WITHOUT_RESP | CHAR_PROP_WRITE | CHAR_PROP_READ,
.security_permissions = ATTR_PERMISSION_AUTHEN_READ | ATTR_PERMISSION_AUTHEN_WRITE, .security_permissions = ATTR_PERMISSION_AUTHEN_READ | ATTR_PERMISSION_AUTHEN_WRITE,
@@ -31,8 +33,8 @@ static const FlipperGattCharacteristicParams serial_svc_chars[SerialSvcGattChara
[SerialSvcGattCharacteristicTx] = [SerialSvcGattCharacteristicTx] =
{.name = "TX", {.name = "TX",
.data_prop_type = FlipperGattCharacteristicDataFixed, .data_prop_type = FlipperGattCharacteristicDataFixed,
.data.fixed.length = SERIAL_SVC_DATA_LEN_MAX, .data.fixed.length = BLE_SVC_SERIAL_DATA_LEN_MAX,
.uuid.Char_UUID_128 = SERIAL_SVC_TX_CHAR_UUID, .uuid.Char_UUID_128 = BLE_SVC_SERIAL_TX_CHAR_UUID,
.uuid_type = UUID_TYPE_128, .uuid_type = UUID_TYPE_128,
.char_properties = CHAR_PROP_READ | CHAR_PROP_INDICATE, .char_properties = CHAR_PROP_READ | CHAR_PROP_INDICATE,
.security_permissions = ATTR_PERMISSION_AUTHEN_READ, .security_permissions = ATTR_PERMISSION_AUTHEN_READ,
@@ -42,7 +44,7 @@ static const FlipperGattCharacteristicParams serial_svc_chars[SerialSvcGattChara
{.name = "Flow control", {.name = "Flow control",
.data_prop_type = FlipperGattCharacteristicDataFixed, .data_prop_type = FlipperGattCharacteristicDataFixed,
.data.fixed.length = sizeof(uint32_t), .data.fixed.length = sizeof(uint32_t),
.uuid.Char_UUID_128 = SERIAL_SVC_FLOW_CONTROL_UUID, .uuid.Char_UUID_128 = BLE_SVC_SERIAL_FLOW_CONTROL_UUID,
.uuid_type = UUID_TYPE_128, .uuid_type = UUID_TYPE_128,
.char_properties = CHAR_PROP_READ | CHAR_PROP_NOTIFY, .char_properties = CHAR_PROP_READ | CHAR_PROP_NOTIFY,
.security_permissions = ATTR_PERMISSION_AUTHEN_READ, .security_permissions = ATTR_PERMISSION_AUTHEN_READ,
@@ -51,28 +53,28 @@ static const FlipperGattCharacteristicParams serial_svc_chars[SerialSvcGattChara
[SerialSvcGattCharacteristicStatus] = { [SerialSvcGattCharacteristicStatus] = {
.name = "RPC status", .name = "RPC status",
.data_prop_type = FlipperGattCharacteristicDataFixed, .data_prop_type = FlipperGattCharacteristicDataFixed,
.data.fixed.length = sizeof(SerialServiceRpcStatus), .data.fixed.length = sizeof(uint32_t),
.uuid.Char_UUID_128 = SERIAL_SVC_RPC_STATUS_UUID, .uuid.Char_UUID_128 = BLE_SVC_SERIAL_RPC_STATUS_UUID,
.uuid_type = UUID_TYPE_128, .uuid_type = UUID_TYPE_128,
.char_properties = CHAR_PROP_READ | CHAR_PROP_WRITE | CHAR_PROP_NOTIFY, .char_properties = CHAR_PROP_READ | CHAR_PROP_WRITE | CHAR_PROP_NOTIFY,
.security_permissions = ATTR_PERMISSION_AUTHEN_READ | ATTR_PERMISSION_AUTHEN_WRITE, .security_permissions = ATTR_PERMISSION_AUTHEN_READ | ATTR_PERMISSION_AUTHEN_WRITE,
.gatt_evt_mask = GATT_NOTIFY_ATTRIBUTE_WRITE, .gatt_evt_mask = GATT_NOTIFY_ATTRIBUTE_WRITE,
.is_variable = CHAR_VALUE_LEN_CONSTANT}}; .is_variable = CHAR_VALUE_LEN_CONSTANT}};
typedef struct { struct BleServiceSerial {
uint16_t svc_handle; uint16_t svc_handle;
FlipperGattCharacteristicInstance chars[SerialSvcGattCharacteristicCount]; BleGattCharacteristicInstance chars[SerialSvcGattCharacteristicCount];
FuriMutex* buff_size_mtx; FuriMutex* buff_size_mtx;
uint32_t buff_size; uint32_t buff_size;
uint16_t bytes_ready_to_receive; uint16_t bytes_ready_to_receive;
SerialServiceEventCallback callback; SerialServiceEventCallback callback;
void* context; void* context;
} SerialSvc; GapSvcEventHandler* event_handler;
};
static SerialSvc* serial_svc = NULL; static BleEventAckStatus ble_svc_serial_event_handler(void* event, void* context) {
BleServiceSerial* serial_svc = (BleServiceSerial*)context;
static SVCCTL_EvtAckStatus_t serial_svc_event_handler(void* event) { BleEventAckStatus ret = BleEventNotAck;
SVCCTL_EvtAckStatus_t ret = SVCCTL_EvtNotAck;
hci_event_pckt* event_pckt = (hci_event_pckt*)(((hci_uart_pckt*)event)->data); hci_event_pckt* event_pckt = (hci_event_pckt*)(((hci_uart_pckt*)event)->data);
evt_blecore_aci* blecore_evt = (evt_blecore_aci*)event_pckt->data; evt_blecore_aci* blecore_evt = (evt_blecore_aci*)event_pckt->data;
aci_gatt_attribute_modified_event_rp0* attribute_modified; aci_gatt_attribute_modified_event_rp0* attribute_modified;
@@ -82,7 +84,7 @@ static SVCCTL_EvtAckStatus_t serial_svc_event_handler(void* event) {
if(attribute_modified->Attr_Handle == if(attribute_modified->Attr_Handle ==
serial_svc->chars[SerialSvcGattCharacteristicRx].handle + 2) { serial_svc->chars[SerialSvcGattCharacteristicRx].handle + 2) {
// Descriptor handle // Descriptor handle
ret = SVCCTL_EvtAckFlowEnable; ret = BleEventAckFlowEnable;
FURI_LOG_D(TAG, "RX descriptor event"); FURI_LOG_D(TAG, "RX descriptor event");
} else if( } else if(
attribute_modified->Attr_Handle == attribute_modified->Attr_Handle ==
@@ -111,13 +113,12 @@ static SVCCTL_EvtAckStatus_t serial_svc_event_handler(void* event) {
FURI_LOG_D(TAG, "Available buff size: %ld", buff_free_size); FURI_LOG_D(TAG, "Available buff size: %ld", buff_free_size);
furi_check(furi_mutex_release(serial_svc->buff_size_mtx) == FuriStatusOk); furi_check(furi_mutex_release(serial_svc->buff_size_mtx) == FuriStatusOk);
} }
ret = SVCCTL_EvtAckFlowEnable; ret = BleEventAckFlowEnable;
} else if( } else if(
attribute_modified->Attr_Handle == attribute_modified->Attr_Handle ==
serial_svc->chars[SerialSvcGattCharacteristicStatus].handle + 1) { serial_svc->chars[SerialSvcGattCharacteristicStatus].handle + 1) {
SerialServiceRpcStatus* rpc_status = bool* rpc_status = (bool*)attribute_modified->Attr_Data;
(SerialServiceRpcStatus*)attribute_modified->Attr_Data; if(!*rpc_status) {
if(*rpc_status == SerialServiceRpcStatusNotActive) {
if(serial_svc->callback) { if(serial_svc->callback) {
SerialServiceEvent event = { SerialServiceEvent event = {
.event = SerialServiceEventTypesBleResetRequest, .event = SerialServiceEventTypesBleResetRequest,
@@ -134,43 +135,47 @@ static SVCCTL_EvtAckStatus_t serial_svc_event_handler(void* event) {
}; };
serial_svc->callback(event, serial_svc->context); serial_svc->callback(event, serial_svc->context);
} }
ret = SVCCTL_EvtAckFlowEnable; ret = BleEventAckFlowEnable;
} }
} }
return ret; return ret;
} }
static void serial_svc_update_rpc_char(SerialServiceRpcStatus status) { typedef enum {
flipper_gatt_characteristic_update( SerialServiceRpcStatusNotActive = 0UL,
SerialServiceRpcStatusActive = 1UL,
} SerialServiceRpcStatus;
static void
ble_svc_serial_update_rpc_char(BleServiceSerial* serial_svc, SerialServiceRpcStatus status) {
ble_gatt_characteristic_update(
serial_svc->svc_handle, &serial_svc->chars[SerialSvcGattCharacteristicStatus], &status); serial_svc->svc_handle, &serial_svc->chars[SerialSvcGattCharacteristicStatus], &status);
} }
void serial_svc_start() { BleServiceSerial* ble_svc_serial_start(void) {
UNUSED(serial_svc_chars); BleServiceSerial* serial_svc = malloc(sizeof(BleServiceSerial));
tBleStatus status;
serial_svc = malloc(sizeof(SerialSvc));
// Register event handler
SVCCTL_RegisterSvcHandler(serial_svc_event_handler);
// Add service serial_svc->event_handler =
status = aci_gatt_add_service( ble_event_dispatcher_register_svc_handler(ble_svc_serial_event_handler, serial_svc);
UUID_TYPE_128, &service_uuid, PRIMARY_SERVICE, 12, &serial_svc->svc_handle);
if(status) { if(!ble_gatt_service_add(
FURI_LOG_E(TAG, "Failed to add Serial service: %d", status); UUID_TYPE_128, &service_uuid, PRIMARY_SERVICE, 12, &serial_svc->svc_handle)) {
free(serial_svc);
return NULL;
} }
// Add characteristics
for(uint8_t i = 0; i < SerialSvcGattCharacteristicCount; i++) { for(uint8_t i = 0; i < SerialSvcGattCharacteristicCount; i++) {
flipper_gatt_characteristic_init( ble_gatt_characteristic_init(
serial_svc->svc_handle, &serial_svc_chars[i], &serial_svc->chars[i]); serial_svc->svc_handle, &ble_svc_serial_chars[i], &serial_svc->chars[i]);
} }
serial_svc_update_rpc_char(SerialServiceRpcStatusNotActive); ble_svc_serial_update_rpc_char(serial_svc, SerialServiceRpcStatusNotActive);
// Allocate buffer size mutex
serial_svc->buff_size_mtx = furi_mutex_alloc(FuriMutexTypeNormal); serial_svc->buff_size_mtx = furi_mutex_alloc(FuriMutexTypeNormal);
return serial_svc;
} }
void serial_svc_set_callbacks( void ble_svc_serial_set_callbacks(
BleServiceSerial* serial_svc,
uint16_t buff_size, uint16_t buff_size,
SerialServiceEventCallback callback, SerialServiceEventCallback callback,
void* context) { void* context) {
@@ -181,13 +186,13 @@ void serial_svc_set_callbacks(
serial_svc->bytes_ready_to_receive = buff_size; serial_svc->bytes_ready_to_receive = buff_size;
uint32_t buff_size_reversed = REVERSE_BYTES_U32(serial_svc->buff_size); uint32_t buff_size_reversed = REVERSE_BYTES_U32(serial_svc->buff_size);
flipper_gatt_characteristic_update( ble_gatt_characteristic_update(
serial_svc->svc_handle, serial_svc->svc_handle,
&serial_svc->chars[SerialSvcGattCharacteristicFlowCtrl], &serial_svc->chars[SerialSvcGattCharacteristicFlowCtrl],
&buff_size_reversed); &buff_size_reversed);
} }
void serial_svc_notify_buffer_is_empty() { void ble_svc_serial_notify_buffer_is_empty(BleServiceSerial* serial_svc) {
furi_assert(serial_svc); furi_assert(serial_svc);
furi_assert(serial_svc->buff_size_mtx); furi_assert(serial_svc->buff_size_mtx);
@@ -197,7 +202,7 @@ void serial_svc_notify_buffer_is_empty() {
serial_svc->bytes_ready_to_receive = serial_svc->buff_size; serial_svc->bytes_ready_to_receive = serial_svc->buff_size;
uint32_t buff_size_reversed = REVERSE_BYTES_U32(serial_svc->buff_size); uint32_t buff_size_reversed = REVERSE_BYTES_U32(serial_svc->buff_size);
flipper_gatt_characteristic_update( ble_gatt_characteristic_update(
serial_svc->svc_handle, serial_svc->svc_handle,
&serial_svc->chars[SerialSvcGattCharacteristicFlowCtrl], &serial_svc->chars[SerialSvcGattCharacteristicFlowCtrl],
&buff_size_reversed); &buff_size_reversed);
@@ -205,35 +210,26 @@ void serial_svc_notify_buffer_is_empty() {
furi_check(furi_mutex_release(serial_svc->buff_size_mtx) == FuriStatusOk); furi_check(furi_mutex_release(serial_svc->buff_size_mtx) == FuriStatusOk);
} }
void serial_svc_stop() { void ble_svc_serial_stop(BleServiceSerial* serial_svc) {
tBleStatus status; furi_check(serial_svc);
if(serial_svc) {
ble_event_dispatcher_unregister_svc_handler(serial_svc->event_handler);
for(uint8_t i = 0; i < SerialSvcGattCharacteristicCount; i++) { for(uint8_t i = 0; i < SerialSvcGattCharacteristicCount; i++) {
flipper_gatt_characteristic_delete(serial_svc->svc_handle, &serial_svc->chars[i]); ble_gatt_characteristic_delete(serial_svc->svc_handle, &serial_svc->chars[i]);
} }
// Delete service ble_gatt_service_delete(serial_svc->svc_handle);
status = aci_gatt_del_service(serial_svc->svc_handle);
if(status) {
FURI_LOG_E(TAG, "Failed to delete Serial service: %d", status);
}
// Delete buffer size mutex
furi_mutex_free(serial_svc->buff_size_mtx); furi_mutex_free(serial_svc->buff_size_mtx);
free(serial_svc); free(serial_svc);
serial_svc = NULL;
}
} }
bool serial_svc_is_started() { bool ble_svc_serial_update_tx(BleServiceSerial* serial_svc, uint8_t* data, uint16_t data_len) {
return serial_svc != NULL; if(data_len > BLE_SVC_SERIAL_DATA_LEN_MAX) {
}
bool serial_svc_update_tx(uint8_t* data, uint16_t data_len) {
if(data_len > SERIAL_SVC_DATA_LEN_MAX) {
return false; return false;
} }
for(uint16_t remained = data_len; remained > 0;) { for(uint16_t remained = data_len; remained > 0;) {
uint8_t value_len = MIN(SERIAL_SVC_CHAR_VALUE_LEN_MAX, remained); uint8_t value_len = MIN(BLE_SVC_SERIAL_CHAR_VALUE_LEN_MAX, remained);
uint16_t value_offset = data_len - remained; uint16_t value_offset = data_len - remained;
remained -= value_len; remained -= value_len;
@@ -256,7 +252,8 @@ bool serial_svc_update_tx(uint8_t* data, uint16_t data_len) {
return true; return true;
} }
void serial_svc_set_rpc_status(SerialServiceRpcStatus status) { void ble_svc_serial_set_rpc_active(BleServiceSerial* serial_svc, bool active) {
furi_assert(serial_svc); furi_assert(serial_svc);
serial_svc_update_rpc_char(status); ble_svc_serial_update_rpc_char(
serial_svc, active ? SerialServiceRpcStatusActive : SerialServiceRpcStatusNotActive);
} }

View File

@@ -3,17 +3,16 @@
#include <stdint.h> #include <stdint.h>
#include <stdbool.h> #include <stdbool.h>
#define SERIAL_SVC_DATA_LEN_MAX (486)
#define SERIAL_SVC_CHAR_VALUE_LEN_MAX (243)
#ifdef __cplusplus #ifdef __cplusplus
extern "C" { extern "C" {
#endif #endif
typedef enum { /*
SerialServiceRpcStatusNotActive = 0UL, * Serial service. Implements RPC over BLE, with flow control.
SerialServiceRpcStatusActive = 1UL, */
} SerialServiceRpcStatus;
#define BLE_SVC_SERIAL_DATA_LEN_MAX (486)
#define BLE_SVC_SERIAL_CHAR_VALUE_LEN_MAX (243)
typedef enum { typedef enum {
SerialServiceEventTypeDataReceived, SerialServiceEventTypeDataReceived,
@@ -33,22 +32,23 @@ typedef struct {
typedef uint16_t (*SerialServiceEventCallback)(SerialServiceEvent event, void* context); typedef uint16_t (*SerialServiceEventCallback)(SerialServiceEvent event, void* context);
void serial_svc_start(); typedef struct BleServiceSerial BleServiceSerial;
void serial_svc_set_callbacks( BleServiceSerial* ble_svc_serial_start(void);
void ble_svc_serial_stop(BleServiceSerial* service);
void ble_svc_serial_set_callbacks(
BleServiceSerial* service,
uint16_t buff_size, uint16_t buff_size,
SerialServiceEventCallback callback, SerialServiceEventCallback callback,
void* context); void* context);
void serial_svc_set_rpc_status(SerialServiceRpcStatus status); void ble_svc_serial_set_rpc_active(BleServiceSerial* service, bool active);
void serial_svc_notify_buffer_is_empty(); void ble_svc_serial_notify_buffer_is_empty(BleServiceSerial* service);
void serial_svc_stop(); bool ble_svc_serial_update_tx(BleServiceSerial* service, uint8_t* data, uint16_t data_len);
bool serial_svc_is_started();
bool serial_svc_update_tx(uint8_t* data, uint16_t data_len);
#ifdef __cplusplus #ifdef __cplusplus
} }

View File

@@ -2,11 +2,11 @@
static const Service_UUID_t service_uuid = { .Service_UUID_128 = \ static const Service_UUID_t service_uuid = { .Service_UUID_128 = \
{ 0x00, 0x00, 0xfe, 0x60, 0xcc, 0x7a, 0x48, 0x2a, 0x98, 0x4a, 0x7f, 0x2e, 0xd5, 0xb3, 0xe5, 0x8f }}; { 0x00, 0x00, 0xfe, 0x60, 0xcc, 0x7a, 0x48, 0x2a, 0x98, 0x4a, 0x7f, 0x2e, 0xd5, 0xb3, 0xe5, 0x8f }};
#define SERIAL_SVC_TX_CHAR_UUID \ #define BLE_SVC_SERIAL_TX_CHAR_UUID \
{ 0x00, 0x00, 0xfe, 0x61, 0x8e, 0x22, 0x45, 0x41, 0x9d, 0x4c, 0x21, 0xed, 0xae, 0x82, 0xed, 0x19 } { 0x00, 0x00, 0xfe, 0x61, 0x8e, 0x22, 0x45, 0x41, 0x9d, 0x4c, 0x21, 0xed, 0xae, 0x82, 0xed, 0x19 }
#define SERIAL_SVC_RX_CHAR_UUID \ #define BLE_SVC_SERIAL_RX_CHAR_UUID \
{ 0x00, 0x00, 0xfe, 0x62, 0x8e, 0x22, 0x45, 0x41, 0x9d, 0x4c, 0x21, 0xed, 0xae, 0x82, 0xed, 0x19 } { 0x00, 0x00, 0xfe, 0x62, 0x8e, 0x22, 0x45, 0x41, 0x9d, 0x4c, 0x21, 0xed, 0xae, 0x82, 0xed, 0x19 }
#define SERIAL_SVC_FLOW_CONTROL_UUID \ #define BLE_SVC_SERIAL_FLOW_CONTROL_UUID \
{ 0x00, 0x00, 0xfe, 0x63, 0x8e, 0x22, 0x45, 0x41, 0x9d, 0x4c, 0x21, 0xed, 0xae, 0x82, 0xed, 0x19 } { 0x00, 0x00, 0xfe, 0x63, 0x8e, 0x22, 0x45, 0x41, 0x9d, 0x4c, 0x21, 0xed, 0xae, 0x82, 0xed, 0x19 }
#define SERIAL_SVC_RPC_STATUS_UUID \ #define BLE_SVC_SERIAL_RPC_STATUS_UUID \
{ 0x00, 0x00, 0xfe, 0x64, 0x8e, 0x22, 0x45, 0x41, 0x9d, 0x4c, 0x21, 0xed, 0xae, 0x82, 0xed, 0x19 } { 0x00, 0x00, 0xfe, 0x64, 0x8e, 0x22, 0x45, 0x41, 0x9d, 0x4c, 0x21, 0xed, 0xae, 0x82, 0xed, 0x19 }

View File

@@ -1,8 +1,13 @@
#include "ble_glue.h"
#include <core/check.h>
#include <gap.h>
#include <furi_hal_bt.h> #include <furi_hal_bt.h>
#include <furi_ble/profile_interface.h>
#include <ble/ble.h> #include <ble/ble.h>
#include <interface/patterns/ble_thread/shci/shci.h> #include <interface/patterns/ble_thread/shci/shci.h>
#include <stdbool.h>
#include <stm32wbxx.h> #include <stm32wbxx.h>
#include <stm32wbxx_ll_hsem.h> #include <stm32wbxx_ll_hsem.h>
@@ -10,94 +15,30 @@
#include <furi_hal_version.h> #include <furi_hal_version.h>
#include <furi_hal_power.h> #include <furi_hal_power.h>
#include <furi_hal_bt_hid.h>
#include <furi_hal_bt_serial.h>
#include <furi_hal_bus.c> #include <furi_hal_bus.c>
#include <services/battery_service.h> #include <services/battery_service.h>
#include <furi.h> #include <furi.h>
#define TAG "FuriHalBt" #define TAG "FuriHalBt"
#define furi_hal_bt_DEFAULT_MAC_ADDR \
{ 0x6c, 0x7a, 0xd8, 0xac, 0x57, 0x72 }
/* Time, in ms, to wait for mode transition before crashing */ /* Time, in ms, to wait for mode transition before crashing */
#define C2_MODE_SWITCH_TIMEOUT 10000 #define C2_MODE_SWITCH_TIMEOUT 10000
#define FURI_HAL_BT_HARDFAULT_INFO_MAGIC 0x1170FD0F
typedef struct { typedef struct {
FuriMutex* core2_mtx; FuriMutex* core2_mtx;
FuriTimer* hardfault_check_timer;
FuriHalBtStack stack; FuriHalBtStack stack;
} FuriHalBt; } FuriHalBt;
static FuriHalBt furi_hal_bt = { static FuriHalBt furi_hal_bt = {
.core2_mtx = NULL, .core2_mtx = NULL,
.hardfault_check_timer = NULL,
.stack = FuriHalBtStackUnknown, .stack = FuriHalBtStackUnknown,
}; };
typedef void (*FuriHalBtProfileStart)(void);
typedef void (*FuriHalBtProfileStop)(void);
typedef struct {
FuriHalBtProfileStart start;
FuriHalBtProfileStart stop;
GapConfig config;
uint16_t appearance_char;
uint16_t advertise_service_uuid;
} FuriHalBtProfileConfig;
FuriHalBtProfileConfig profile_config[FuriHalBtProfileNumber] = {
[FuriHalBtProfileSerial] =
{
.start = furi_hal_bt_serial_start,
.stop = furi_hal_bt_serial_stop,
.config =
{
.adv_service_uuid = 0x3080,
.appearance_char = 0x8600,
.bonding_mode = true,
.pairing_method = GapPairingPinCodeShow,
.mac_address = FURI_HAL_BT_DEFAULT_MAC_ADDR,
.conn_param =
{
.conn_int_min = 0x18, // 30 ms
.conn_int_max = 0x24, // 45 ms
.slave_latency = 0,
.supervisor_timeout = 0,
},
},
},
[FuriHalBtProfileHidKeyboard] =
{
.start = furi_hal_bt_hid_start,
.stop = furi_hal_bt_hid_stop,
.config =
{
.adv_service_uuid = HUMAN_INTERFACE_DEVICE_SERVICE_UUID,
.appearance_char = GAP_APPEARANCE_KEYBOARD,
.bonding_mode = true,
.pairing_method = GapPairingPinCodeVerifyYesNo,
.mac_address = FURI_HAL_BT_DEFAULT_MAC_ADDR,
.conn_param =
{
.conn_int_min = 0x18, // 30 ms
.conn_int_max = 0x24, // 45 ms
.slave_latency = 0,
.supervisor_timeout = 0,
},
},
},
};
FuriHalBtProfileConfig* current_profile = NULL;
static void furi_hal_bt_hardfault_check(void* context) {
UNUSED(context);
if(furi_hal_bt_get_hardfault_info()) {
furi_crash("ST(R) Copro(R) HardFault");
}
}
void furi_hal_bt_init() { void furi_hal_bt_init() {
FURI_LOG_I(TAG, "Start BT initialization");
furi_hal_bus_enable(FuriHalBusHSEM); furi_hal_bus_enable(FuriHalBusHSEM);
furi_hal_bus_enable(FuriHalBusIPCC); furi_hal_bus_enable(FuriHalBusIPCC);
furi_hal_bus_enable(FuriHalBusAES2); furi_hal_bus_enable(FuriHalBusAES2);
@@ -109,12 +50,6 @@ void furi_hal_bt_init() {
furi_assert(furi_hal_bt.core2_mtx); furi_assert(furi_hal_bt.core2_mtx);
} }
if(!furi_hal_bt.hardfault_check_timer) {
furi_hal_bt.hardfault_check_timer =
furi_timer_alloc(furi_hal_bt_hardfault_check, FuriTimerTypePeriodic, NULL);
furi_timer_start(furi_hal_bt.hardfault_check_timer, 5000);
}
// Explicitly tell that we are in charge of CLK48 domain // Explicitly tell that we are in charge of CLK48 domain
furi_check(LL_HSEM_1StepLock(HSEM, CFG_HW_CLK48_CONFIG_SEMID) == 0); furi_check(LL_HSEM_1StepLock(HSEM, CFG_HW_CLK48_CONFIG_SEMID) == 0);
@@ -165,7 +100,6 @@ bool furi_hal_bt_start_radio_stack() {
// Wait until C2 is started or timeout // Wait until C2 is started or timeout
if(!ble_glue_wait_for_c2_start(FURI_HAL_BT_C2_START_TIMEOUT)) { if(!ble_glue_wait_for_c2_start(FURI_HAL_BT_C2_START_TIMEOUT)) {
FURI_LOG_E(TAG, "Core2 start failed"); FURI_LOG_E(TAG, "Core2 start failed");
ble_glue_thread_stop();
break; break;
} }
@@ -184,14 +118,15 @@ bool furi_hal_bt_start_radio_stack() {
// Starting radio stack // Starting radio stack
if(!ble_glue_start()) { if(!ble_glue_start()) {
FURI_LOG_E(TAG, "Failed to start radio stack"); FURI_LOG_E(TAG, "Failed to start radio stack");
ble_glue_thread_stop(); ble_app_deinit();
ble_app_thread_stop(); ble_glue_stop();
break; break;
} }
res = true; res = true;
} while(false); } while(false);
furi_mutex_release(furi_hal_bt.core2_mtx); furi_mutex_release(furi_hal_bt.core2_mtx);
gap_extra_beacon_init();
return res; return res;
} }
@@ -199,7 +134,7 @@ FuriHalBtStack furi_hal_bt_get_radio_stack() {
return furi_hal_bt.stack; return furi_hal_bt.stack;
} }
bool furi_hal_bt_is_ble_gatt_gap_supported() { bool furi_hal_bt_is_gatt_gap_supported() {
if(furi_hal_bt.stack == FuriHalBtStackLight || furi_hal_bt.stack == FuriHalBtStackFull) { if(furi_hal_bt.stack == FuriHalBtStackLight || furi_hal_bt.stack == FuriHalBtStackFull) {
return true; return true;
} else { } else {
@@ -215,69 +150,52 @@ bool furi_hal_bt_is_testing_supported() {
} }
} }
bool furi_hal_bt_start_app(FuriHalBtProfile profile, GapEventCallback event_cb, void* context) { static FuriHalBleProfileBase* current_profile = NULL;
static GapConfig current_config = {0};
bool furi_hal_bt_check_profile_type(
FuriHalBleProfileBase* profile,
const FuriHalBleProfileTemplate* profile_template) {
if(!profile || !profile_template) {
return false;
}
return profile->config == profile_template;
}
FuriHalBleProfileBase* furi_hal_bt_start_app(
const FuriHalBleProfileTemplate* profile_template,
FuriHalBleProfileParams params,
GapEventCallback event_cb,
void* context) {
furi_assert(event_cb); furi_assert(event_cb);
furi_assert(profile < FuriHalBtProfileNumber); furi_check(profile_template);
bool ret = false; furi_check(current_profile == NULL);
do { do {
if(!ble_glue_is_radio_stack_ready()) { if(!ble_glue_is_radio_stack_ready()) {
FURI_LOG_E(TAG, "Can't start BLE App - radio stack did not start"); FURI_LOG_E(TAG, "Can't start BLE App - radio stack did not start");
break; break;
} }
if(!furi_hal_bt_is_ble_gatt_gap_supported()) { if(!furi_hal_bt_is_gatt_gap_supported()) {
FURI_LOG_E(TAG, "Can't start Ble App - unsupported radio stack"); FURI_LOG_E(TAG, "Can't start Ble App - unsupported radio stack");
break; break;
} }
GapConfig* config = &profile_config[profile].config;
// Configure GAP
if(profile == FuriHalBtProfileSerial) {
// Set mac address
memcpy(
config->mac_address, furi_hal_version_get_ble_mac(), sizeof(config->mac_address));
// Set advertise name
strlcpy(
config->adv_name,
furi_hal_version_get_ble_local_device_name_ptr(),
FURI_HAL_BT_ADV_NAME_LENGTH);
config->adv_service_uuid |= furi_hal_version_get_hw_color(); profile_template->get_gap_config(&current_config, params);
} else if(profile == FuriHalBtProfileHidKeyboard) {
// Change MAC address for HID profile if(!gap_init(&current_config, event_cb, context)) {
const uint8_t* normal_mac = furi_hal_version_get_ble_mac();
uint8_t empty_mac[sizeof(config->mac_address)] = FURI_HAL_BT_EMPTY_MAC_ADDR;
uint8_t default_mac[sizeof(config->mac_address)] = FURI_HAL_BT_DEFAULT_MAC_ADDR;
if(memcmp(config->mac_address, empty_mac, sizeof(config->mac_address)) == 0 ||
memcmp(config->mac_address, normal_mac, sizeof(config->mac_address)) == 0 ||
memcmp(config->mac_address, default_mac, sizeof(config->mac_address)) == 0) {
memcpy(config->mac_address, normal_mac, sizeof(config->mac_address));
config->mac_address[2]++;
}
// Change name Flipper -> Control
if(strnlen(config->adv_name, FURI_HAL_BT_ADV_NAME_LENGTH) < 2 ||
strnlen(config->adv_name + 1, FURI_HAL_BT_ADV_NAME_LENGTH - 1) < 1) {
snprintf(
config->adv_name,
FURI_HAL_BT_ADV_NAME_LENGTH,
"%cControl %s",
AD_TYPE_COMPLETE_LOCAL_NAME,
furi_hal_version_get_name_ptr());
}
}
if(!gap_init(config, event_cb, context)) {
gap_thread_stop(); gap_thread_stop();
FURI_LOG_E(TAG, "Failed to init GAP"); FURI_LOG_E(TAG, "Failed to init GAP");
break; break;
} }
// Start selected profile services // Start selected profile services
if(furi_hal_bt_is_ble_gatt_gap_supported()) { if(furi_hal_bt_is_gatt_gap_supported()) {
profile_config[profile].start(); current_profile = profile_template->start(params);
} }
ret = true;
} while(false); } while(false);
current_profile = &profile_config[profile];
return ret; return current_profile;
} }
void furi_hal_bt_reinit() { void furi_hal_bt_reinit() {
@@ -285,21 +203,25 @@ void furi_hal_bt_reinit() {
FURI_LOG_I(TAG, "Disconnect and stop advertising"); FURI_LOG_I(TAG, "Disconnect and stop advertising");
furi_hal_bt_stop_advertising(); furi_hal_bt_stop_advertising();
if(current_profile) {
FURI_LOG_I(TAG, "Stop current profile services"); FURI_LOG_I(TAG, "Stop current profile services");
current_profile->stop(); current_profile->config->stop(current_profile);
current_profile = NULL;
}
// Magic happens here // Magic happens here
hci_reset(); hci_reset();
FURI_LOG_I(TAG, "Stop BLE related RTOS threads"); FURI_LOG_I(TAG, "Stop BLE related RTOS threads");
ble_app_thread_stop();
gap_thread_stop(); gap_thread_stop();
ble_app_deinit();
FURI_LOG_I(TAG, "Reset SHCI"); FURI_LOG_I(TAG, "Reset SHCI");
furi_check(ble_glue_reinit_c2()); furi_check(ble_glue_reinit_c2());
ble_glue_stop();
// enterprise delay
furi_delay_ms(100); furi_delay_ms(100);
ble_glue_thread_stop();
furi_hal_bus_disable(FuriHalBusHSEM); furi_hal_bus_disable(FuriHalBusHSEM);
furi_hal_bus_disable(FuriHalBusIPCC); furi_hal_bus_disable(FuriHalBusIPCC);
@@ -307,25 +229,20 @@ void furi_hal_bt_reinit() {
furi_hal_bus_disable(FuriHalBusPKA); furi_hal_bus_disable(FuriHalBusPKA);
furi_hal_bus_disable(FuriHalBusCRC); furi_hal_bus_disable(FuriHalBusCRC);
FURI_LOG_I(TAG, "Start BT initialization");
furi_hal_bt_init(); furi_hal_bt_init();
furi_hal_bt_start_radio_stack(); furi_hal_bt_start_radio_stack();
furi_hal_power_insomnia_exit(); furi_hal_power_insomnia_exit();
} }
bool furi_hal_bt_change_app(FuriHalBtProfile profile, GapEventCallback event_cb, void* context) { FuriHalBleProfileBase* furi_hal_bt_change_app(
const FuriHalBleProfileTemplate* profile_template,
FuriHalBleProfileParams profile_params,
GapEventCallback event_cb,
void* context) {
furi_assert(event_cb); furi_assert(event_cb);
furi_assert(profile < FuriHalBtProfileNumber);
bool ret = true;
furi_hal_bt_reinit(); furi_hal_bt_reinit();
return furi_hal_bt_start_app(profile_template, profile_params, event_cb, context);
ret = furi_hal_bt_start_app(profile, event_cb, context);
if(ret) {
current_profile = &profile_config[profile];
}
return ret;
} }
bool furi_hal_bt_is_active() { bool furi_hal_bt_is_active() {
@@ -352,15 +269,11 @@ void furi_hal_bt_stop_advertising() {
} }
void furi_hal_bt_update_battery_level(uint8_t battery_level) { void furi_hal_bt_update_battery_level(uint8_t battery_level) {
if(battery_svc_is_started()) { ble_svc_battery_state_update(&battery_level, NULL);
battery_svc_update_level(battery_level);
}
} }
void furi_hal_bt_update_power_state() { void furi_hal_bt_update_power_state(bool charging) {
if(battery_svc_is_started()) { ble_svc_battery_state_update(NULL, &charging);
battery_svc_update_power_state();
}
} }
void furi_hal_bt_get_key_storage_buff(uint8_t** key_buff_addr, uint16_t* key_buff_size) { void furi_hal_bt_get_key_storage_buff(uint8_t** key_buff_addr, uint16_t* key_buff_size) {
@@ -614,11 +527,30 @@ bool furi_hal_bt_ensure_c2_mode(BleGlueC2Mode mode) {
return false; return false;
} }
const FuriHalBtHardfaultInfo* furi_hal_bt_get_hardfault_info() { bool furi_hal_bt_extra_beacon_set_data(const uint8_t* data, uint8_t len) {
/* AN5289, 4.8.2 */ return gap_extra_beacon_set_data(data, len);
const FuriHalBtHardfaultInfo* info = (FuriHalBtHardfaultInfo*)(SRAM2A_BASE); }
if(info->magic != FURI_HAL_BT_HARDFAULT_INFO_MAGIC) {
return NULL; uint8_t furi_hal_bt_extra_beacon_get_data(uint8_t* data) {
} return gap_extra_beacon_get_data(data);
return info; }
bool furi_hal_bt_extra_beacon_set_config(const GapExtraBeaconConfig* config) {
return gap_extra_beacon_set_config(config);
}
const GapExtraBeaconConfig* furi_hal_bt_extra_beacon_get_config() {
return gap_extra_beacon_get_config();
}
bool furi_hal_bt_extra_beacon_start() {
return gap_extra_beacon_start();
}
bool furi_hal_bt_extra_beacon_stop() {
return gap_extra_beacon_stop();
}
bool furi_hal_bt_extra_beacon_is_active() {
return gap_extra_beacon_get_state() == GapExtraBeaconStateStarted;
} }

View File

@@ -1,362 +0,0 @@
#include <furi_hal_bt_hid.h>
#include <furi_hal_usb_hid.h>
#include <services/dev_info_service.h>
#include <services/battery_service.h>
#include <services/hid_service.h>
#include <furi.h>
#include <usb_hid.h>
#define FURI_HAL_BT_INFO_BASE_USB_SPECIFICATION (0x0101)
#define FURI_HAL_BT_INFO_COUNTRY_CODE (0x00)
#define FURI_HAL_BT_HID_INFO_FLAG_REMOTE_WAKE_MSK (0x01)
#define FURI_HAL_BT_HID_INFO_FLAG_NORMALLY_CONNECTABLE_MSK (0x02)
#define FURI_HAL_BT_HID_KB_MAX_KEYS 6
#define FURI_HAL_BT_HID_CONSUMER_MAX_KEYS 1
// Report ids cant be 0
enum HidReportId {
ReportIdKeyboard = 1,
ReportIdMouse = 2,
ReportIdConsumer = 3,
ReportIdLEDState = 4,
};
// Report numbers corresponded to the report id with an offset of 1
enum HidInputNumber {
ReportNumberKeyboard = 0,
ReportNumberMouse = 1,
ReportNumberConsumer = 2,
};
typedef struct {
uint8_t mods;
uint8_t reserved;
uint8_t key[FURI_HAL_BT_HID_KB_MAX_KEYS];
} __attribute__((__packed__)) FuriHalBtHidKbReport;
typedef struct {
uint8_t btn;
int8_t x;
int8_t y;
int8_t wheel;
} __attribute__((__packed__)) FuriHalBtHidMouseReport;
typedef struct {
uint16_t key[FURI_HAL_BT_HID_CONSUMER_MAX_KEYS];
} __attribute__((__packed__)) FuriHalBtHidConsumerReport;
// keyboard+mouse+consumer hid report
static const uint8_t furi_hal_bt_hid_report_map_data[] = {
// Keyboard Report
HID_USAGE_PAGE(HID_PAGE_DESKTOP),
HID_USAGE(HID_DESKTOP_KEYBOARD),
HID_COLLECTION(HID_APPLICATION_COLLECTION),
HID_REPORT_ID(ReportIdKeyboard),
HID_USAGE_PAGE(HID_DESKTOP_KEYPAD),
HID_USAGE_MINIMUM(HID_KEYBOARD_L_CTRL),
HID_USAGE_MAXIMUM(HID_KEYBOARD_R_GUI),
HID_LOGICAL_MINIMUM(0),
HID_LOGICAL_MAXIMUM(1),
HID_REPORT_SIZE(1),
HID_REPORT_COUNT(8),
HID_INPUT(HID_IOF_DATA | HID_IOF_VARIABLE | HID_IOF_ABSOLUTE),
HID_REPORT_COUNT(1),
HID_REPORT_SIZE(8),
HID_INPUT(HID_IOF_CONSTANT | HID_IOF_VARIABLE | HID_IOF_ABSOLUTE),
HID_USAGE_PAGE(HID_PAGE_LED),
HID_REPORT_COUNT(8),
HID_REPORT_SIZE(1),
HID_USAGE_MINIMUM(1),
HID_USAGE_MAXIMUM(8),
HID_OUTPUT(HID_IOF_DATA | HID_IOF_VARIABLE | HID_IOF_ABSOLUTE),
HID_REPORT_COUNT(FURI_HAL_BT_HID_KB_MAX_KEYS),
HID_REPORT_SIZE(8),
HID_LOGICAL_MINIMUM(0),
HID_LOGICAL_MAXIMUM(101),
HID_USAGE_PAGE(HID_DESKTOP_KEYPAD),
HID_USAGE_MINIMUM(0),
HID_USAGE_MAXIMUM(101),
HID_INPUT(HID_IOF_DATA | HID_IOF_ARRAY | HID_IOF_ABSOLUTE),
HID_REPORT_ID(ReportIdLEDState),
HID_USAGE_PAGE(HID_PAGE_LED),
HID_REPORT_COUNT(8),
HID_REPORT_SIZE(1),
HID_USAGE_MINIMUM(1),
HID_USAGE_MAXIMUM(8),
HID_OUTPUT(HID_IOF_DATA | HID_IOF_VARIABLE | HID_IOF_ABSOLUTE),
HID_END_COLLECTION,
// Mouse Report
HID_USAGE_PAGE(HID_PAGE_DESKTOP),
HID_USAGE(HID_DESKTOP_MOUSE),
HID_COLLECTION(HID_APPLICATION_COLLECTION),
HID_USAGE(HID_DESKTOP_POINTER),
HID_COLLECTION(HID_PHYSICAL_COLLECTION),
HID_REPORT_ID(ReportIdMouse),
HID_USAGE_PAGE(HID_PAGE_BUTTON),
HID_USAGE_MINIMUM(1),
HID_USAGE_MAXIMUM(3),
HID_LOGICAL_MINIMUM(0),
HID_LOGICAL_MAXIMUM(1),
HID_REPORT_COUNT(3),
HID_REPORT_SIZE(1),
HID_INPUT(HID_IOF_DATA | HID_IOF_VARIABLE | HID_IOF_ABSOLUTE),
HID_REPORT_SIZE(1),
HID_REPORT_COUNT(5),
HID_INPUT(HID_IOF_CONSTANT | HID_IOF_VARIABLE | HID_IOF_ABSOLUTE),
HID_USAGE_PAGE(HID_PAGE_DESKTOP),
HID_USAGE(HID_DESKTOP_X),
HID_USAGE(HID_DESKTOP_Y),
HID_USAGE(HID_DESKTOP_WHEEL),
HID_LOGICAL_MINIMUM(-127),
HID_LOGICAL_MAXIMUM(127),
HID_REPORT_SIZE(8),
HID_REPORT_COUNT(3),
HID_INPUT(HID_IOF_DATA | HID_IOF_VARIABLE | HID_IOF_RELATIVE),
HID_END_COLLECTION,
HID_END_COLLECTION,
// Consumer Report
HID_USAGE_PAGE(HID_PAGE_CONSUMER),
HID_USAGE(HID_CONSUMER_CONTROL),
HID_COLLECTION(HID_APPLICATION_COLLECTION),
HID_REPORT_ID(ReportIdConsumer),
HID_LOGICAL_MINIMUM(0),
HID_RI_LOGICAL_MAXIMUM(16, 0x3FF),
HID_USAGE_MINIMUM(0),
HID_RI_USAGE_MAXIMUM(16, 0x3FF),
HID_REPORT_COUNT(FURI_HAL_BT_HID_CONSUMER_MAX_KEYS),
HID_REPORT_SIZE(16),
HID_INPUT(HID_IOF_DATA | HID_IOF_ARRAY | HID_IOF_ABSOLUTE),
HID_END_COLLECTION,
};
FuriHalBtHidKbReport* kb_report = NULL;
FuriHalBtHidMouseReport* mouse_report = NULL;
FuriHalBtHidConsumerReport* consumer_report = NULL;
typedef struct {
// shortcuts
#define s_undefined data.bits.b_undefined
#define s_num_lock data.bits.b_num_lock
#define s_caps_lock data.bits.b_caps_lock
#define s_scroll_lock data.bits.b_scroll_lock
#define s_compose data.bits.b_compose
#define s_kana data.bits.b_kana
#define s_power data.bits.b_power
#define s_shift data.bits.b_shift
#define s_value data.value
union {
struct {
uint8_t b_undefined : 1;
uint8_t b_num_lock : 1;
uint8_t b_caps_lock : 1;
uint8_t b_scroll_lock : 1;
uint8_t b_compose : 1;
uint8_t b_kana : 1;
uint8_t b_power : 1;
uint8_t b_shift : 1;
} bits;
uint8_t value;
} data;
} __attribute__((__packed__)) FuriHalBtHidLedState;
FuriHalBtHidLedState hid_host_led_state = {.s_value = 0};
uint16_t furi_hal_bt_hid_led_state_cb(uint8_t state, void* ctx) {
FuriHalBtHidLedState* led_state = (FuriHalBtHidLedState*)ctx;
//FURI_LOG_D("HalBtHid", "LED state updated !");
led_state->s_value = state;
return 0;
}
uint8_t furi_hal_bt_hid_get_led_state(void) {
/*FURI_LOG_D(
"HalBtHid",
"LED state: RFU=%d NUMLOCK=%d CAPSLOCK=%d SCROLLLOCK=%d COMPOSE=%d KANA=%d POWER=%d SHIFT=%d",
hid_host_led_state.s_undefined,
hid_host_led_state.s_num_lock,
hid_host_led_state.s_caps_lock,
hid_host_led_state.s_scroll_lock,
hid_host_led_state.s_compose,
hid_host_led_state.s_kana,
hid_host_led_state.s_power,
hid_host_led_state.s_shift);
*/
return (hid_host_led_state.s_value >> 1); // bit 0 is undefined (after shift bit location
// match with HID led state bits defines)
// see bad_bt_script.c (ducky_numlock_on function)
}
void furi_hal_bt_hid_start() {
// Start device info
if(!dev_info_svc_is_started()) {
dev_info_svc_start();
}
// Start battery service
if(!battery_svc_is_started()) {
battery_svc_start();
}
// Start HID service
if(!hid_svc_is_started()) {
hid_svc_start();
}
// Configure HID Keyboard
hid_svc_register_led_state_callback(furi_hal_bt_hid_led_state_cb, &hid_host_led_state);
kb_report = malloc(sizeof(FuriHalBtHidKbReport));
mouse_report = malloc(sizeof(FuriHalBtHidMouseReport));
consumer_report = malloc(sizeof(FuriHalBtHidConsumerReport));
// Configure Report Map characteristic
hid_svc_update_report_map(
furi_hal_bt_hid_report_map_data, sizeof(furi_hal_bt_hid_report_map_data));
// Configure HID Information characteristic
uint8_t hid_info_val[4] = {
FURI_HAL_BT_INFO_BASE_USB_SPECIFICATION & 0x00ff,
(FURI_HAL_BT_INFO_BASE_USB_SPECIFICATION & 0xff00) >> 8,
FURI_HAL_BT_INFO_COUNTRY_CODE,
FURI_HAL_BT_HID_INFO_FLAG_REMOTE_WAKE_MSK |
FURI_HAL_BT_HID_INFO_FLAG_NORMALLY_CONNECTABLE_MSK,
};
hid_svc_update_info(hid_info_val);
}
void furi_hal_bt_hid_stop() {
furi_assert(kb_report);
furi_assert(mouse_report);
furi_assert(consumer_report);
hid_svc_register_led_state_callback(NULL, NULL);
// Stop all services
if(dev_info_svc_is_started()) {
dev_info_svc_stop();
}
if(battery_svc_is_started()) {
battery_svc_stop();
}
if(hid_svc_is_started()) {
hid_svc_stop();
}
free(kb_report);
free(mouse_report);
free(consumer_report);
kb_report = NULL;
mouse_report = NULL;
consumer_report = NULL;
}
bool furi_hal_bt_hid_kb_press(uint16_t button) {
furi_assert(kb_report);
uint8_t i;
for(i = 0; i < FURI_HAL_BT_HID_KB_MAX_KEYS; i++) {
if(kb_report->key[i] == 0) {
kb_report->key[i] = button & 0xFF;
break;
}
}
if(i == FURI_HAL_BT_HID_KB_MAX_KEYS) {
return false;
}
kb_report->mods |= (button >> 8);
return hid_svc_update_input_report(
ReportNumberKeyboard, (uint8_t*)kb_report, sizeof(FuriHalBtHidKbReport));
}
bool furi_hal_bt_hid_kb_release(uint16_t button) {
furi_assert(kb_report);
for(uint8_t i = 0; i < FURI_HAL_BT_HID_KB_MAX_KEYS; i++) {
if(kb_report->key[i] == (button & 0xFF)) {
kb_report->key[i] = 0;
break;
}
}
kb_report->mods &= ~(button >> 8);
return hid_svc_update_input_report(
ReportNumberKeyboard, (uint8_t*)kb_report, sizeof(FuriHalBtHidKbReport));
}
bool furi_hal_bt_hid_kb_release_all() {
furi_assert(kb_report);
for(uint8_t i = 0; i < FURI_HAL_BT_HID_KB_MAX_KEYS; i++) {
kb_report->key[i] = 0;
}
kb_report->mods = 0;
return hid_svc_update_input_report(
ReportNumberKeyboard, (uint8_t*)kb_report, sizeof(FuriHalBtHidKbReport));
}
bool furi_hal_bt_hid_consumer_key_press(uint16_t button) {
furi_assert(consumer_report);
for(uint8_t i = 0; i < FURI_HAL_BT_HID_CONSUMER_MAX_KEYS; i++) { //-V1008
if(consumer_report->key[i] == 0) {
consumer_report->key[i] = button;
break;
}
}
return hid_svc_update_input_report(
ReportNumberConsumer, (uint8_t*)consumer_report, sizeof(FuriHalBtHidConsumerReport));
}
bool furi_hal_bt_hid_consumer_key_release(uint16_t button) {
furi_assert(consumer_report);
for(uint8_t i = 0; i < FURI_HAL_BT_HID_CONSUMER_MAX_KEYS; i++) { //-V1008
if(consumer_report->key[i] == button) {
consumer_report->key[i] = 0;
break;
}
}
return hid_svc_update_input_report(
ReportNumberConsumer, (uint8_t*)consumer_report, sizeof(FuriHalBtHidConsumerReport));
}
bool furi_hal_bt_hid_consumer_key_release_all() {
furi_assert(consumer_report);
for(uint8_t i = 0; i < FURI_HAL_BT_HID_CONSUMER_MAX_KEYS; i++) { //-V1008
consumer_report->key[i] = 0;
}
return hid_svc_update_input_report(
ReportNumberConsumer, (uint8_t*)consumer_report, sizeof(FuriHalBtHidConsumerReport));
}
bool furi_hal_bt_hid_mouse_move(int8_t dx, int8_t dy) {
furi_assert(mouse_report);
mouse_report->x = dx;
mouse_report->y = dy;
bool state = hid_svc_update_input_report(
ReportNumberMouse, (uint8_t*)mouse_report, sizeof(FuriHalBtHidMouseReport));
mouse_report->x = 0;
mouse_report->y = 0;
return state;
}
bool furi_hal_bt_hid_mouse_press(uint8_t button) {
furi_assert(mouse_report);
mouse_report->btn |= button;
return hid_svc_update_input_report(
ReportNumberMouse, (uint8_t*)mouse_report, sizeof(FuriHalBtHidMouseReport));
}
bool furi_hal_bt_hid_mouse_release(uint8_t button) {
furi_assert(mouse_report);
mouse_report->btn &= ~button;
return hid_svc_update_input_report(
ReportNumberMouse, (uint8_t*)mouse_report, sizeof(FuriHalBtHidMouseReport));
}
bool furi_hal_bt_hid_mouse_release_all() {
furi_assert(mouse_report);
mouse_report->btn = 0;
return hid_svc_update_input_report(
ReportNumberMouse, (uint8_t*)mouse_report, sizeof(FuriHalBtHidMouseReport));
}
bool furi_hal_bt_hid_mouse_scroll(int8_t delta) {
furi_assert(mouse_report);
mouse_report->wheel = delta;
bool state = hid_svc_update_input_report(
ReportNumberMouse, (uint8_t*)mouse_report, sizeof(FuriHalBtHidMouseReport));
mouse_report->wheel = 0;
return state;
}

View File

@@ -1,64 +0,0 @@
#include <furi_hal_bt_serial.h>
#include <services/dev_info_service.h>
#include <services/battery_service.h>
#include <services/serial_service.h>
#include <furi.h>
void furi_hal_bt_serial_start() {
// Start device info
if(!dev_info_svc_is_started()) {
dev_info_svc_start();
}
// Start battery service
if(!battery_svc_is_started()) {
battery_svc_start();
}
// Start Serial service
if(!serial_svc_is_started()) {
serial_svc_start();
}
}
void furi_hal_bt_serial_set_event_callback(
uint16_t buff_size,
FuriHalBtSerialCallback callback,
void* context) {
serial_svc_set_callbacks(buff_size, callback, context);
}
void furi_hal_bt_serial_notify_buffer_is_empty() {
serial_svc_notify_buffer_is_empty();
}
void furi_hal_bt_serial_set_rpc_status(FuriHalBtSerialRpcStatus status) {
SerialServiceRpcStatus st;
if(status == FuriHalBtSerialRpcStatusActive) {
st = SerialServiceRpcStatusActive;
} else {
st = SerialServiceRpcStatusNotActive;
}
serial_svc_set_rpc_status(st);
}
bool furi_hal_bt_serial_tx(uint8_t* data, uint16_t size) {
if(size > FURI_HAL_BT_SERIAL_PACKET_SIZE_MAX) {
return false;
}
return serial_svc_update_tx(data, size);
}
void furi_hal_bt_serial_stop() {
// Stop all services
if(dev_info_svc_is_started()) {
dev_info_svc_stop();
}
// Start battery service
if(battery_svc_is_started()) {
battery_svc_stop();
}
// Start Serial service
if(serial_svc_is_started()) {
serial_svc_stop();
}
}

View File

@@ -28,7 +28,7 @@ uint32_t furi_hal_cortex_instructions_per_microsecond() {
return FURI_HAL_CORTEX_INSTRUCTIONS_PER_MICROSECOND; return FURI_HAL_CORTEX_INSTRUCTIONS_PER_MICROSECOND;
} }
FuriHalCortexTimer furi_hal_cortex_timer_get(uint32_t timeout_us) { FURI_WARN_UNUSED FuriHalCortexTimer furi_hal_cortex_timer_get(uint32_t timeout_us) {
furi_check(timeout_us < (UINT32_MAX / FURI_HAL_CORTEX_INSTRUCTIONS_PER_MICROSECOND)); furi_check(timeout_us < (UINT32_MAX / FURI_HAL_CORTEX_INSTRUCTIONS_PER_MICROSECOND));
FuriHalCortexTimer cortex_timer = {0}; FuriHalCortexTimer cortex_timer = {0};

View File

@@ -28,7 +28,15 @@
/* Heap size determined automatically by linker */ /* Heap size determined automatically by linker */
// #define configTOTAL_HEAP_SIZE ((size_t)0) // #define configTOTAL_HEAP_SIZE ((size_t)0)
#define configMAX_TASK_NAME_LEN (32) #define configMAX_TASK_NAME_LEN (32)
#define configGENERATE_RUN_TIME_STATS 0
/* Run-time stats - broken ATM, to be fixed */
/*
#define configGENERATE_RUN_TIME_STATS 1
#define configRUN_TIME_COUNTER_TYPE uint64_t
#define portGET_RUN_TIME_COUNTER_VALUE() (DWT->CYCCNT)
#define portCONFIGURE_TIMER_FOR_RUN_TIME_STATS()
*/
#define configUSE_TRACE_FACILITY 1 #define configUSE_TRACE_FACILITY 1
#define configUSE_16_BIT_TICKS 0 #define configUSE_16_BIT_TICKS 0
#define configUSE_MUTEXES 1 #define configUSE_MUTEXES 1

View File

@@ -8,7 +8,10 @@
"sdk_header_paths": [ "sdk_header_paths": [
"../furi_hal_include", "../furi_hal_include",
"furi_hal", "furi_hal",
"platform_specific" "platform_specific",
"ble_glue/furi_ble",
"ble_glue/services",
"ble_glue/profiles"
], ],
"startup_script": "startup_stm32wb55xx_cm4.s", "startup_script": "startup_stm32wb55xx_cm4.s",
"linker_script_flash": "stm32wb55xx_flash.ld", "linker_script_flash": "stm32wb55xx_flash.ld",

View File

@@ -8,15 +8,15 @@
#include <furi.h> #include <furi.h>
#include <stdbool.h> #include <stdbool.h>
#include <gap.h> #include <gap.h>
#include <services/serial_service.h> #include <extra_beacon.h>
#include <furi_ble/profile_interface.h>
#include <ble_glue.h> #include <ble_glue.h>
#include <ble_app.h> #include <ble_app.h>
#include <stdint.h>
#include <furi_hal_bt_serial.h>
#define FURI_HAL_BT_STACK_VERSION_MAJOR (1) #define FURI_HAL_BT_STACK_VERSION_MAJOR (1)
#define FURI_HAL_BT_STACK_VERSION_MINOR (12) #define FURI_HAL_BT_STACK_VERSION_MINOR (12)
#define FURI_HAL_BT_C2_START_TIMEOUT 1000 #define FURI_HAL_BT_C2_START_TIMEOUT (1000)
#define FURI_HAL_BT_EMPTY_MAC_ADDR \ #define FURI_HAL_BT_EMPTY_MAC_ADDR \
{ 0x00, 0x00, 0x00, 0x00, 0x00, 0x00 } { 0x00, 0x00, 0x00, 0x00, 0x00, 0x00 }
@@ -34,14 +34,6 @@ typedef enum {
FuriHalBtStackFull, FuriHalBtStackFull,
} FuriHalBtStack; } FuriHalBtStack;
typedef enum {
FuriHalBtProfileSerial,
FuriHalBtProfileHidKeyboard,
// Keep last for Profiles number calculation
FuriHalBtProfileNumber,
} FuriHalBtProfile;
/** Initialize /** Initialize
*/ */
void furi_hal_bt_init(); void furi_hal_bt_init();
@@ -68,7 +60,7 @@ FuriHalBtStack furi_hal_bt_get_radio_stack();
* *
* @return true if supported * @return true if supported
*/ */
bool furi_hal_bt_is_ble_gatt_gap_supported(); bool furi_hal_bt_is_gatt_gap_supported();
/** Check if radio stack supports testing /** Check if radio stack supports testing
* *
@@ -76,15 +68,31 @@ bool furi_hal_bt_is_ble_gatt_gap_supported();
*/ */
bool furi_hal_bt_is_testing_supported(); bool furi_hal_bt_is_testing_supported();
/** Start BLE app /** Check if particular instance of profile belongs to given type
* *
* @param profile FuriHalBtProfile instance * @param profile FuriHalBtProfile instance. If NULL, uses current profile
* @param event_cb GapEventCallback instance * @param profile_template basic profile template to check against
* @param context pointer to context
* *
* @return true on success * @return true on success
*/ */
bool furi_hal_bt_start_app(FuriHalBtProfile profile, GapEventCallback event_cb, void* context); bool furi_hal_bt_check_profile_type(
FuriHalBleProfileBase* profile,
const FuriHalBleProfileTemplate* profile_template);
/** Start BLE app
*
* @param profile_template FuriHalBleProfileTemplate instance
* @param params Parameters to pass to the profile. Can be NULL
* @param event_cb GapEventCallback instance
* @param context pointer to context
*
* @return instance of profile, NULL on failure
*/
FURI_WARN_UNUSED FuriHalBleProfileBase* furi_hal_bt_start_app(
const FuriHalBleProfileTemplate* profile_template,
FuriHalBleProfileParams params,
GapEventCallback event_cb,
void* context);
/** Reinitialize core2 /** Reinitialize core2
* *
@@ -95,13 +103,17 @@ void furi_hal_bt_reinit();
/** Change BLE app /** Change BLE app
* Restarts 2nd core * Restarts 2nd core
* *
* @param profile FuriHalBtProfile instance * @param profile FuriHalBleProfileTemplate instance
* @param event_cb GapEventCallback instance * @param event_cb GapEventCallback instance
* @param context pointer to context * @param context pointer to context
* *
* @return true on success * @return instance of profile, NULL on failure
*/ */
bool furi_hal_bt_change_app(FuriHalBtProfile profile, GapEventCallback event_cb, void* context); FURI_WARN_UNUSED FuriHalBleProfileBase* furi_hal_bt_change_app(
const FuriHalBleProfileTemplate* profile_template,
FuriHalBleProfileParams profile_params,
GapEventCallback event_cb,
void* context);
/** Update battery level /** Update battery level
* *
@@ -110,7 +122,7 @@ bool furi_hal_bt_change_app(FuriHalBtProfile profile, GapEventCallback event_cb,
void furi_hal_bt_update_battery_level(uint8_t battery_level); void furi_hal_bt_update_battery_level(uint8_t battery_level);
/** Update battery power state */ /** Update battery power state */
void furi_hal_bt_update_power_state(); void furi_hal_bt_update_power_state(bool charging);
/** Checks if BLE state is active /** Checks if BLE state is active
* *
@@ -295,18 +307,60 @@ bool furi_hal_bt_is_connected(void);
*/ */
bool furi_hal_bt_ensure_c2_mode(BleGlueC2Mode mode); bool furi_hal_bt_ensure_c2_mode(BleGlueC2Mode mode);
typedef struct { /**
uint32_t magic; * Extra BLE beacon API
uint32_t source_pc;
uint32_t source_lr;
uint32_t source_sp;
} FuriHalBtHardfaultInfo;
/** Get hardfault info
*
* @return hardfault info. NULL if no hardfault
*/ */
const FuriHalBtHardfaultInfo* furi_hal_bt_get_hardfault_info();
/** Set extra beacon data. Can be called in any state
*
* @param[in] data data to set
* @param[in] len data length. Must be <= EXTRA_BEACON_MAX_DATA_SIZE
*
* @return true on success
*/
bool furi_hal_bt_extra_beacon_set_data(const uint8_t* data, uint8_t len);
/** Get last configured extra beacon data
*
* @param data data buffer to write to. Must be at least EXTRA_BEACON_MAX_DATA_SIZE bytes long
*
* @return valid data length
*/
uint8_t furi_hal_bt_extra_beacon_get_data(uint8_t* data);
/** Configure extra beacon.
*
* @param[in] config extra beacon config: interval, power, address, etc.
*
* @return true on success
*/
bool furi_hal_bt_extra_beacon_set_config(const GapExtraBeaconConfig* config);
/** Start extra beacon.
* Beacon must configured with furi_hal_bt_extra_beacon_set_config()
* and in stopped state before calling this function.
*
* @return true on success
*/
bool furi_hal_bt_extra_beacon_start();
/** Stop extra beacon
*
* @return true on success
*/
bool furi_hal_bt_extra_beacon_stop();
/** Check if extra beacon is active.
*
* @return extra beacon state
*/
bool furi_hal_bt_extra_beacon_is_active();
/** Get last configured extra beacon config
*
* @return extra beacon config. NULL if beacon had never been configured.
*/
const GapExtraBeaconConfig* furi_hal_bt_extra_beacon_get_config();
#ifdef __cplusplus #ifdef __cplusplus
} }

View File

@@ -1,98 +0,0 @@
#pragma once
#include <stdint.h>
#include <stdbool.h>
#ifdef __cplusplus
extern "C" {
#endif
/** Start Hid Keyboard Profile
*/
void furi_hal_bt_hid_start();
/** Stop Hid Keyboard Profile
*/
void furi_hal_bt_hid_stop();
/** Press keyboard button
*
* @param button button code from HID specification
*
* @return true on success
*/
bool furi_hal_bt_hid_kb_press(uint16_t button);
/** Release keyboard button
*
* @param button button code from HID specification
*
* @return true on success
*/
bool furi_hal_bt_hid_kb_release(uint16_t button);
/** Release all keyboard buttons
*
* @return true on success
*/
bool furi_hal_bt_hid_kb_release_all();
/** Set mouse movement and send HID report
*
* @param dx x coordinate delta
* @param dy y coordinate delta
*/
bool furi_hal_bt_hid_mouse_move(int8_t dx, int8_t dy);
/** Set mouse button to pressed state and send HID report
*
* @param button key code
*/
bool furi_hal_bt_hid_mouse_press(uint8_t button);
/** Set mouse button to released state and send HID report
*
* @param button key code
*/
bool furi_hal_bt_hid_mouse_release(uint8_t button);
/** Set mouse button to released state and send HID report
*
* @param button key code
*/
bool furi_hal_bt_hid_mouse_release_all();
/** Set mouse wheel position and send HID report
*
* @param delta number of scroll steps
*/
bool furi_hal_bt_hid_mouse_scroll(int8_t delta);
/** Set the following consumer key to pressed state and send HID report
*
* @param button key code
*/
bool furi_hal_bt_hid_consumer_key_press(uint16_t button);
/** Set the following consumer key to released state and send HID report
*
* @param button key code
*/
bool furi_hal_bt_hid_consumer_key_release(uint16_t button);
/** Set consumer key to released state and send HID report
*
* @param button key code
*/
bool furi_hal_bt_hid_consumer_key_release_all();
/** Retrieves LED state from remote BT HID host
*
* @return (look at HID usage page to know what each bit of the returned byte means)
* NB: RFU bit has been shifted out in the returned octet so USB defines should work
*/
uint8_t furi_hal_bt_hid_get_led_state(void);
#ifdef __cplusplus
}
#endif

View File

@@ -1,59 +0,0 @@
#pragma once
#include <services/serial_service.h>
#ifdef __cplusplus
extern "C" {
#endif
#define FURI_HAL_BT_SERIAL_PACKET_SIZE_MAX SERIAL_SVC_DATA_LEN_MAX
typedef enum {
FuriHalBtSerialRpcStatusNotActive,
FuriHalBtSerialRpcStatusActive,
} FuriHalBtSerialRpcStatus;
/** Serial service callback type */
typedef SerialServiceEventCallback FuriHalBtSerialCallback;
/** Start Serial Profile
*/
void furi_hal_bt_serial_start();
/** Stop Serial Profile
*/
void furi_hal_bt_serial_stop();
/** Set Serial service events callback
*
* @param buffer_size Applicaition buffer size
* @param calback FuriHalBtSerialCallback instance
* @param context pointer to context
*/
void furi_hal_bt_serial_set_event_callback(
uint16_t buff_size,
FuriHalBtSerialCallback callback,
void* context);
/** Set BLE RPC status
*
* @param status FuriHalBtSerialRpcStatus instance
*/
void furi_hal_bt_serial_set_rpc_status(FuriHalBtSerialRpcStatus status);
/** Notify that application buffer is empty
*/
void furi_hal_bt_serial_notify_buffer_is_empty();
/** Send data through BLE
*
* @param data data buffer
* @param size data buffer size
*
* @return true on success
*/
bool furi_hal_bt_serial_tx(uint8_t* data, uint16_t size);
#ifdef __cplusplus
}
#endif