Linux會經常裂傷之類的行結束符字符(0x0A和0X0D)。
這裏是一個片段from Pololu,顯示如何正確地配置您的串行端口,然後發送和接收幾個字節。特別注意調用tcsetattr
的部分。
#include <fcntl.h>
#include <stdio.h>
#include <unistd.h>
#ifdef _WIN32
#define O_NOCTTY 0
#else
#include <termios.h>
#endif
// Gets the position of a Maestro channel.
// See the "Serial Servo Commands" section of the user's guide.
int maestroGetPosition(int fd, unsigned char channel)
{
unsigned char command[] = {0x90, channel};
if(write(fd, command, sizeof(command)) == -1)
{
perror("error writing");
return -1;
}
unsigned char response[2];
if(read(fd,response,2) != 2)
{
perror("error reading");
return -1;
}
return response[0] + 256*response[1];
}
// Sets the target of a Maestro channel.
// See the "Serial Servo Commands" section of the user's guide.
// The units of 'target' are quarter-microseconds.
int maestroSetTarget(int fd, unsigned char channel, unsigned short target)
{
unsigned char command[] = {0x84, channel, target & 0x7F, target >> 7 & 0x7F};
if (write(fd, command, sizeof(command)) == -1)
{
perror("error writing");
return -1;
}
return 0;
}
int main()
{
const char * device = "/dev/ttyACM0"; // Linux
int fd = open(device, O_RDWR | O_NOCTTY);
if (fd == -1)
{
perror(device);
return 1;
}
#ifdef _WIN32
_setmode(fd, _O_BINARY);
#else
struct termios options;
tcgetattr(fd, &options);
options.c_iflag &= ~(INLCR | IGNCR | ICRNL | IXON | IXOFF);
options.c_oflag &= ~(ONLCR | OCRNL);
options.c_lflag &= ~(ECHO | ECHONL | ICANON | ISIG | IEXTEN);
tcsetattr(fd, TCSANOW, &options);
#endif
int position = maestroGetPosition(fd, 0);
printf("Current position is %d.\n", position);
int target = (position < 6000) ? 7000 : 5000;
printf("Setting target to %d (%d us).\n", target, target/4);
maestroSetTarget(fd, 0, target);
close(fd);
return 0;
}
您可能可以使用stty
命令行實用程序做同樣的事情。
你只需要確保*的termios * **(一)**正確配置了非規範(又名*生*)模式,和**(B)**有軟件流量控制禁用。你根本不詳細;你用什麼軟件來執行這個數據傳輸?爲什麼它沒有正確配置端口? – sawdust
'stty -F/dev/ttyACM0 raw'可能會起作用(如果傳輸程序不是在配置這些屬性)。請注意'raw'參數之前沒有連字符。這是一個參數設置而不是開關。如果你輸入'-raw',那麼你會否定這個命令的目的。 – sawdust
我沒有任何軟件,我使用echo -ne「\ XXY」到/ dev/ttyACMx的寫字節和貓的/ dev/ttyACM記錄從端口讀取文件。爲了查看收到的數據,我通過xxd打開我的日誌文件。設置由stty完成。 我認爲原始參數可能是解決方案,謝謝! – JirkaRCK