Arduino的一些使用记录,用的Pulse Sensor,HC06蓝牙

本文介绍如何使用PulseSensor获取心跳数据,并通过Arduino与蓝牙模块(HC06)将数据发送到手机APP。涉及Arduino库安装、串口调试、蓝牙连接及编程技巧等内容。

摘要生成于 C知道 ,由 DeepSeek-R1 满血版支持, 前往体验 >

目标是使用Pulse Sensor 获取心跳等信息,通过蓝牙模块(HC06)传递到手机APP,做如下记录

1.安装SDK
http://www.taichi-maker.com/homepage/reference-index/arduino-library-index/install-arduino-library/
2.Arduino参考手册
http://wiki.dfrobot.com.cn/index.php?title=%E9%A6%96%E9%A1%B5
3.pc端:串口调试工具
http://www.alithon.com/
4.手机端:蓝牙串口
http://app.mi.com/details?id=com.shenyaocn.android.BlueSPP
5.app蓝牙连接的源码,仅作简单使用
https://github.com/tap-top/Bluetooth_Arduino
6.具体连接方式
注: VCC连接的都是5v的
注:实际发送数据的时候,需要把蓝牙的TXD口连接到Arduino的Rx上,需要把蓝牙的RXD口连接到Arduino的Tx上,但会导致上传报错
注:上传报错一般如下

avrdude: stk500_getsync() attempt 1 of 10: not in sync: resp=0x00
avrdude: stk500_getsync() attempt 2 of 10: not in sync: resp=0x00
avrdude: stk500_getsync() attempt 3 of 10: not in sync: resp=0x00
avrdude: stk500_getsync() attempt 4 of 10: not in sync: resp=0x00
avrdude: stk500_getsync() attempt 5 of 10: not in sync: resp=0x00
avrdude: stk500_getsync() attempt 6 of 10: not in sync: resp=0x00
avrdude: stk500_getsync() attempt 7 of 10: not in sync: resp=0x00
avrdude: stk500_getsync() attempt 8 of 10: not in sync: resp=0x00
avrdude: stk500_getsync() attempt 9 of 10: not in sync: resp=0x00
avrdude: stk500_getsync() attempt 10 of 10: not in sync: resp=0x00
上传项目出错

报这个错误需要把Arduino上RX和TX上的连接线断开,编译上传完代码再连上即可


HC06的蓝牙连接方式,这里用到了8和9,可以修改,解释如下:

 测试通信之前首先要了解一下通信的流程
 PC电脑连接单片机,单片机连接蓝牙模块
 在电脑上用串口发送AT指令到单片机
 单片机接收到指令后通过数字口9发送指令到蓝牙模块的RX端
 蓝牙模块接收指令后通过TX发送给单片机数字口8
 单片机通过数字口8接收指令后再通过usb线输出到pc电脑
 【连线】
 数字口8----TXD
 数字口9----RXD
 VCC-----VCC
 GND-----GND
 注:千万注意,VCC和GND不要接错

Pulse Sensor连接方式如下:

Pulse Sensor一共有三根线,分别是s,+,-
s ------------ A0
+ (VCC)------- VCC
- (GND)------- GND

也是刚开始学习这一部分的内容,欢迎交流

Arduino的全部源码如下:


/*
>> Pulse Sensor Amped 1.2 <<
This code is for Pulse Sensor Amped by Joel Murphy and Yury Gitman
    www.pulsesensor.com 
    >>> Pulse Sensor purple wire goes to Analog Pin 0 <<<
Pulse Sensor sample aquisition and processing happens in the background via Timer 2 interrupt. 2mS sample rate.
PWM on pins 3 and 11 will not work when using this code, because we are using Timer 2!
The following variables are automatically updated:
Signal :    int that holds the analog signal data straight from the sensor. updated every 2mS.
IBI  :      int that holds the time interval between beats. 2mS resolution.
BPM  :      int that holds the heart rate value, derived every beat, from averaging previous 10 IBI values.
QS  :       boolean that is made true whenever Pulse is found and BPM is updated. User must reset.
Pulse :     boolean that is true when a heartbeat is sensed then false in time with pin13 LED going out.

This code is designed with output serial data to Processing sketch "PulseSensorAmped_Processing-xx"
The Processing sketch is a simple data visualizer. 
All the work to find the heartbeat and determine the heartrate happens in the code below.
Pin 13 LED will blink with heartbeat.
If you want to use pin 13 for something else, adjust the interrupt handler
It will also fade an LED on pin fadePin with every beat. Put an LED and series resistor from fadePin to GND.
Check here for detailed code walkthrough:
http://pulsesensor.myshopify.com/pages/pulse-sensor-amped-arduino-v1dot1

Code Version 1.2 by Joel Murphy & Yury Gitman  Spring 2013
This update fixes the firstBeat and secondBeat flag usage so that realistic BPM is reported.

*/
#include <SoftwareSerial.h>
SoftwareSerial BT(8, 9); // RX, TX
char value;       //用于中转数据

//  VARIABLES
int pulsePin = 0;                 // Pulse Sensor purple wire connected to analog pin 0
int blinkPin = 13;                // pin to blink led at each beat
int fadePin = 5;                  // pin to do fancy classy fading blink at each beat
int fadeRate = 0;                 // used to fade LED on with PWM on fadePin


// these variables are volatile because they are used during the interrupt service routine!
volatile int BPM;                   // used to hold the pulse rate
volatile int Signal;                // holds the incoming raw data
volatile int IBI = 600;             // holds the time between beats, must be seeded! 
volatile boolean Pulse = false;     // true when pulse wave is high, false when it's low
volatile boolean QS = false;        // becomes true when Arduoino finds a beat.


void setup(){
  pinMode(blinkPin,OUTPUT);         // pin that will blink to your heartbeat!
  pinMode(fadePin,OUTPUT);          // pin that will fade to your heartbeat!
  //Serial.begin(115200);             // we agree to talk fast!
  Serial.begin(9600);
  while (!Serial) {
        ; // 等待串口连接。
    }
  Serial.println("Serial Connected!");
  // 设置蓝牙串口通讯的速率 HC06默认是9600
  BT.begin(9600);
  while (!BT) {
      ; // 等待串口连接。
  }
  Serial.println("BT Connected!");



  interruptSetup();                 // sets up to read Pulse Sensor signal every 2mS 
   // UN-COMMENT THE NEXT LINE IF YOU ARE POWERING The Pulse Sensor AT LOW VOLTAGE, 
   // AND APPLY THAT VOLTAGE TO THE A-REF PIN
   //analogReference(EXTERNAL);   
}



void loop(){
  if (Serial.available()) {   //检测单片机串口状态
        value = Serial.read();
        if(value=='a'){
          Serial.println("serial hello");
        }
        BT.write(value);//蓝牙模块将数据发送给单片机
    }

    if (BT.available()) {//检测蓝牙模块串口状态
        Serial.print("blue hello + ");
        value = BT.read();
        Serial.println(value);
        if(value=="c"){
          Serial.println("go in");
        }
        Serial.write(value); //单片机将指令发送到蓝牙模块
    }

  sendDataToProcessing('S', Signal);     // send Processing the raw Pulse Sensor data
  if (QS == true){                       // Quantified Self flag is true when arduino finds a heartbeat
        fadeRate = 255;                  // Set 'fadeRate' Variable to 255 to fade LED with pulse
        sendDataToProcessing('B',BPM);   // send heart rate with a 'B' prefix
        sendDataToProcessing('Q',IBI);   // send time between beats with a 'Q' prefix
        QS = false;                      // reset the Quantified Self flag for next time    
     }

  ledFadeToBeat();

  //delay(20);                             //  take a break
  delay(20);
}


void ledFadeToBeat(){
    fadeRate -= 15;                         //  set LED fade value
    fadeRate = constrain(fadeRate,0,255);   //  keep LED fade value from going into negative numbers!
    analogWrite(fadePin,fadeRate);          //  fade LED
  }


void sendDataToProcessing(char symbol, int data ){
    Serial.print(symbol);                // symbol prefix tells Processing what type of data is coming
    Serial.println(data);                // the data to send culminating in a carriage return
  }

///////////////////////////////////////////////////////
//Interrupt.ino
///////////////////////////////////////////////////////

volatile int rate[10];                    // array to hold last ten IBI values
volatile unsigned long sampleCounter = 0;          // used to determine pulse timing
volatile unsigned long lastBeatTime = 0;           // used to find IBI
volatile int P =512;                      // used to find peak in pulse wave, seeded
volatile int T = 512;                     // used to find trough in pulse wave, seeded
volatile int thresh = 512;                // used to find instant moment of heart beat, seeded
volatile int amp = 100;                   // used to hold amplitude of pulse waveform, seeded
volatile boolean firstBeat = true;        // used to seed rate array so we startup with reasonable BPM
volatile boolean secondBeat = false;      // used to seed rate array so we startup with reasonable BPM


void interruptSetup(){     
  // Initializes Timer2 to throw an interrupt every 2mS.
  TCCR2A = 0x02;     // DISABLE PWM ON DIGITAL PINS 3 AND 11, AND GO INTO CTC MODE
  TCCR2B = 0x06;     // DON'T FORCE COMPARE, 256 PRESCALER 
  OCR2A = 0X7C;      // SET THE TOP OF THE COUNT TO 124 FOR 500Hz SAMPLE RATE
  TIMSK2 = 0x02;     // ENABLE INTERRUPT ON MATCH BETWEEN TIMER2 AND OCR2A
  sei();             // MAKE SURE GLOBAL INTERRUPTS ARE ENABLED      
} 


// THIS IS THE TIMER 2 INTERRUPT SERVICE ROUTINE. 
// Timer 2 makes sure that we take a reading every 2 miliseconds
ISR(TIMER2_COMPA_vect){                         // triggered when Timer2 counts to 124
  cli();                                      // disable interrupts while we do this
  Signal = analogRead(pulsePin);              // read the Pulse Sensor 
  sampleCounter += 2;                         // keep track of the time in mS with this variable
  int N = sampleCounter - lastBeatTime;       // monitor the time since the last beat to avoid noise

    //  find the peak and trough of the pulse wave
  if(Signal < thresh && N > (IBI/5)*3){       // avoid dichrotic noise by waiting 3/5 of last IBI
    if (Signal < T){                        // T is the trough
      T = Signal;                         // keep track of lowest point in pulse wave 
    }
  }

  if(Signal > thresh && Signal > P){          // thresh condition helps avoid noise
    P = Signal;                             // P is the peak
  }                                        // keep track of highest point in pulse wave

  //  NOW IT'S TIME TO LOOK FOR THE HEART BEAT
  // signal surges up in value every time there is a pulse
  if (N > 250){                                   // avoid high frequency noise
    if ( (Signal > thresh) && (Pulse == false) && (N > (IBI/5)*3) ){        
      Pulse = true;                               // set the Pulse flag when we think there is a pulse
      digitalWrite(blinkPin,HIGH);                // turn on pin 13 LED
      IBI = sampleCounter - lastBeatTime;         // measure time between beats in mS
      lastBeatTime = sampleCounter;               // keep track of time for next pulse

      if(secondBeat){                        // if this is the second beat, if secondBeat == TRUE
        secondBeat = false;                  // clear secondBeat flag
        for(int i=0; i<=9; i++){             // seed the running total to get a realisitic BPM at startup
          rate[i] = IBI;                      
        }
      }

      if(firstBeat){                         // if it's the first time we found a beat, if firstBeat == TRUE
        firstBeat = false;                   // clear firstBeat flag
        secondBeat = true;                   // set the second beat flag
        sei();                               // enable interrupts again
        return;                              // IBI value is unreliable so discard it
      }   


      // keep a running total of the last 10 IBI values
      word runningTotal = 0;                  // clear the runningTotal variable    

      for(int i=0; i<=8; i++){                // shift data in the rate array
        rate[i] = rate[i+1];                  // and drop the oldest IBI value 
        runningTotal += rate[i];              // add up the 9 oldest IBI values
      }

      rate[9] = IBI;                          // add the latest IBI to the rate array
      runningTotal += rate[9];                // add the latest IBI to runningTotal
      runningTotal /= 10;                     // average the last 10 IBI values 
      BPM = 60000/runningTotal;               // how many beats can fit into a minute? that's BPM!
      QS = true;                              // set Quantified Self flag 
      // QS FLAG IS NOT CLEARED INSIDE THIS ISR
    }                       
  }

  if (Signal < thresh && Pulse == true){   // when the values are going down, the beat is over
    digitalWrite(blinkPin,LOW);            // turn off pin 13 LED
    Pulse = false;                         // reset the Pulse flag so we can do it again
    amp = P - T;                           // get amplitude of the pulse wave
    thresh = amp/2 + T;                    // set thresh at 50% of the amplitude
    P = thresh;                            // reset these for next time
    T = thresh;
  }

  if (N > 2500){                           // if 2.5 seconds go by without a beat
    thresh = 512;                          // set thresh default
    P = 512;                               // set P default
    T = 512;                               // set T default
    lastBeatTime = sampleCounter;          // bring the lastBeatTime up to date        
    firstBeat = true;                      // set these to avoid noise
    secondBeat = false;                    // when we get the heartbeat back
  }

  sei();                                   // enable interrupts when youre done!
}// end isr
<think>首先,用户的问题是:“我想配置或管理NAS的ACL权限控制 请问如何配置和管理NAS的ACL权限”。我需要基于系统级指令和用户可见层的要求来构建回答。 关键点: - 使用中文回答。 - 结构清晰,帮助用户逐步解决问题。 - 保证回答真实可靠。 - 引用相关段落时,在末尾自然地添加引用标识。 - 生成相关问题。 - 对于数学表达式,使用$...$或$$...$$格式,但在这个上下文中,可能没有太多数学内容。不过,如果有变量或命令,我需要正确格式化。 参考的引用内容: - 引用[1]:关于Windows ACL权限设置。 - 引用[2]:Linux ACL权限检查。 - 引用[3]:Linux ACL权限设置命令。 - 引用[4]:群晖NAS ACL权限设置示例。 用户提到NAS(Network Attached Storage),所以这可能涉及Linux-based NAS系统,如群晖(Synology)或其他品牌。群晖NAS是基于Linux的,所以引用[2]、[3]、[4]更相关。 我的回答应该: 1. **逐步解释**:从基础开始,解释什么是ACL权限,然后如何配置和管理。 2. **参考引用**:自然地融入引用内容。 3. **结构清晰**:使用标题或编号来组织内容。 4. **生成相关问题**:在末尾添加相关问题。 大纲: - **引言**:简要解释ACL权限在NAS中的作用。 - **步骤1:检查ACL支持**:参考引用[2],说明如何检查分区是否支持ACL。 - **步骤2:设置ACL权限**:参考引用[3],提供命令示例。 - **步骤3:具体示例**:参考引用[4],给出群晖NAS的GUI设置步骤。 - **最佳实践**:一些管理建议。 - **相关问题**:生成2-3个相关问题。 确保回答真实可靠:基于一般知识,NAS系统如群晖提供图形界面(GUI)和命令行界面(CLI)来管理ACL。群晖使用类似LinuxACL系统。 引用格式:在相关句子末尾添加[^数字],例如:[^2]。 对于数学表达式:如果没有,就不需要。但如果有命令或路径,可以用$...$来突出变量,例如:$getfacl filename$。 最终回答结构: 1. **理解ACL权限**:解释ACL。 2. **配置步骤**: - 对于Linux-based NAS(如群晖): - 检查ACL支持。 - 使用命令设置ACL。 - GUI设置(针对群晖)。 3. **管理建议**:如何维护。 4. **相关问题**。 生成相关问题: - 基于主题,如:如何优化ACL设置ACL权限的常见问题?</think>### 配置和管理NAS的ACL权限控制 ACL(Access Control List)权限是一种细粒度的访问控制机制,允许管理员为特定用户或组设置超出标准文件权限的规则。在NAS(Network Attached Storage)系统中,这常用于实现多用户环境下的精确权限管理,例如在群晖(Synology)等Linux-based NAS设备上。下面我将一步步指导您如何配置和管理ACL权限,确保过程清晰可靠。参考内容主要基于Linux系统(如群晖NAS),并结合相关引用。 #### 1. **理解ACL权限基础** - ACL扩展了标准的Unix权限(如所有者、组、其他),允许为单个用户或组分配特定权限(如读取、写入、执行)。 - 在NAS中,ACL常用于共享文件夹的场景,例如为不同部门设置不同访问级别[^1]。 - 关键概念: - **基本权限**:包括读取($r$)、写入($w$)、执行($x$)。 - **高级权限**:如修改所有者或删除权限,提供更细粒度控制[^1]。 #### 2. **检查ACL支持(前提步骤)** 在配置前,需确认您的NAS分区支持ACL。大多数Linux-based NAS(如群晖)默认启用ACL,但建议验证: - **命令行检查**:通过SSH登录NAS(确保启用SSH服务),运行以下命令: ```bash dumpe2fs -h /dev/sda1 | grep "Default mount options" ``` 如果输出包含 `acl`,表示ACL已启用;否则需手动挂载分区时添加 `acl` 选项[^2]。 - **为什么需要检查**:如果ACL未启用,设置操作会失败。参考[^2],用户需确保分区配置正确。 #### 3. **配置ACL权限的步骤** 配置分为命令行(CLI)和图形界面(GUI)两种方式。群晖NAS推荐使用GUI简化操作,但CLI提供更灵活控制。 - **方式1:使用命令行(CLI) - 适用于高级用户** - **设置ACL权限**:使用 `setfacl` 命令。语法为: ```bash setfacl -m u:用户名:权限 文件路径 # 为用户设置 setfacl -m g:用户组:权限 文件路径 # 为用户组设置 ``` 例如,为用户 `alice` 添加对文件夹 `/share/data` 的读写权限: ```bash setfacl -m u:alice:rw /share/data ``` 选项说明: - `-m`:设定ACL权限。 - `-R`:递归应用(适用于子文件夹)。 - `-d`:设置默认ACL(新创建文件继承权限)[^3]。 - **查看ACL权限**:用 `getfacl` 命令验证: ```bash getfacl /share/data ``` - **删除ACL权限**:例如删除用户 `bob` 的权限: ```bash setfacl -x u:bob /share/data ``` 或删除所有ACL:`setfacl -b /share/data`[^3]。 - **注意事项**:确保用户不属于文件所有者、组或其他标准类别时,才需额外ACL设置[^2]。 - **方式2:使用图形界面(GUI) - 适用于群晖NAS** 群晖的DSM系统提供直观的GUI: 1. **登录DSM**:打开浏览器,输入NAS IP地址,登录管理员账户。 2. **进入共享文件夹设置**: - 打开“控制面板” > “共享文件夹”。 - 选择目标文件夹(如“技术部”),点击“编辑” > “权限”标签。 3. **添加基本权限**: - 在“本地用户”或“本地组”选项卡,添加部门组(如“tech_group”),设置基本权限(读取/写入)。 - 参考[^4],部门成员只能访问自己文件夹(例如,设置“应用于:仅此文件夹”)。 4. **添加高级ACL权限**: - 切换到“高级选项”或“ACL”标签(不同DSM版本可能名称不同)。 - 添加特定用户(如部门主管),设置权限: - 例如,主管需读取所有子文件夹:选择“用户/组”,添加主管账户,勾选“读取”权限。 - **关键设置**:不限制“应用于”选项(即留空或选“此文件夹、子文件夹及文件”),确保主管能递归访问所有内容[^4]。 - 点击“应用”保存。 5. **递归设置**:如果涉及多级文件夹(如“技术部/项目1”),使用“应用于:子文件夹和文件”选项,避免手动重复设置[^4]。 #### 4. **管理ACL权限的最佳实践** - **定期审计**:用 `getfacl` 命令或DSM的权限报告检查ACL设置,防止权限冲突。 - **权限继承**:优先设置默认ACL(`setfacl -d` 或GUI中的“继承”选项),减少维护工作。 - **安全性建议**: - 避免过度授权:只为必要用户添加ACL,参考[^1]的“高级权限”原则。 - 测试权限:用测试账户验证访问是否正常。 - 备份配置:在群晖DSM中,使用“配置备份”功能保存权限设置。 - **常见问题处理**: - **权限不生效**:检查ACL是否启用(步骤2),或用户是否在标准组中[^2]。 - **性能影响**:ACL可能轻微增加系统负载,但NAS设备通常优化良好。 通过以上步骤,您可以在NAS上高效配置和管理ACL权限。如果您使用其他品牌NAS(如QNAP),过程类似,但GUI细节可能不同——建议查阅设备文档。最终,ACL权限能实现如引用[^4]中的场景:部门成员访问受限文件夹,而主管拥有全局读取权限
评论 1
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值