-2

我是 c 编程的新手,正在尝试比较 IR HEX 字符串。我收到错误:左值需要作为赋值的左操作数。

我觉得我的问题在第 31 行左右。这是代码:

/* IRremote: IRrecvDemo - demonstrates receiving IR codes with IRrecv
* An IR detector/demodulator must be connected to the input RECV_PIN.
* Version 0.1 July, 2009
* Copyright 2009 Ken Shirriff
* http://arcfn.com
*/

#include <IRremote.h>

int RECV_PIN = 11;
IRrecv irrecv(RECV_PIN);
decode_results results;
String  stringAppleUp;  



void setup()
 {

  Serial.begin(9600);
  irrecv.enableIRIn(); // Start the receiver
 }

void loop() {

if (irrecv.decode(&results)) {
  Serial.println(results.value, HEX);
  Serial.println ("See it");
  stringAppleUp = string('77E150BC');  //apple remote up button

if (    ????        = stringAppleUp)  {
  Serial.println("yes");
  }
else
  {
  Serial.println("No");
  }
irrecv.resume(); // Receive the next value
  }
}

这条线: if (??? = stringAppleUp) 我不知道应该把什么变量放在 ??? 是。

谢谢您的帮助。将要

4

1 回答 1

6

你在考虑目标。第一个 results.value 返回一个 uint32_t,而不是字符串。其次,“字符串”与字符数组(又名“字符串”)不同。注意大写的 S。

stringAppleUp = String('77E150BC');

那么你可以

String Foo = String('bar');
if (Foo == stringAppleUp ) {
...

Foo 是您要测试的内容。注意“==”的测试与“=”的分配

或者

char foo[] = "12345678";
if (strcmp(stringAppleUp, foo)) {
...

你可以在这里找到数组的 strcmp

最后,HEX 不是字符串,而是整数。只需测试 results.value。反对另一个整数。

#include <IRremote.h>

int RECV_PIN = 11;
IRrecv irrecv(RECV_PIN);
decode_results results;

void setup()
{

  Serial.begin(9600);
  irrecv.enableIRIn(); // Start the receiver
}

void loop() {

  if (irrecv.decode(&results)) {
    Serial.print(F("result = 0x"));
    Serial.println(results.value, HEX);

    if (results.value == 0x77E150BC)  {
      Serial.println("yes");
    }
    else {
      Serial.println("No");
    }
    irrecv.resume(); // Receive the next value
  }
}
于 2013-02-28T02:20:52.710 回答