第四个按钮二进制转换不起作用

问题描述 投票:0回答:1

我正在浏览 Sparkfun 的发明家套件,特别是围绕数字小号的。为了扩展该项目,我添加了第四个按钮,并尝试将按下的按钮转换为二进制数,以便通过 4 个按钮为自己提供 16 个音符。这是我的代码:

using namespace std;

//set the pins for the button and buzzer
int firstKeyPin = 2;
int secondKeyPin = 3;
int thirdKeyPin = 4;
int fourthKeyPin = 7;

int buzzerPin = 10;

void setup() {
  Serial.begin(9600);           //start a serial connection with the computer
  
  //set the button pins as inputs
  pinMode(firstKeyPin, INPUT_PULLUP);
  pinMode(secondKeyPin, INPUT_PULLUP);
  pinMode(thirdKeyPin, INPUT_PULLUP);
  pinMode(fourthKeyPin, INPUT_PULLUP);


  //set the buzzer pin as an output
  pinMode(buzzerPin, OUTPUT);
}

void loop() {
  auto toneTot = 0b0;
  
  if (digitalRead(firstKeyPin) == LOW) {
    tone(buzzerPin, 262);                     //play the frequency for c
    toneTot |= 1;
  }
  if (digitalRead(secondKeyPin) == LOW) {
    tone(buzzerPin, 330);                     //play the frequency for e
    toneTot |= 10;
  }
  if (digitalRead(thirdKeyPin) == LOW) { //if the third key is pressed
    tone(buzzerPin, 392);                     //play the frequency for g
    toneTot |= 100;
  }
  if (digitalRead(fourthKeyPin) == LOW) { //if the fourth key is pressed
    tone(buzzerPin, 494);
    toneTot |= 1000;
  }

  Serial.println("Binary collected");
  Serial.println(String(toneTot));
}

总的来说,除了第四个按钮的行为之外,它工作得非常好。我尝试过移动按钮、切换引脚等,但它会继续工作,因此当按下第四个按钮而不是像

1001
1010
1011
等值时,它会像
1002 一样出现
1004

c++ arduino binary-operators sparkfun
1个回答
0
投票

这里:

  toneTot |= 10;

您正在向

toneTot
写入 10 十进制,这意味着您不仅像您预期的那样设置了位 1。 10d 类似于 0b00001010,因此您要设置位 3 位 1。将其切换为:

toneTot |= 0x02;

toneTot |= 0b00000010;

仅设置位 1。

对于

toneTot
中设置的其他位也有同样的想法。

© www.soinside.com 2019 - 2024. All rights reserved.