Я купил доску вот так Теперь я хочу подключить датчик температуры к этой плате.
Как прочитать температуру с датчика в c или c ++?
Я пытался написать код, но он не сработает. Я подключаю кабель данных DS18B20 напрямую к контактам TXD и RXD.
#include <iostream>
#include <cstdlib>
#include <cstdio>
#include <unistd.h>
#include <fcntl.h>
#include <termios.h>
#include <cstring>
#include <inttypes.h>
#include <errno.h>
int
set_interface_attribs (int fd, int speed, int parity)
{
struct termios tty;
memset (&tty, 0, sizeof tty);
if (tcgetattr (fd, &tty) != 0)
{
std::cout<<"error "<<errno<<" from tcgetattr";
return -1;
}
cfsetospeed (&tty, speed);
cfsetispeed (&tty, speed);
tty.c_cflag = (tty.c_cflag & ~CSIZE) | CS8; // 8-bit chars
// disable IGNBRK for mismatched speed tests; otherwise receive break
// as \000 chars
tty.c_iflag &= ~IGNBRK; // ignore break signal
tty.c_lflag = 0; // no signaling chars, no echo,
// no canonical processing
tty.c_oflag = 0; // no remapping, no delays
tty.c_cc[VMIN] = 0; // read doesn't block
tty.c_cc[VTIME] = 5; // 0.5 seconds read timeout
tty.c_iflag &= ~(IXON | IXOFF | IXANY); // shut off xon/xoff ctrl
tty.c_cflag |= (CLOCAL | CREAD);// ignore modem controls,
// enable reading
tty.c_cflag &= ~(PARENB | PARODD); // shut off parity
tty.c_cflag |= parity;
tty.c_cflag &= ~CSTOPB;
tty.c_cflag &= ~CRTSCTS;
if (tcsetattr (fd, TCSANOW, &tty) != 0)
{
std::cout<<"error "<<errno<<" from tcsetattr";
return -1;
}
return 0;
}
void
set_blocking (int fd, int should_block)
{
struct termios tty;
memset (&tty, 0, sizeof tty);
if (tcgetattr (fd, &tty) != 0)
{
std::cout<<"error "<<errno<<" from tggetattr";
return;
}
tty.c_cc[VMIN] = should_block ? 1 : 0;
tty.c_cc[VTIME] = 5; // 0.5 seconds read timeout
if (tcsetattr (fd, TCSANOW, &tty) != 0)
std::cout<<"error "<<errno<<" setting term attributes";
}
int main()
{
char *portname = "/dev/ttyUSB0";
int tty_fd = open (portname, O_RDWR | O_NOCTTY | O_SYNC);
if (tty_fd < 0)
{
std::cout<<"error "<<errno<<" opening "<<portname<<": "<< strerror (errno);
return -1;
}
set_interface_attribs (tty_fd, B9600, 0); // set speed to 115,200 bps, 8n1 (no parity)
set_blocking (tty_fd, true);
unsigned char c = 0xCC;
if(!write(tty_fd, &c, sizeof(c)))
std::cout<<"Write error";
sleep(2);
unsigned char buffer[8];
int size;
if((size = read(tty_fd, &buffer, 8)) < 0)
std::cout<<"Error";
else
std::cout<<"CC("<<size<<")='"<<buffer<<"'";
std::cout<<"\n";
c = 0x44;
if(!write(tty_fd, &c, sizeof(c)))
std::cout<<"Write error2";
c = 0xBE;
if(!write(tty_fd, &c, sizeof(c)))
std::cout<<"Write error2";
sleep(2);
if((size = read(tty_fd, &buffer, 8)) < 0)
std::cout<<"Error";
else
std::cout<<"BE("<<size<<")='"<<buffer<<"'";
std::cout<<"\n######################\n";
close(tty_fd);
}
Я получил:
CC(1)='Č@'
BE(2)='@ž@'
######################
CC(1)='Č@'
BE(2)='@ž@'
######################
CC(1)='Č@'
BE(2)='@ž@'
######################
Вы можете мне помочь?
Вы не можете сделать это с любой программного обеспечения. DS18B20 электрически несовместим с вашей платой. Датчик использует однопроводную схему связи с открытым коллектором, которая полностью отличается от последовательного протокола, обычно используемого с этой платой. С большим трудом вы могли бы сделать некоторые побитовые сигналы RTS / CTS, но вам нужна схема, чтобы объединить их в двунаправленный сигнал с открытым коллектором.
Вы можете взломать UART для связи по 1-проводному протоколу.
Подключите Rx к Tx и добавьте 4.7 подтягивающий резистор
Смотрите примечание к заявке от Максима:
http://www.maximintegrated.com/en/app-notes/index.mvp/id/214
Как указывает user3804701, действительно возможно обмениваться данными с устройством 1-Wire, используя интерфейс UART, и примечание по применению на https://www.maximintegrated.com/en/app-notes/index.mvp/id/214 содержит всю информацию, необходимую для его работы.
Но код OP требует нескольких исправлений:
Итак, вкратце, для получения выборки температуры из DS18B20 необходимо выполнить следующие шаги: сброс, запись 0xCC, запись 0x44, ожидание преобразования, сброс, запись 0xCC, запись 0xBE, чтение 9 байтов.
Пример кода, который реализует этот материал, доступен по адресу https://github.com/dword1511/onewire-over-uart.