1

我正在从事一个项目,该项目涉及通过串行端口从 Arduino Uno 读取数据。在 Arduino IDE 中,我观察到我成功地通过串行端口以以下格式打印值:

  Serial.print(x, DEC);
  Serial.print(' ');
  Serial.print(y, DEC);
  Serial.print(' ');
  Serial.println(z, DEC);

例如:

2 4 -41

4 8 -32

10 5 -50

...ETC。

然后,我有一个用 C 语言编写的程序,使用 XCode 将这些值读取为浮点数据类型。但是,在终端中运行程序时,程序似乎卡住了(没有读取任何值,我必须使用 ctrl+C 退出)。

有什么想法我可能做错了吗?下面是我的代码。到目前为止,我只是使用一个 for 循环来测试我是否真的在读取这些值。如果您需要更多信息,请与我们联系。谢谢你的帮助。

#include <stdio.h>
#include <ApplicationServices/ApplicationServices.h>
#include <string.h>
#include <unistd.h>
#include <fcntl.h>

// buffer for data
float buffer[100];

int main(int argc, const char* argv[])
{

    // open serial port
    int port;

    port = open("/dev/tty.usbmodem1411", O_RDONLY);
    if (port == -1)
    {
        printf("Unable to open serial port.");
    }

    // testing read of data

    fcntl(port, F_SETFL, FNDELAY);

    for (int i = 0; i < 10; i++)
    {

        read(port, buffer, 12);       
        printf("%.2f %.2f %.2f\n", buffer[3*i], buffer[3*i+1], buffer[3*i+2]);
    }

    // close serial port
    close(port);

    return 0;
}
4

1 回答 1

0

你在尝试什么

    read(port, buffer, 12);       
    printf("%.2f %.2f %.2f\n", buffer[3*i], buffer[3*i+1], buffer[3*i+2]);

???buffer将包含字符串数据,如下所示(不是浮点数):

{'2', ' ', '4', '0', ' ', '-', '4', '1', 0x0D, 0x0A, '4', ' ', '8'}
//0    1    2    2    3    4    5    6     7     8    9    10   11

您的第一个错误是准确读取 12 个字节 - 每行可能有不同的字节数。第二个错误是试图将 a 格式化charfloat. 甚至printf可能会得到无效数据,因为它需要 3 个浮点数并且您正在提供 3 个字符。

所以,你需要解析你的输入数据!一些方向:

#include <stdio.h>

float input[3];

int main(int argc, const char* argv[]) {
    FILE *port;
    port=fopen("/dev/tty.usbmodem1411", "r"); //fopen instead, in order to use formatted I/O functions
    if (port==NULL) {
        printf("Unable to open serial port.");
        return 1; //MUST terminate execution here!
    }
    for (int i = 0; i < 10; i++) {
        fscanf(, "%f %f %f", &input[0], &input[1], &input[2]);
        printf("%.2f %.2f %.2f\n", input[0], input[1], input[2]);
    }
    fclose(port);
    return 0;

}
于 2013-12-03T10:11:58.070 回答