通过串口读取值

时间:2013-12-02 22:48:20

标签: c serial-port arduino arduino-ide

我正在开发一个涉及通过串口从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

...等

然后,我有一个用C语言编写的程序,使用XCode将这些值读取为float数据类型。但是,在终端中运行程序时,程序似乎卡住了(没有读取值,我必须使用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;
}

1 个答案:

答案 0 :(得分: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个字节 - 每行可能有不同的字节数。第二个错误是尝试将char格式化为float。即使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;

}