Halo 正式开源: 使用可穿戴设备进行开源健康追踪

9df49fdb73087b8545d1140f278dc16f.jpeg

在飞速发展的可穿戴技术领域,我们正处于一个十字路口——市场上充斥着各式时尚、功能丰富的设备,声称能够彻底改变我们对健康和健身的方式。

然而,在这些光鲜的外观和营销宣传背后,隐藏着一个令人担忧的现实:大多数这些设备是封闭系统,其内部运行被专有代码和封闭硬件所掩盖。作为消费者,我们对这些设备如何收集、处理及可能共享我们的健康数据一无所知。

这时,Halo 出现了,它是一种旨在让健康追踪更加普惠化的开源替代方案。通过这系列文章,我们将引导你从基础入手,构建并使用完全透明、可定制的可穿戴设备。

需要说明的是,Halo 的目标并不是在外观或功能完整性上与消费级可穿戴设备竞争。相反,它提供了一种独特的、动手实践的方式来理解健康追踪设备背后的技术。

我们将使用 Swift 5 来构建对应的 iOS 界面,Python >= 3.10。由于此项目的代码完全开源,你可以随时提交 PR 拉取请求,或者 Fork 分叉项目以探索全新的方向。

  • 开源https://github.com/cyrilzakka/Halo-iOS

你将需要:

  • 获取COLMI R02实体设备,价格在撰写时为 11 到 30 美金左右。https://www.aliexpress.us/item/3256806445134241.html?gatewayAdapt=glo2usa4itemAdapt

  • 一个安装了 Xcode 16 的开发环境,以及可选的 Apple 开发者计划会员资格。

  • Python >= 3.10,并安装了 pandasnumpytorch 当然还有 transformers

致谢

此项目基于Python 仓库的代码及我的学习成果构建。

  • Python 仓库https://tahnok.github.io/colmi_r02_client/

免责声明

作为一名医生,我有法律义务提醒你:你即将阅读的内容并不是医学建议。现在,让我们开始让一些可穿戴设备发出蜂鸣声吧!

配对戒指

在进入代码之前,让我们先了解蓝牙低能耗 (BLE) 的关键规格。BLE 基于一个简单的客户端-服务器模型,使用三个核心概念:中央设备 (Centrals)服务 (Services) 和 **特征 (Characteristics)**。以下是它们的具体介绍:

  • 中央设备 (例如你的 iPhone) 负责启动和管理与外设 (例如我们的 COLMI R02 戒指) 的连接。戒指通过广播自身信息等待手机连接,每次仅支持一台手机连接。

  • 服务 是戒指上相关功能的集合,例如心率监测服务或电池状态服务。每个服务都有一个唯一标识符 (UUID) ,客户端通过它来找到对应服务。

  • 特征 是每个服务中的具体数据点或控制机制。例如,它们可能是只读 (获取传感器数据) 、只写 (发送命令) 或两者兼有。有些特征还能在其值发生变化时自动通知手机,这对于实时健康监测尤为重要。

当手机连接到戒指时,会定位所需的服务,并与特定特征交互以发送命令或接收数据。这种结构化的方法不仅确保了通信效率,还能延长电池使用时间。了解了这些基础知识后,让我们开始构建吧!

设置 Xcode 项目

创建一个名为 Halo 的新项目,目标平台为 iOS。组织标识符建议使用反向域名格式 (如 com.example) 。本项目中,我们使用 com.FirstNameLastName

接下来,为应用启用必要的功能。在 Xcode 中,打开 Signing & Capabilities 选项卡,启用以下 后台模式 (Background Modes),以确保应用在后台运行时能够保持与戒指的连接并处理数据。

然后,我们将使用 Apple 提供的最新框架AccessorySetupKit,用于将蓝牙和 Wi-Fi 配件连接到 iOS 应用。此框架自 iOS 18 推出,替代了传统的广泛蓝牙权限请求方式,专注于为用户明确批准的特定设备提供访问权限。

  • AccessorySetupKithttps://developer.apple.com/documentation/accessorysetupkit/

当用户尝试将 COLMI R02 戒指连接到应用时,AccessorySetupKit 会显示一个系统界面,仅列出兼容的附近设备。用户选择设备后,应用即可与戒指通信,而无需请求完整的蓝牙权限。这大大提升了用户隐私,同时简化了设备连接的管理流程。

打开 Info.plist 文件 (可以在左侧边栏中找到,或通过 Project Navigator (⌘1) > Your Target > Info 定位) 。添加以下键值条目以支持与 COLMI R02 戒指的配对:

  • 添加 NSAccessorySetupKitSupports,类型为 Array,并将 Bluetooth 作为第一个项目。

  • 添加 NSAccessorySetupBluetoothServices,类型为 Array,并将以下 UUID 作为 String 项:

    • 6E40FFF0-B5A3-F393-E0A9-E50E24DCCA9E

    • 0000180A-0000-1000-8000-00805F9B34FB

至此,初步配置完成!🤗

303b2be869837b0a57d00f54639c1914.png

Ring Session Manager 类

接下来,我们将创建一个 RingSessionManager 类,用于管理所有与戒指的通信。此类的主要职责包括:

  • 扫描附近的戒指

  • 连接到戒指

  • 发现服务和特征

  • 实现数据读写操作

第一步:创建 RingSessionManager

首先创建一个新的 Swift 文件 (⌘N) ,命名为 RingSessionManager.swift。以下是类的定义以及需要实现的关键属性:

@Observable
class RingSessionManager: NSObject {// 追踪连接状态var peripheralConnected = falsevar pickerDismissed = true// 存储当前连接的戒指var currentRing: ASAccessory?private var session = ASAccessorySession()// 核心蓝牙对象private var manager: CBCentralManager?private var peripheral: CBPeripheral?
}
第二步:发现戒指

戒指通过特定的蓝牙服务 UUID 进行广播。为了找到它,我们需要创建一个 ASDiscoveryDescriptor 对象,指定其蓝牙服务的 UUID。以下代码完成了这一功能:

private static let ring: ASPickerDisplayItem = {let descriptor = ASDiscoveryDescriptor()descriptor.bluetoothServiceUUID = CBUUID(string: "6E40FFF0-B5A3-F393-E0A9-E50E24DCCA9E")return ASPickerDisplayItem(name: "COLMI R02 Ring",productImage: UIImage(named: "colmi")!,descriptor: descriptor)
}()

确保将戒指图片添加到项目资源目录中,或者用合适的占位符替换 UIImage(named: "colmi")!

第三步:显示戒指选择器

为了让用户选择戒指,我们调用系统内置的设备选择器界面:

func presentPicker() {session.showPicker(for: [Self.ring]) { error inif let error {print("Failed to show picker: \(error.localizedDescription)")}}
}
第四步:处理戒指选择

当用户从选择器中选定设备后,应用需要处理连接和管理逻辑。以下代码实现了事件处理:

private func handleSessionEvent(event: ASAccessoryEvent) {switch event.eventType {case .accessoryAdded:guard let ring = event.accessory else { return }saveRing(ring: ring)case .activated:// 重新连接已配对戒指guard let ring = session.accessories.first else { return }saveRing(ring: ring)case .accessoryRemoved:currentRing = nilmanager = nil}
}
第五步:建立连接

完成选择戒指后,我们需要与其建立蓝牙连接:

func connect() {guard let manager, manager.state == .poweredOn, let peripheral else { return }let options: [String: Any] = [CBConnectPeripheralOptionNotifyOnConnectionKey: true,CBConnectPeripheralOptionNotifyOnDisconnectionKey: true,CBConnectPeripheralOptionStartDelayKey: 1]manager.connect(peripheral, options: options)
}
第六步:理解委托方法

RingSessionManager 中,我们实现了两个关键的委托协议,用于管理蓝牙通信过程。

中央管理器委托 (CBCentralManagerDelegate)此委托主要处理蓝牙连接的整体状态。

func centralManagerDidUpdateState(_ central: CBCentralManager) {print("Central manager state: \(central.state)")switch central.state {case .poweredOn:if let peripheralUUID = currentRing?.bluetoothIdentifier {if let knownPeripheral = central.retrievePeripherals(withIdentifiers: [peripheralUUID]).first {print("Found previously connected peripheral")peripheral = knownPeripheralperipheral?.delegate = selfconnect()} else {print("Known peripheral not found, starting scan")}}default:peripheral = nil}
}

当蓝牙开启时,程序会检查是否有已连接的戒指,并尝试重新连接。
成功连接后:

func centralManager(_ central: CBCentralManager, didConnect peripheral: CBPeripheral) {print("DEBUG: Connected to peripheral: \(peripheral)")peripheral.delegate = selfprint("DEBUG: Discovering services...")peripheral.discoverServices([CBUUID(string: Self.ringServiceUUID)])peripheralConnected = true
}

断开连接时:

func centralManager(_ central: CBCentralManager, didDisconnectPeripheral peripheral: CBPeripheral, error: (any Error)?) {print("Disconnected from peripheral: \(peripheral)")peripheralConnected = falsecharacteristicsDiscovered = false
}

外设委托 (CBPeripheralDelegate)

此委托主要处理与戒指的具体通信。
首先发现戒指的服务:

func peripheral(_ peripheral: CBPeripheral, didDiscoverServices error: (any Error)?) {print("DEBUG: Services discovery callback, error: \(String(describing: error))")guard error == nil, let services = peripheral.services else {print("DEBUG: No services found or error occurred")return}print("DEBUG: Found \(services.count) services")for service in services {if service.uuid == CBUUID(string: Self.ringServiceUUID) {print("DEBUG: Found ring service, discovering characteristics...")peripheral.discoverCharacteristics([CBUUID(string: Self.uartRxCharacteristicUUID),CBUUID(string: Self.uartTxCharacteristicUUID)], for: service)}}
}

发现特征后:

func peripheral(_ peripheral: CBPeripheral, didDiscoverCharacteristicsFor service: CBService, error: Error?) {print("DEBUG: Characteristics discovery callback, error: \(String(describing: error))")guard error == nil, let characteristics = service.characteristics else {print("DEBUG: No characteristics found or error occurred")return}print("DEBUG: Found \(characteristics.count) characteristics")for characteristic in characteristics {switch characteristic.uuid {case CBUUID(string: Self.uartRxCharacteristicUUID):print("DEBUG: Found UART RX characteristic")self.uartRxCharacteristic = characteristiccase CBUUID(string: Self.uartTxCharacteristicUUID):print("DEBUG: Found UART TX characteristic")self.uartTxCharacteristic = characteristicperipheral.setNotifyValue(true, for: characteristic)default:print("DEBUG: Found other characteristic: \(characteristic.uuid)")}}characteristicsDiscovered = true
}

接收数据时:

func peripheral(_ peripheral: CBPeripheral, didUpdateValueFor characteristic: CBCharacteristic, error: Error?) {if characteristic.uuid == CBUUID(string: Self.uartTxCharacteristicUUID) {if let value = characteristic.value {print("Received value: \(value)")}}
}

发送命令后:

func peripheral(_ peripheral: CBPeripheral, didWriteValueFor characteristic: CBCharacteristic, error: Error?) {if let error = error {print("Write to characteristic failed: \(error.localizedDescription)")} else {print("Write to characteristic successful")}
}
完整代码

完整的 RingSessionManager 类代码如下:

import Foundation
import AccessorySetupKit
import CoreBluetooth
import SwiftUI@Observable
class RingSessionManager: NSObject {var peripheralConnected = falsevar pickerDismissed = truevar currentRing: ASAccessory?private var session = ASAccessorySession()private var manager: CBCentralManager?private var peripheral: CBPeripheral?private var uartRxCharacteristic: CBCharacteristic?private var uartTxCharacteristic: CBCharacteristic?private static let ringServiceUUID = "6E40FFF0-B5A3-F393-E0A9-E50E24DCCA9E"private static let uartRxCharacteristicUUID = "6E400002-B5A3-F393-E0A9-E50E24DCCA9E"private static let uartTxCharacteristicUUID = "6E400003-B5A3-F393-E0A9-E50E24DCCA9E"private static let deviceInfoServiceUUID = "0000180A-0000-1000-8000-00805F9B34FB"private static let deviceHardwareUUID = "00002A27-0000-1000-8000-00805F9B34FB"private static let deviceFirmwareUUID = "00002A26-0000-1000-8000-00805F9B34FB"private static let ring: ASPickerDisplayItem = {let descriptor = ASDiscoveryDescriptor()descriptor.bluetoothServiceUUID = CBUUID(string: ringServiceUUID)return ASPickerDisplayItem(name: "COLMI R02 Ring",productImage: UIImage(named: "colmi")!,descriptor: descriptor)}()private var characteristicsDiscovered = falseoverride init() {super.init()self.session.activate(on: DispatchQueue.main, eventHandler: handleSessionEvent(event:))}// MARK: - RingSessionManager actionsfunc presentPicker() {session.showPicker(for: [Self.ring]) { error inif let error {print("Failed to show picker due to: \(error.localizedDescription)")}}}func removeRing() {guard let currentRing else { return }if peripheralConnected {disconnect()}session.removeAccessory(currentRing) { _ inself.currentRing = nilself.manager = nil}}func connect() {guardlet manager, manager.state == .poweredOn,let peripheralelse {return}let options: [String: Any] = [CBConnectPeripheralOptionNotifyOnConnectionKey: true,CBConnectPeripheralOptionNotifyOnDisconnectionKey: true,CBConnectPeripheralOptionStartDelayKey: 1]manager.connect(peripheral, options: options)}func disconnect() {guard let peripheral, let manager else { return }manager.cancelPeripheralConnection(peripheral)}// MARK: - ASAccessorySession functionsprivate func saveRing(ring: ASAccessory) {currentRing = ringif manager == nil {manager = CBCentralManager(delegate: self, queue: nil)}}private func handleSessionEvent(event: ASAccessoryEvent) {switch event.eventType {case .accessoryAdded, .accessoryChanged:guard let ring = event.accessory else { return }saveRing(ring: ring)case .activated:guard let ring = session.accessories.first else { return }saveRing(ring: ring)case .accessoryRemoved:self.currentRing = nilself.manager = nilcase .pickerDidPresent:pickerDismissed = falsecase .pickerDidDismiss:pickerDismissed = truedefault:print("Received event type \(event.eventType)")}}
}// MARK: - CBCentralManagerDelegate
extension RingSessionManager: CBCentralManagerDelegate {func centralManagerDidUpdateState(_ central: CBCentralManager) {print("Central manager state: \(central.state)")switch central.state {case .poweredOn:if let peripheralUUID = currentRing?.bluetoothIdentifier {if let knownPeripheral = central.retrievePeripherals(withIdentifiers: [peripheralUUID]).first {print("Found previously connected peripheral")peripheral = knownPeripheralperipheral?.delegate = selfconnect()} else {print("Known peripheral not found, starting scan")}}default:peripheral = nil}}func centralManager(_ central: CBCentralManager, didConnect peripheral: CBPeripheral) {print("DEBUG: Connected to peripheral: \(peripheral)")peripheral.delegate = selfprint("DEBUG: Discovering services...")peripheral.discoverServices([CBUUID(string: Self.ringServiceUUID)])peripheralConnected = true}func centralManager(_ central: CBCentralManager, didDisconnectPeripheral peripheral: CBPeripheral, error: (any Error)?) {print("Disconnected from peripheral: \(peripheral)")peripheralConnected = falsecharacteristicsDiscovered = false}func centralManager(_ central: CBCentralManager, didFailToConnect peripheral: CBPeripheral, error: (any Error)?) {print("Failed to connect to peripheral: \(peripheral), error: \(error.debugDescription)")}
}// MARK: - CBPeripheralDelegate
extension RingSessionManager: CBPeripheralDelegate {func peripheral(_ peripheral: CBPeripheral, didDiscoverServices error: (any Error)?) {print("DEBUG: Services discovery callback, error: \(String(describing: error))")guard error == nil, let services = peripheral.services else {print("DEBUG: No services found or error occurred")return}print("DEBUG: Found \(services.count) services")for service in services {if service.uuid == CBUUID(string: Self.ringServiceUUID) {print("DEBUG: Found ring service, discovering characteristics...")peripheral.discoverCharacteristics([CBUUID(string: Self.uartRxCharacteristicUUID),CBUUID(string: Self.uartTxCharacteristicUUID)], for: service)}}}func peripheral(_ peripheral: CBPeripheral, didDiscoverCharacteristicsFor service: CBService, error: Error?) {print("DEBUG: Characteristics discovery callback, error: \(String(describing: error))")guard error == nil, let characteristics = service.characteristics else {print("DEBUG: No characteristics found or error occurred")return}print("DEBUG: Found \(characteristics.count) characteristics")for characteristic in characteristics {switch characteristic.uuid {case CBUUID(string: Self.uartRxCharacteristicUUID):print("DEBUG: Found UART RX characteristic")self.uartRxCharacteristic = characteristiccase CBUUID(string: Self.uartTxCharacteristicUUID):print("DEBUG: Found UART TX characteristic")self.uartTxCharacteristic = characteristicperipheral.setNotifyValue(true, for: characteristic)default:print("DEBUG: Found other characteristic: \(characteristic.uuid)")}}characteristicsDiscovered = true}func peripheral(_ peripheral: CBPeripheral, didUpdateValueFor characteristic: CBCharacteristic, error: Error?) {if characteristic.uuid == CBUUID(string: Self.uartTxCharacteristicUUID) {if let value = characteristic.value {print("Received value: \(value)")}}}func peripheral(_ peripheral: CBPeripheral, didWriteValueFor characteristic: CBCharacteristic, error: Error?) {if let error = error {print("Write to characteristic failed: \(error.localizedDescription)")} else {print("Write to characteristic successful")}}
}

最后一步:将其应用到我们的应用程序中

ContentView.swift 中粘贴以下代码,作为主界面的一部分:

import SwiftUI
import AccessorySetupKitstruct ContentView: View {@State var ringSessionManager = RingSessionManager()var body: some View {List {Section("MY DEVICE", content: {if ringSessionManager.pickerDismissed, let currentRing = ringSessionManager.currentRing {makeRingView(ring: currentRing)} else {Button {ringSessionManager.presentPicker()} label: {Text("Add Ring").frame(maxWidth: .infinity).font(Font.headline.weight(.semibold))}}})}.listStyle(.insetGrouped)}@ViewBuilderprivate func makeRingView(ring: ASAccessory) -> some View {HStack {Image("colmi").resizable().aspectRatio(contentMode: .fit).frame(height: 70)VStack(alignment: .leading) {Text(ring.displayName).font(Font.headline.weight(.semibold))}}}
}#Preview {ContentView()
}

如果一切配置正确,你现在可以构建并运行应用。当点击“Add Ring”按钮时,将弹出一个界面,显示附近的兼容设备 (包括 COLMI R02 戒指) 。选择设备后,应用即可完成连接。🎉

db1da38b8db10b60be8cd8e6d99734b6.png
连接演示

在后续的文章中,我们将进一步探索如何与戒指交互,包括读取电池电量、获取传感器数据 (如 PPG 和加速度计) ,并基于这些数据开发实时心率监测、活动追踪及睡眠检测功能。敬请期待!

英文原文:https://hf.co/blog/cyrilzakka/halo-introduction

原文作者: Cyril, ML Researcher, Health AI Lead @ Hugging Face

译者: Lu Cheng, Hugging Face Fellow

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/bicheng/62043.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

开源宝藏:Smart-Admin 重复提交防护的 AOP 切面实现详解

首先,说下重复提交问题,基本上解决方案,核心都是根据URL、参数、token等,有一个唯一值检验是否重复提交。 而下面这个是根据用户id,唯一值进行判定,使用两种缓存方式,redis和caffeine&#xff…

Ubuntu下手动设置Nvidia显卡风扇转速

在Ubuntu下,您可以使用 NVIDIA显卡驱动程序提供的工具手动调整风扇转速。以下是详细步骤: 1. 确保已安装NVIDIA显卡驱动 确保系统已经安装了正确的NVIDIA驱动: nvidia-smi如果没有输出驱动信息,请先安装驱动: sudo…

【python】Python 虚拟环境的常用命令

这是一组用于设置和使用 Python 虚拟环境的常用命令。以下是逐步解析它们的含义和作用: 1. 创建虚拟环境 python -m venv myvenv含义:使用 Python 自带的 venv 模块创建一个虚拟环境,名称为 myvenv。作用: 虚拟环境是一个独立的 …

Python 爬虫从入门到(不)入狱学习笔记

爬虫的流程:从入门到入狱 1 获取网页内容1.1 发送 HTTP 请求1.2 Python 的 Requests 库1.2 实战:豆瓣电影 scrape_douban.py 2 解析网页内容2.1 HTML 网页结构2.2 Python 的 Beautiful Soup 库 3 存储或分析数据(略) 一般爬虫的基…

微信小程序组件详解:text 和 rich-text 组件的基本用法

微信小程序组件详解:text 和 rich-text 组件的基本用法 引言 在微信小程序的开发中,文本展示是用户界面设计中不可或缺的一部分。无论是简单的文本信息,还是复杂的富文本内容,text 和 rich-text 组件都能够帮助我们实现这些需求。本文将详细介绍这两个组件的基本用法,包…

深入探讨异步 API 的设计与实现

一、API 模式简介:同步与异步的对比 API 是客户端和服务器之间通信的桥梁。大多数 API 采用同步模式,执行的流程如下: 客户端发送请求。服务器处理请求。服务器返回响应。 同步模式对快速操作非常有效,比如数据查询或简单更新。…

黄仁勋:人形机器人在内,仅有三种机器人有望实现大规模生产

11月23日,芯片巨头、AI时代“卖铲人”和最大受益者、全球市值最高【英伟达】创始人兼CEO黄仁勋在香港科技大学被授予工程学荣誉博士学位;并与香港科技大学校董会主席沈向洋展开深刻对话,涉及人工智能(AI)、计算力、领导…

【Linux学习】【Ubuntu入门】2-3 make工具和makefile引入

1.使用命令新建三个.c文件vi main.c,vi input.c,vi caclcu.c,两个.h文件vi input.h,vi caclcu.h 2.vi Makefile:新建Makefile文件,输入一下内容 注意:命令列表中每条命令前用TAB键,不…

wsl2的Ubuntu18.04安装ros和anaconda

参考:超详细 WSL2 安装 ros 和 anaconda_wsl2安装anaconda-CSDN博客 一.安装ros 1. 更换系统源 输入 wget http://fishros.com/install -O fishros && . fishros 和上面的链接一样,依次输入5-2-1 2. 安装ros 输入 wget http://fishros.c…

1-golang_org_x_crypto_bcrypt测试 --go开源库测试

1.实例测试 package mainimport ("fmt""golang.org/x/crypto/bcrypt" )func main() {password : []byte("mysecretpassword")hashedPassword, err : bcrypt.GenerateFromPassword(password, bcrypt.DefaultCost)if err ! nil {fmt.Println(err)…

【FPGA】Verilog:利用 4 个串行输入- 串行输出的 D 触发器实现 Shift_register

0x00 什么是寄存器 寄存器(Register)是顺序逻辑电路中使用的基本组成部分之一。寄存器用于在数字系统中存储和处理数据。寄存器通常由位(bit)构成,每个位可以存储一个0或1的值。通过寄存器,可以设计出计数器、加法器等各种数据处理电路。 0x01 寄存器的种类 基于 D 触发…

CentOS 7安装SSHFS 实现远程主机目录 挂载为本地目录

安装sshfs 官方下载地址 https://github.com/libfuse/sshfs/releases 首先,我们需要安装sshfs软件。sshfs是一个基于SSH文件传输协议的文件系统客户端,它的官方网页是:http://fuse.sourceforge.net/sshfs.html 。在CentOS下,我们…

MySQL:IF()函数根据指定条件返回不同的值

语法如下: IF(condition, value_if_true, value_if_false) 其中,condition表示要判断的条件,如果条件成立,则返回value_if_true;如果条件不成立,则返回value_if_false。 案例 SELECT IF(3 > 2, True…

算法 差分修改 极简

N个气球排成一排&#xff0c;从左到右依次编号为1,2,3....N.每次给定2个整数a b(a < b),lele便为骑上他的“小飞鸽"牌电动车从气球a开始到气球b依次给每个气球涂一次颜色。但是N次以后lele已经忘记了第I个气球已经涂过几次颜色了&#xff0c;你能帮他算出每个气球被涂过…

用 Python 从零开始创建神经网络(十):优化器(Optimizers)(持续更新中...)

优化器&#xff08;Optimizers&#xff09; 引言1. 随机梯度下降/Stochastic Gradient Descent (SGD)2. 学习率&#xff08;Learning Rate&#xff09;3. 学习率衰减&#xff08;Learning Rate Decay&#xff09;4. 带动量的随机梯度下降法&#xff08;Stochastic Gradient Des…

ubity3D基础

Unity是一个流行的游戏开发引擎&#xff0c;它使用C#作为其主要的编程语言。以下是一些Unity中C#编程的基础概念&#xff1a; • Unity编辑器&#xff1a; • Unity编辑器是Unity游戏引擎的核心&#xff0c;提供了一个可视化界面&#xff0c;用于创建和管理游戏项目。 • C#脚本…

利用c语言详细介绍下栈的实现

数据结构中&#xff0c;栈是一种线性结构&#xff0c;数据元素遵循后进先出的原则。栈的一端为栈顶&#xff0c;一端为栈底或栈尾&#xff0c;数据只在栈顶端进行操作。新插入数据称为入栈或者压栈&#xff0c;删除数据叫做出栈或者退栈。 一、图文介绍 我们通过建立一个stack…

元组部分介绍

元组部分 元组的基本格式与特点 #1.元组 #基本格式&#xff1a; 元组名&#xff08;元素1&#xff0c;元素2&#xff0c;元素3&#xff09; #注意&#xff1a;所有元素包含在小括号内&#xff0c;元素与元素之间用逗号隔开&#xff0c;可以是不同的元素类型 #注意&#xff1a…

Jackson、Gson、FastJSON三款JSON利器比拼

在Java领域&#xff0c;有多种JSON工具包&#xff0c;比如Jackson、Gson、FastJSON&#xff0c;每家都各有所长&#xff0c;下面我们从性能、特性、生态、易用 性等几个方面来展开下&#xff1a; 一、Jackson 性能 Jackson是一款高性能的JSON处理库。它在序列化和反序列化操作…

使用 OpenCV 进行视频中的行人检测

在计算机视觉领域&#xff0c;行人检测是一个重要的研究方向&#xff0c;它在视频监控、自动驾驶、人机交互等领域都有着广泛的应用。本文将介绍如何使用 OpenCV 库来实现视频中的行人检测。 环境准备 首先&#xff0c;我们需要安装 OpenCV 库。可以通过以下命令来安装&#…