Linux는 직렬 포트를 통해 전송하려고 할 때 줄 끝 문자 (0x0A 및 0x0D)와 같은 것들을 종종 mangle 처리합니다. 실제로 이진 데이터이고 줄 끝 문자로 사용되지 않는 경우 문제가 발생할 수 있습니다.
다음은 올바르게 직렬 포트를 구성한 다음 몇 바이트를 보내고받는 방법을 보여주는 스 니펫 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 * ** (a) **가 비표준 (일명 * raw *) 모드로 올바르게 구성되어 있고 ** (b) **에 소프트웨어 흐름 제어가 비활성화되어 있어야합니다. 너는 상세하지 않다. 이 데이터 전송을 수행하기 위해 어떤 소프트웨어를 사용하고 있습니까? 포트를 제대로 구성하지 않는 이유는 무엇입니까? – sawdust
'stty -F/dev/ttyACM0 raw'가 작동 할 수도 있습니다 (전송 프로그램이이 속성을 구성하지 않을 경우). 'raw' 매개 변수 앞에 하이픈이 없다는 것에주의하십시오. 스위치가 아닌 매개 변수 설정입니다. '-raw'를 입력하면이 명령의 목적이 무효화됩니다. – sawdust
나는 어떤 소프트웨어도 가지고 있지 않다. 나는 바이트를 쓰기 위해/dev/ttyACMx에 echo -ne "\ xXY"를 사용하고 포트에서 읽기 위해 파일을 로그하기 위해 cat/dev/ttyACM을 사용한다. 수신 된 데이터를 보려면 xxd를 통해 로그 파일을 엽니 다. 설정은 stty에 의해 수행됩니다. 원시 매개 변수가 솔루션 일 수 있다고 생각합니다. 감사합니다. – JirkaRCK