Learn how to publish DS18B20 temperature readings via MQTT with the ESP8266 (NodeMCU) to any platform that supports MQTT or any other MQTT client. As an example, we’ll publish sensor readings to Node-RED Dashboard and the ESP8266 will be programmed using Arduino IDE.

Recommended reading: What is MQTT and How It Works
Project Overview
The following diagram shows a high-level overview of the project we’ll build.

- The ESP8266 requests temperature readings from the DS18B20 sensor. The readings are published in the esp/ds18b20/temperature topic;
- Node-RED is subscribed to the esp/ds18b20/temperature topic. So, it receives the DS18B20 temperature readings and displays the readings in a gauge/chart;
- You can receive the readings in any other platform that supports MQTT and handle the readings as you want.
Prerequisites
Before proceeding with this tutorial, make sure you check the following prerequisites.
Arduino IDE
We’ll program the ESP8266 using Arduino IDE, so make sure you have the ESP8266 add-on installed.
MQTT Broker

To use MQTT, you need a broker. We’ll be using Mosquitto broker installed on a Raspberry Pi. Read How to Install Mosquitto Broker on Raspberry Pi.
You can use any other MQTT broker, including a cloud MQTT broker. We’ll show you how to do that in the code later on.
If you’re not familiar with MQTT make sure you read our introductory tutorial: What is MQTT and How It Works.
MQTT Libraries
To use MQTT with the ESP8266 we’ll use the Async MQTT Client Library.
Installing the Async MQTT Client Library
- Click here to download the Async MQTT client library. You should have a .zip folder in your Downloads folder
- Unzip the .zip folder and you should get async-mqtt-client-master folder
- Rename your folder from async-mqtt-client-masterto async_mqtt_client
- Move the async_mqtt_client folder to your Arduino IDE installation libraries folder
- Finally, re-open your Arduino IDE
Alternatively, you can go to Sketch > Include Library > Add . ZIP library and select the library you’ve just downloaded.
Installing the ESPAsync TCP Library
To use MQTT with the ESP, you also need the ESPAsync TCP library.
- Click here to download the ESPAsync TCP client library. You should have a .zip folder in your Downloads folder
- Unzip the .zip folder and you should get ESPAsyncTCP-master folder
- Rename your folder from ESPAsyncTCP-masterto ESPAsyncTCP
- Move the ESPAsyncTCP folder to your Arduino IDE installation libraries folder
- Finally, re-open your Arduino IDE
Alternatively, you can go to Sketch > Include Library > Add . ZIP library and select the library you’ve just downloaded.
DS18B20 Temperature Sensor Libraries
To interface with the DS18B20 temperature sensor, you need to install the One Wire library by Paul Stoffregen and the Dallas Temperature library. Follow the next steps to install those libraries.
1. Open your Arduino IDE and go to Sketch > Include Library > Manage Libraries. The Library Manager should open.
2. Type “onewire” in the search box and install OneWire library by Paul Stoffregen.

3. Then, search for “Dallas” and install DallasTemperature library by Miles Burton.

After installing the libraries, restart your Arduino IDE.
To learn more about the DS18B20 temperature sensor, read our guide: ESP8266 DS18B20 Temperature Sensor with Arduino IDE (Single, Multiple, Web Server)
Parts Required
For this tutorial you need the following parts:
- ESP8266 (read Best ESP8266 development boards comparison)
- DS18B20 Temperature Sensor – DS18B20 with ESP8266 Guide
- 4.7k Ohm resistor
- Raspberry Pi board (read Best Raspberry Pi Starter Kits)
- MicroSD Card – 16GB Class10
- Raspberry Pi Power Supply (5V 2.5A)
- Jumper wires
- Breadboard
You can use the preceding links or go directly to MakerAdvisor.com/tools to find all the parts for your projects at the best price!
Schematic Diagram
Wire the DS18B20 to the ESP8266 as shown in the following schematic diagram with the DS18B20 data pin connected to GPIO 4 (D2).

Code
Copy the following code to your Arduino IDE. To make it work for you, you need to insert your network credentials as well as the MQTT broker details.
/*
  Rui Santos
  Complete project details at https://RandomNerdTutorials.com/esp8266-nodemcu-mqtt-publish-ds18b20-arduino/
  
  Permission is hereby granted, free of charge, to any person obtaining a copy
  of this software and associated documentation files.
  
  The above copyright notice and this permission notice shall be included in all
  copies or substantial portions of the Software.
*/
#include <OneWire.h>
#include <DallasTemperature.h>
#include <ESP8266WiFi.h>
#include <Ticker.h>
#include <AsyncMqttClient.h>
#define WIFI_SSID "REPLACE_WITH_YOUR_SSID"
#define WIFI_PASSWORD "REPLACE_WITH_YOUR_PASSWORD"
// Raspberri Pi Mosquitto MQTT Broker
#define MQTT_HOST IPAddress(192, 168, 1, XXX)
// For a cloud MQTT broker, type the domain name
//#define MQTT_HOST "example.com"
#define MQTT_PORT 1883
// Temperature MQTT Topics
#define MQTT_PUB_TEMP "esp/ds18b20/temperature"
// GPIO where the DS18B20 is connected to
const int oneWireBus = 4;          
// Setup a oneWire instance to communicate with any OneWire devices
OneWire oneWire(oneWireBus);
// Pass our oneWire reference to Dallas Temperature sensor 
DallasTemperature sensors(&oneWire);
// Temperature value
float temp;
AsyncMqttClient mqttClient;
Ticker mqttReconnectTimer;
WiFiEventHandler wifiConnectHandler;
WiFiEventHandler wifiDisconnectHandler;
Ticker wifiReconnectTimer;
unsigned long previousMillis = 0;   // Stores last time temperature was published
const long interval = 10000;        // Interval at which to publish sensor readings
void connectToWifi() {
  Serial.println("Connecting to Wi-Fi...");
  WiFi.begin(WIFI_SSID, WIFI_PASSWORD);
}
void onWifiConnect(const WiFiEventStationModeGotIP& event) {
  Serial.println("Connected to Wi-Fi.");
  connectToMqtt();
}
void onWifiDisconnect(const WiFiEventStationModeDisconnected& event) {
  Serial.println("Disconnected from Wi-Fi.");
  mqttReconnectTimer.detach(); // ensure we don't reconnect to MQTT while reconnecting to Wi-Fi
  wifiReconnectTimer.once(2, connectToWifi);
}
void connectToMqtt() {
  Serial.println("Connecting to MQTT...");
  mqttClient.connect();
}
void onMqttConnect(bool sessionPresent) {
  Serial.println("Connected to MQTT.");
  Serial.print("Session present: ");
  Serial.println(sessionPresent);
}
void onMqttDisconnect(AsyncMqttClientDisconnectReason reason) {
  Serial.println("Disconnected from MQTT.");
  if (WiFi.isConnected()) {
    mqttReconnectTimer.once(2, connectToMqtt);
  }
}
/*void onMqttSubscribe(uint16_t packetId, uint8_t qos) {
  Serial.println("Subscribe acknowledged.");
  Serial.print("  packetId: ");
  Serial.println(packetId);
  Serial.print("  qos: ");
  Serial.println(qos);
}
void onMqttUnsubscribe(uint16_t packetId) {
  Serial.println("Unsubscribe acknowledged.");
  Serial.print("  packetId: ");
  Serial.println(packetId);
}*/
void onMqttPublish(uint16_t packetId) {
  Serial.print("Publish acknowledged.");
  Serial.print("  packetId: ");
  Serial.println(packetId);
}
void setup() {
  sensors.begin();
  Serial.begin(115200);
  Serial.println();
  
  wifiConnectHandler = WiFi.onStationModeGotIP(onWifiConnect);
  wifiDisconnectHandler = WiFi.onStationModeDisconnected(onWifiDisconnect);
  mqttClient.onConnect(onMqttConnect);
  mqttClient.onDisconnect(onMqttDisconnect);
  //mqttClient.onSubscribe(onMqttSubscribe);
  //mqttClient.onUnsubscribe(onMqttUnsubscribe);
  mqttClient.onPublish(onMqttPublish);
  mqttClient.setServer(MQTT_HOST, MQTT_PORT);
  // If your broker requires authentication (username and password), set them below
  //mqttClient.setCredentials("REPlACE_WITH_YOUR_USER", "REPLACE_WITH_YOUR_PASSWORD");
  
  connectToWifi();
}
void loop() {
  unsigned long currentMillis = millis();
  // Every X number of seconds (interval = 10 seconds) 
  // it publishes a new MQTT message
  if (currentMillis - previousMillis >= interval) {
    // Save the last time a new reading was published
    previousMillis = currentMillis;
    // New temperature readings
    sensors.requestTemperatures(); 
    // Temperature in Celsius degrees
    temp = sensors.getTempCByIndex(0);
    // Temperature in Fahrenheit degrees
    //temp = sensors.getTempFByIndex(0);
    
    // Publish an MQTT message on topic esp/ds18b20/temperature
    uint16_t packetIdPub1 = mqttClient.publish(MQTT_PUB_TEMP, 1, true, String(temp).c_str());                            
    Serial.printf("Publishing on topic %s at QoS 1, packetId: %i ", MQTT_PUB_TEMP, packetIdPub1);
    Serial.printf("Message: %.2f \n", temp);
  }
}
How the Code Works
The following section imports all the required libraries.
#include <OneWire.h>
#include <DallasTemperature.h>
#include <ESP8266WiFi.h>
#include <Ticker.h>
#include <AsyncMqttClient.h>Include your network credentials on the following lines.
#define WIFI_SSID "REPLACE_WITH_YOUR_SSID"
#define WIFI_PASSWORD "REPLACE_WITH_YOUR_PASSWORD"Insert the Raspberry Pi IP address, so that the ESP8266 connects to your broker.
#define MQTT_HOST IPAddress(192, 168, 1, 106)If you’re using a cloud MQTT broker, insert the broker domain name, for example:
#define MQTT_HOST "example.com"Define the MQTT port.
#define MQTT_PORT 1883We’ll publish the temperature on the esp/ds18b20/temperature topic. If you want to change the topic, change it on the following line.
#define MQTT_PUB_TEMP "esp/ds18b20/temperature"You can create more topics if you want.
Setup your DS18B20 on the following lines. In our case, it is connected to GPIO 4. You can connect it to any other GPIO.
// GPIO where the DS18B20 is connected to
const int oneWireBus = 4;
// Setup a oneWire instance to communicate with any OneWire devices
OneWire oneWire(oneWireBus);
// Pass our oneWire reference to Dallas Temperature sensor
DallasTemperature sensors(&oneWire);The temp variable will hold the temperature value from the DS18B20 temperature sensor.
float temp;Create an AsyncMqttClient object called mqttClient to handle the MQTT client and timers to reconnect to your MQTT broker and router when it disconnects.
AsyncMqttClient mqttClient;
Ticker mqttReconnectTimer;
WiFiEventHandler wifiConnectHandler;
WiFiEventHandler wifiDisconnectHandler;
Ticker wifiReconnectTimer;Then, create some auxiliary timer variables to publish the readings every 10 seconds. You can change the delay time on the interval variable.
unsigned long previousMillis = 0;  // Stores last time temperature was published
const long interval = 10000;       // Interval at which to publish sensor readingsMQTT functions: connect to Wi-Fi, connect to MQTT, and Wi-Fi events
We haven’t added any comments to the functions defined in the next code section. Those functions come with the Async Mqtt Client library. The function’s names are pretty self-explanatory.
For example, the connectToWifi() connects your ESP8266 to your router:
void connectToWifi() {
  Serial.println("Connecting to Wi-Fi...");
  WiFi.begin(WIFI_SSID, WIFI_PASSWORD);
}The connectToMqtt() connects your ESP8266 to your MQTT broker:
void connectToMqtt() {
  Serial.println("Connecting to MQTT...");
  mqttClient.connect();
}The onMqttConnect() function runs after starting a session with the broker.
void onMqttConnect(bool sessionPresent) {
  Serial.println("Connected to MQTT.");
  Serial.print("Session present: ");
  Serial.println(sessionPresent);
}MQTT functions: disconnect and publish
If the ESP8266 loses connection with the MQTT broker, calls the onMqttDisconnect function that prints that message in the serial monitor.
void onMqttDisconnect(AsyncMqttClientDisconnectReason reason) {
  Serial.println("Disconnected from MQTT.");
  if (WiFi.isConnected()) {
    mqttReconnectTimer.once(2, connectToMqtt);
  }
}When you publish a message to an MQTT topic, the onMqttPublish() function is called. It prints the packet id in the Serial Monitor.
void onMqttPublish(uint16_t packetId) {
  Serial.print("Publish acknowledged.");
  Serial.print("  packetId: ");
  Serial.println(packetId);
}Basically, all these functions that we’ve just mentioned are callback functions. So, they are executed asynchronously.
setup()
Now, let’s proceed to the setup(). Initialize the DS18B20 sensor and start the serial communication.
sensors.begin();
Serial.begin(115200);The next two lines create handlers that will allow both the MQTT broker and Wi-Fi connection to reconnect, in case the connection is lost.
wifiConnectHandler = WiFi.onStationModeGotIP(onWifiConnect);
wifiDisconnectHandler = WiFi.onStationModeDisconnected(onWifiDisconnect);Finally, assign all the callbacks functions. This means that these functions will be executed automatically when needed. For example, when the ESP8266 connects to the broker, it automatically calls the onMqttConnect() function, and so on.
mqttClient.onConnect(onMqttConnect);
mqttClient.onDisconnect(onMqttDisconnect);
//mqttClient.onSubscribe(onMqttSubscribe);
//mqttClient.onUnsubscribe(onMqttUnsubscribe);
mqttClient.onPublish(onMqttPublish);
mqttClient.setServer(MQTT_HOST, MQTT_PORT);Broker Authentication
If your broker requires authentication, uncomment the following line and insert your credentials (username and password).
mqttClient.setCredentials("REPlACE_WITH_YOUR_USER", "REPLACE_WITH_YOUR_PASSWORD");Finally, connect to Wi-Fi.
connectToWifi();loop()
In the loop(), you create a timer that will allow you to publish new temperature readings in the esp/d18b20/temperature topic every 10 seconds.
unsigned long currentMillis = millis();
// Every X number of seconds (interval = 10 seconds) 
// it publishes a new MQTT message
if (currentMillis - previousMillis >= interval) {
  // Save the last time a new reading was published
  previousMillis = currentMillis;
  // New temperature readings
  sensors.requestTemperatures(); 
  // Temperature in Celsius degrees
  temp = sensors.getTempCByIndex(0);If you prefer the temperature in Fahrenheit, uncomment the following line:
//temp = sensors.getTempFByIndex(0);Learn more about the DS18B20 temperature sensor: ESP8266 DS18B20 Temperature Sensor with Arduino IDE (Single, Multiple, Web Server).
Publishing to topics
To publish a message on an MQTT topic, use the next line:
uint16_t packetIdPub1 = mqttClient.publish(MQTT_PUB_TEMP, 1, true, String(temp).c_str());If you would like to publish more readings on different topics, you can duplicate this previous line the loop().
Basically, use the publish() method on the mqttClient object to publish data on a topic. The publish() method accepts the following arguments, in order:
- MQTT topic (const char*)
- QoS (uint8_t): quality of service – it can be 0, 1 or 2
- retain flag (bool): retain flag
- payload (const char*)
The QoS (quality of service) is a way to guarantee that the message is delivered. It can be one of the following levels:
- 0: the message will be delivered once or not at all. The message is not acknowledged. There is no possibility of duplicated messages;
- 1: the message will be delivered at least once, but may be delivered more than once;
- 2: the message is always delivered exactly once;
- Learn about MQTT QoS.
Uploading the code
With your Raspberry Pi powered on and running the Mosquitto MQTT broker, upload the code to your ESP8266.
Open the Serial Monitor at a baud rate of 115200 and you’ll see that the ESP8266 starts publishing messages.

Preparing Node-RED Dashboard
The ESP8266 is publishing temperature readings every 10 seconds on the esp/ds18b20/temperature topic. Now, you can use any dashboard that supports MQTT or any other device that supports MQTT to subscribe to that topic and receive the readings.
As an example, we’ll create a simple flow using Node-RED to subscribe to that topic and display the readings on a gauge or chart.
If you don’t have Node-RED installed, follow the next tutorials:
Having Node-RED running on your Raspberry Pi, go to your Raspberry Pi IP address followed by :1880.
http://raspberry-pi-ip-address:1880The Node-RED interface should open. Drag an MQTT in node, a chart node and a gauge node to the flow.

Click the MQTT node and edit its properties as follows:

The Server field refers to the MQTT broker. In our case, the MQTT broker is the Raspberry Pi, so it is set to localhost:1883. If you’re using a Cloud MQTT broker, you should change that field. Insert the topic you want to be subscribed to and the QoS.
Set the following properties for the gauge node.

Edit the chart node as follows:

Wire your nodes as shown below:

Finally, deploy your flow (press the button on the upper right corner).

Alternatively, you can go to Menu > Import and copy the following to your Clipboard to create your Node-RED flow.
[{"id":"3eb4b485.bb948c","type":"mqtt in","z":"b01416d3.f69f38","name":"","topic":"esp/ds18b20/temperature","qos":"1","datatype":"auto","broker":"8db3fac0.99dd48","x":930,"y":120,"wires":[["706fecd4.6f91a4","47ed6377.491d6c"]]},{"id":"706fecd4.6f91a4","type":"ui_gauge","z":"b01416d3.f69f38","name":"","group":"37de8fe8.46846","order":2,"width":0,"height":0,"gtype":"gage","title":"Temperature","label":"ºC","format":"{{value}}","min":0,"max":"40","colors":["#00b500","#f7df09","#ca3838"],"seg1":"","seg2":"","x":1190,"y":100,"wires":[]},{"id":"47ed6377.491d6c","type":"ui_chart","z":"b01416d3.f69f38","name":"","group":"2b7ac01b.fc984","order":4,"width":0,"height":0,"label":"Temperature","chartType":"line","legend":"false","xformat":"HH:mm:ss","interpolate":"linear","nodata":"","dot":false,"ymin":"","ymax":"","removeOlder":1,"removeOlderPoints":"","removeOlderUnit":"3600","cutout":0,"useOneColor":false,"colors":["#1f77b4","#aec7e8","#ff7f0e","#2ca02c","#98df8a","#d62728","#ff9896","#9467bd","#c5b0d5"],"useOldStyle":false,"outputs":1,"x":1190,"y":160,"wires":[[]]},{"id":"8db3fac0.99dd48","type":"mqtt-broker","z":"","name":"","broker":"localhost","port":"1883","clientid":"","usetls":false,"compatmode":false,"keepalive":"60","cleansession":true,"birthTopic":"","birthQos":"0","birthPayload":"","closeTopic":"","closeQos":"0","closePayload":"","willTopic":"","willQos":"0","willPayload":""},{"id":"37de8fe8.46846","type":"ui_group","z":"","name":"DS18B20","tab":"53b8c8f9.cfbe48","order":1,"disp":true,"width":"6","collapse":false},{"id":"2b7ac01b.fc984","type":"ui_group","z":"","name":"SENSORS","tab":"99ab8dc5.f435c","disp":true,"width":"6","collapse":false},{"id":"53b8c8f9.cfbe48","type":"ui_tab","z":"","name":"Home","icon":"dashboard","order":2,"disabled":false,"hidden":false},{"id":"99ab8dc5.f435c","type":"ui_tab","z":"","name":"HTTP","icon":"dashboard","order":1,"disabled":false,"hidden":false}]
Demonstration
Go to your Raspberry Pi IP address followed by :1880/ui.
http://raspberry-pi-ip-address:1880/uiYou should get access to the current sensor readings on the Dashboard (gauge and chart).

That’s it! You have your ESP8266 board publishing sensor readings to Node-RED via MQTT.
Wrapping Up
MQTT is a great communication protocol to exchange small amounts of data between devices. In this tutorial you’ve learned how to publish DS18B20 temperature readings with the ESP8266 on an MQTT topic. Then, you can use any device or home automation platform to subscribe to that topic and receive the readings.
Instead of a DS18B20, you can use any a different sensor:
- ESP8266 MQTT – Publish BME280 Temperature, Humidity and Pressure Readings
- ESP8266 MQTT – Publish DHT11/DHT22 Temperature and Humidity Readings
We hope you’ve found this tutorial useful. If you want to learn more about the ESP8266, take a look at our resources:
- Home Automation using ESP8266
- MicroPython Programming with ESP32 and ESP8266
- More ESP8266 NodeMCU Projects…
Thanks for reading.


 
								 
								 
								 
								


Hello,I am following your posts and thank you for the work .
In this one , I have only one question : why is necessary to use an RaspPI for only one sensor , when using an nodemcu ( It was inaff even an ESP8266F to do that job ) ?
Manny thanks .
( sorry for my bad English )
Hi.
The Raspberry Pi is hosting Mosquitto broker.
You need an MQTT broker to use MQTT.
Additionally, in this project, Raspberry Pi is also running Node-RED that receives and displays the readings.
Regards,
Sara
Hi.
Thank you for your response .
Best regards .
Hi
I got the following error, and not capable to get rid of it. Any idea?
AsyncMqttClient.h: No such file or directory
Hi Hans.
You need to install the AsyncMqttClient library: https://github.com/marvinroger/async-mqtt-client
The tutorial provides instructions on how to proceed.
Regards,
Sara
Hi, installed that library but still no joy. Can’t find AsyncMqttClient.h
Hi Sara,
I would like to add more than one ds18b20 sensors, and publish their readings with MQTT to my RPi. What should I add to your code in order to have it? I am quite close to finish my first project thanks to your ebooks!!!
Thanks again.
Regards,
Athanasios
Hi.
This article shows how to get sensor readings from multiple DS18B20 temperature sensors: https://randomnerdtutorials.com/esp32-ds18b20-temperature-arduino-ide/
Then, you can create a different topic for each sensor.
Since you are one of our costumers, if you need more help, please post your questions and doubts at the RNLAB forum: https://rntlab.com/forum/
I can give better assistance there.
Regards,
Sara
Hi Sara,
the project is described really well and works great!
I have a question, how can I save the data I have received? Preferably in a text file
Tanks in advance
Hi.
You can create a text file on a microSD card or in SPIFFS to save the data.
In case of data logging projects, you should use a microSD card preferably.
You can combine this tutorial with a data logging tutorial.
At the moment, we don’t have any data logging tutorial for the ESP8266.
We have these tutorials for the ESP32 and Arduino that you can easily modify:
https://randomnerdtutorials.com/esp32-data-logging-temperature-to-microsd-card/
https://randomnerdtutorials.com/arduino-temperature-data-logger-with-sd-card-module/
Regards,
Sara
There are no gauges or charts in my node red? When I try to import the code it says they are unknown node types.
Hi Alex.
Don’t forget that you need to install node-red dashboard.
See the instructions to install in this tutorial:https://randomnerdtutorials.com/getting-started-with-node-red-dashboard/
Regards,
Sara
Thank you Sara.
Hello,I am following your posts and thank you for the nice job .
my question :
Is it possible to integrate the deep sleep in this program ?
Many thanks
Yes, you can.
Learn more about deep sleep here: https://randomnerdtutorials.com/esp8266-deep-sleep-with-arduino-ide/
Regards,
Sara
Hello Sara, I have read the totorial several times,
but it is not clear to me how to proceed.
a) first of all I have the command:
“define SLEEP_DELAY IN SECONDS 300”,
to the other #define set.
b) the command “ESP.deepSleep (SLEEP_DELAY in ……..
placed in the last line of the program
The result is, the program goes through but
no value is given to the MQTT.
Can you help me and tell me where and which
Place the command b) must be.
Many Thanks, Kurt
Hi Sara,
the code works great.
Is it possible to get the data from two DS18B20?
Kind regards
Sven
Hi.
To learn how to get data with multiple sensors: https://randomnerdtutorials.com/esp8266-ds18b20-temperature-sensor-web-server-with-arduino-ide/#multiple-sensors
Then, you just need to create more topics to publish more data.
Regards,
Sara
Hi Sara,
If I change from D18B20 to LM35, how should I fix the code?
Thanks
Hi.
You can follow this tutorial to learn how to use the LM35:https://randomnerdtutorials.com/arduino-lm35-lm335-lm34-temperature-sensor/
The tutorial is for the arduino, but it should be compatible with the ESP32.
Regardsm
Sara
Hi Sara,
I change from D18B20 to LM35. I’ve done the same code and got the following result.
Connecting to Wi-Fi…
Disconnected from Wi-Fi.
Connecting to Wi-Fi…
Publishing on topic mqtt/lm35 at QoS 0, packetId: 0 Message: 31.26
Disconnected from Wi-Fi.
Connecting to Wi-Fi…
Disconnected from Wi-Fi.
Connecting to Wi-Fi…
Publishing on topic mqtt/lm35 at QoS 0, packetId: 0 Message: 31.26
Disconnected from Wi-Fi.
hi Sara, Đức,
i have the same with DS18B20, packetId no change, stay at 0, and i have Disconnected from MQTT.
Connecting to MQTT…
Disconnected from MQTT.
Connecting to MQTT…
i think become from the code, not from the sensor.
hi,
the problem was that i forgot to comment out this line
//mqttClient.setCredentials(“REPlACE_WITH_YOUR_USER”, “REPLACE_WITH_YOUR_PASSWORD”);
thanks
Hi Sara, something had to change because the program doesn’t work and everything is set up well. Other clients connect to the broker normally. You don’t know what to do with it? Thanks Radim
Connecting to MQTT…
Publishing on topic esp/ds18b20/temperature at QoS 1, packetId: 0 Message: 22.94
Publishing on topic esp/ds18b20/temperature at QoS 1, packetId: 0 Message: 22.94
Disconnected from MQTT.
Connecting to MQTT…
Publishing on topic esp/ds18b20/temperature at QoS 1, packetId: 0 Message: 22.94
Publishing on topic esp/ds18b20/temperature at QoS 1, packetId: 0 Message: 22.88
Disconnected from MQTT.
Hi.
Can you better explain what’s exactly the error?
Hi Sara, the mistake was not to increase the packet number. You had an error in the IP address now everything is OK. Thanks for the great tutorial. Radim
Hi Sara
I’m trying to learn about MQTT and Node-red. I configured a Raspberry PI as a broker, and installing Raspberry Pi OS Full (32-bit) has red nodes allready in it. I understood how to use ESP8266 / ESP32 to publish short messages from various sensors creating various topics given to the MQTT broker.
But I don’t know how to read the data by subscribing to topics with another ESP8266. I have not found such an example. Or it can’t be done?
I now have an example of a subscribe to topic code, thanks to the “Build a Home Automation System for $ 100” course, so the problem is solved, but I have another question:
Since an esp8266 set as an MQTT client is not a web server, can I upload OTA sketches?
With AsyncElegantOTA it doesn’t work without having a webserver, but with ArduinoOTA it works.
As you can see, I’m in a hurry to ask questions when I’m stuck, and I apologize for that.
The code works right out of the box but when I put e.g. an analogRead inside the loop(), but before the condition, something breaks and WiFi disconnects continuously.
The code added:
int LDR_PIN = A0; // LDR Sensor pin
byte ledIntensity;
void loop() {
byte ledIntensity = ledintensitySelect(analogRead(LDR_PIN));
if (now – lastMsg > 10000) {
….
}
}
I have a typo error, i have defined byte ledIntensity in the loop not globally.
Hi, if you have configured an authentification for the connection with the MQTT broker, don´t forget in “Edit mqtt-broker node” “Security” to indicate your username and password, so that the “esp/ds18/b20/temperature” node can connect and receive datas.
Hey Guys, I’ve built this in the past with continued success. I have an Rpi 2b running node red and the mqtt broker that was available at that time. I wanted to replicate the system for bench testing new features, but now using either the Arduino IDE or Platform io I get a compiler error:
Compilation error: ‘AsyncMqttClient’ does not name a type
What am I missing? The (now) libraries are installed. Has something changed? Thanks
Hello and thank you for your site
thanks to you I solved esp8266/AsyncMqttClient.h/ with home assistant
I found a solution that blocked the sending or the card
if we used an analog input (A0)
by calling this function every minute
Friendships from France GM
When trying to use this Sketch in Arduino IDE 2.3.3, and running a compile check I get an error:
fatal error: AsyncMqttClient.h: No such file or directory.
It appears that is no longer a valid library name. I don’t even see it when searching for it in the library manager. Can You tell me what is now being used? Thanks
Hi.
Is is not available to download through the library manager.
You have to install it via .ZIP file as explained in the tutorial.
Regards,
Sara
Oops,, I missed that, thanks Sara.