arduino ds18b20和lcd1602连接
时间: 2023-09-28 09:13:19 浏览: 97
连接步骤如下:
1. 将 DS18B20 温度传感器的 VCC 引脚连接到 Arduino 板的 5V 引脚上,将 GND 引脚连接到 Arduino 板的 GND 引脚上,将 DATA 引脚连接到 Arduino 板的数字引脚上(比如 D2 引脚)。
2. 将 LCD1602 液晶显示屏的 VSS 引脚连接到 Arduino 板的 GND 引脚上,将 VCC 引脚连接到 Arduino 板的 5V 引脚上,将 V0 引脚连接到一个可变电阻的中间引脚上,将 RS 引脚连接到 Arduino 板的数字引脚上(比如 D3 引脚),将 RW 引脚连接到 Arduino 板的 GND 引脚上,将 E 引脚连接到 Arduino 板的数字引脚上(比如 D4 引脚),将 D4-D7 引脚分别连接到 Arduino 板的数字引脚上(比如 D5-D8 引脚)。
3. 在 Arduino IDE 中安装并打开 OneWire 和 LiquidCrystal 库。
4. 编写代码,通过 OneWire 库读取 DS18B20 温度传感器的温度值,再通过 LiquidCrystal 库将温度值显示在 LCD1602 液晶显示屏上。
下面是一个简单的示例代码:
```
#include <OneWire.h>
#include <LiquidCrystal.h>
#define ONE_WIRE_BUS 2 // DS18B20 DATA 引脚连接到 D2 引脚上
OneWire oneWire(ONE_WIRE_BUS);
LiquidCrystal lcd(3, 4, 5, 6, 7, 8); // RS、E、D4-D7 引脚连接到 D3-D8 引脚上
void setup() {
lcd.begin(16, 2); // 初始化 LCD1602 液晶显示屏,设置行数和列数
lcd.print("Temperature:"); // 在第一行第一列显示“Temperature:”文本
}
void loop() {
float temperature = getTemperature(); // 读取 DS18B20 温度传感器的温度值
lcd.setCursor(0, 1); // 将光标移到第二行第一列
lcd.print(temperature); // 在 LCD1602 液晶显示屏上显示温度值
lcd.print("C"); // 在温度值后面显示“C”符号
delay(1000); // 延迟 1 秒
}
float getTemperature() {
byte data[2];
float temperature = 0;
oneWire.reset(); // 发送复位信号
oneWire.write(0xCC); // 跳过 ROM,直接发命令
oneWire.write(0x44); // 启动温度转换
delay(800); // 等待转换完成
oneWire.reset();
oneWire.write(0xCC);
oneWire.write(0xBE); // 读取温度值
for (int i = 0; i < 2; i++) {
data[i] = oneWire.read();
}
temperature = ((data[1] << 8) | data[0]) * 0.0625; // 计算温度值
return temperature;
}
```
阅读全文