Skip to content
cropped cropped froggy logo
Menu
  • Home
  • Blog
  • Push Ads
  • Banner Ads
  • Pop-up Ads
  • Native Ads
  • Sign up
Menu
Temperature and Humidity Tracker or My first IoT Project connecting

Temperature and Humidity Tracker (or My first IoT Project connecting an ESP32 via WiFi to a Firebase RTB) – Chris Menz’s Blog

Posted on March 8, 2022

[ad_1]

Project

What I wanted to build was a little device that tracks the temperature and humidity and stores the sensor data in a database; and I wanted to build a simple UI to visualize the data. I am particularly curious to find out about the effects of venting or other activities in different rooms the house. But let’s start simple! 🙂

This is not meant to be a step by step guide on how you can build your own project. You might find parts useful, specifically regaring the code (connecting to Firebase, WiFI, reading DHT22 sensor): feel free to use it. Always be careful when dealing with batteries, lithium ion batteries are dangerous if not handled correctly (e.g. short circuit).

The final project – so far.

Shopping List

  • ESP32 developer board – I use the Firebeetle ESP32 IOT from DFRobot
  • DHT22 temperature and humidity sensor
  • (battery, to operate without cables, works well via USB as well)

Wiring

The wiring couldn’t be simpler. I am using a DHT22 temperature and humidity sensor which is pre-calibrated and you only need to connect three pins:

  • VCC
  • Data (any GPIO pin, on the Firebeetle one of D0 to D9)
  • GND

It is advised to use a pull-up resistor together with a DHT22, but I have not integrated one. Please note I am using a breakout board, no specific reason, it’s just what I got when I ordered the sensor. The sensor itself has 4 pins, one is not connected (nc).

Software

The software is the more interesting part for this project I believe. Find the code below and some explanations later.

  • read the sensor data
  • connect to my WiFi
  • setup a Firebase RTDB
  • connect the ESP32 to the Firebase RTDB
  • store the data in the RTDB
  • write an Angular app to visualize the data
#include <WiFi.h>
#include <Firebase_ESP_Client.h>
#include "DHT.h"

#define DHT22_PIN D2
#define DHTTYPE DHT22

// WiFi
const char* ssid = "xxxx";
const char* password = "xxxx";

DHT dht(DHT22_PIN, DHTTYPE);
FirebaseData fbdo;
FirebaseAuth auth;
FirebaseConfig config;
String chipId;

void setup()

  Serial.begin(115200);
  initWiFi();
  initDHT();
  initFirebase();
  registerDevice();


void initWiFi() 
  WiFi.mode(WIFI_STA);
  WiFi.begin(ssid, password);
  Serial.print("Connecting to WiFi ..");
  while (WiFi.status() != WL_CONNECTED) 
    Serial.print('.');
    delay(1000);
  
  Serial.println(WiFi.localIP());


void initDHT() 
  dht.begin();


void initFirebase() 
  config.host = "xxxx";
  config.api_key = "xxxx";
  auth.user.email = "xxxx";
  auth.user.password = "xxxx";
  Firebase.begin(&config, &auth);


void registerDevice() 
  chipId = String((uint32_t)ESP.getEfuseMac(), HEX);
  chipId.toUpperCase();

  if (Firebase.ready() ) 
    Firebase.RTDB.setString(&fbdo, "/devices/" + chipId + "/name", chipId) ;
  


void loop()

  float temp = dht.readTemperature();
  float hum = dht.readHumidity();

  if (Firebase.ready() ) 
    FirebaseJson json;
    json.set("t", temp);
    json.set("h", hum);
    Firebase.RTDB.pushJSON(&fbdo, "/devices/" + chipId + "/sensors/climate", &json);
    String dataPath = fbdo.dataPath() + "/" + fbdo.pushName();
    Firebase.RTDB.setTimestamp(&fbdo, dataPath + "/ts");
  
  delay(5 * 60 * 1000); // only every 5min
  //delay(2000);

Required Libraries

  • DHT
  • Firebase
  • Unified Sensor support

Adding Libaries

In the Arduino IDE (Library Manager) I installed:

and…

and…

(which I actually installed by adding the zip file manually, following the instructions here.)

Create Firebase Project

I assume you have basic understanding of Firebase and how to create a project. If not there are many tutorial out there to learn more. For this particular project I had to:

  • create the project
  • manually create a user
  • create a web app
  • create real time database
First create a project
Give it a meaningful name
I disabled Google Analytics for this project, it won’t take long to create your project
Add Email/Password provider
Enable it and save
Switch to users and add a user manually. Remember the password.
Goto Realtime Database and hit “Create Database”
I usually go with test mode security rules when I start a new project. Keep in mind this allows everyone to read / write into your DB, specifically if you host your application and with it all required Firebase configurations like the API key.

Connect to WiFi

Connecting to my WiFi network is also quite simple:

void initWiFi() 
  WiFi.mode(WIFI_STA);
  WiFi.begin(ssid, password);
  Serial.print("Connecting to WiFi.");
  while (WiFi.status() != WL_CONNECTED) 
    delay(1000);
  
  Serial.println(WiFi.localIP());

Obviously you should know to which WiFi to connect, just put replace the ssid and the password accordingly. 😉

const char* ssid = "xxxxxxx";
const char* password = "xxxxxxx";

Connect to Firebase

With a stable WiFi connection I was able to connect to my Firebase RTDB. Using the library mentioned above this doesn’t require many lines of code.

void initFirebase() 
  config.host = "xxxx";
  config.api_key = "xxxx";
  auth.user.email = "xxxx";
  auth.user.password = "xxxx";
  Firebase.begin(&config, &auth);

The API key can be found in the project settings, look for Web API key.

The host can be found here:

The user/password should be clear, as we created it before ourselves.

Store Data

Now that the connection to Firebase is setup, I can read or store data.

Setup

In the setup I read the chip id and use it as the name. First of all it was a good first test to store data and secondly I intend allowing to change the name on via Bluetooth.

 void registerDevice() 
  chipId = String((uint32_t)ESP.getEfuseMac(), HEX);
  chipId.toUpperCase();

  if (Firebase.ready() ) 
    Firebase.RTDB.setString(&fbdo, "/devices/" + chipId + "/name", chipId) ;
  

Loop

In the loop function I’m reading the sensor data and create a JSON object with the values. Then I add the current timestamp. Altough the code is simple I’m sure this can be done in a more efficient way. Mainly I’m not convinced Firebase is the right choice to store sensor data, but it’s cool you can connect an ESP32 with their DB and the API is easy to use.

void loop()

  float temp = dht.readTemperature();
  float hum = dht.readHumidity();

  if (Firebase.ready() ) 
    FirebaseJson json;
    json.set("t", temp);
    json.set("h", hum);
    Firebase.RTDB.pushJSON(&fbdo, "/devices/" + chipId + "/sensors/climate", &json);
    String dataPath = fbdo.dataPath() + "/" + fbdo.pushName();
    Firebase.RTDB.setTimestamp(&fbdo, dataPath + "/ts");
  
  delay(5 * 60 * 1000); // every 5min

Client Application

Now that everything works and data is stored in Firebase, it is time to create a client application to visualize the sensor data. If I find some time I will describe this part in another blog post. But it looks like this in its current stage:

Humidity reacts quickly to people in the room and to venting

Next

It would be cool if I could just add another device in a room and it would automatically start collecting data and store it. I guess similar products exist anywys already, but the fun lies in DIY. 🙂

Nevertheless, what I would like to improve:

  • 3D printed box to house the electronics and the battery
  • Provide a way to configure WiFi, name of the device via Bluetooth
  • Find a better way to store the data, I don’t think Firebase RTDB is the right choice here (maybe ThingSpeak or AskSensors, …)
  • Rewrite code to enable deep sleep mode between sensor reads

Conclusion

Microcontroller programming is a topic I had on my todo list since many years. I tried differnet things, but I never got any project done. Meanwhile I have several bread boards, many (really many) resistors, a few ICs, a Raspberry Pi, an Arduino board and since a few days an ESP32 developer board!

I actually bought a starter kit with some sensors and a little book included, I have to say it made it easy to get started and the ESP32 really got me hooked! Unfortunately the board isn’t alive anymore, so I had to switch to the Firebeetle. I can’t imagine an easier way to create an IoT project – WiFi and Bluetooth is aboard! Thanks Fabian Merki for pointing me in this direction! Fabian is creating music boxes with cool light effects using the ESP32 and he was always helping in case I had some issues with my setup. 🙂

Overall the project was really fun and I learned quite some things. It’s incredibly easy to connect to the internet and connect to a Firebase RTDB is just powerful.

[ad_2]

Source link

Sign up

Categories

  • Ad Exchange
  • Ad Formats
  • Ads
  • Advertisers
  • Advertising Network
  • Affiliate Guides
  • Affiliate Industry
  • Affiliate Marketing
  • Affiliate Network
  • Banners Ads
  • Brand
  • Budget
  • Business
  • Campaign Performance
  • Campaign Targeting
  • Campaigns
  • Case Study
  • CPA
  • CPC
  • CPL
  • CPM
  • CPV
  • Crypto
  • CTR
  • Customer
  • Demand Side Platforms
  • Display Ads
  • DSP
  • Ecommerce
  • Experts Corner
  • Gambling
  • Lead Generation
  • Make Money
  • Marketing
  • Marketing News
  • Media Buying
  • Mobile Advertising
  • Mobile Marketing
  • Native Ads
  • Online Marketing
  • Optimization Tools
  • Other
  • Performance Advertising Network
  • Popunder Ads
  • Popunder Traffic
  • Popup Traffic
  • PPV Traffic
  • Push Ads
  • Review
  • SEM
  • SEO
  • Social Media Marketing
  • Video Marketing
  • VPN
  • Web Security
  • Website Traffic

& – 2022. ads advertisers advertising Advertising Business affiliate amazon and banners best blog Business business management case study digital for google how make marketing marketing news marketing strategies marketing trends media money native network online online business online marketing review search engine marketing SEO Social Media Advetising the tips and tricks top traffic: website what with you your

Here you can learn more about: Advertising network, Online advertising, Advertising, Google Ads, Online advertising services and affiliate networks

Free Live Sex Cams Free Live Sex Cams Free Live Male Sex Cams Free Live Transsexual Sex Cams Free Live Couple Sex Cams Free Live New Model Sex Cams Free Live Spy Mode Sex Cams Free Live Big Tits Sex Cams Free Live Blone Sex Cams Free Live Readhead Sex Cams Free Live Mature Sex Cams Free Live Brunette Sex Cams Free Live Small Tits Sex Cams Free Live Toys Sex Cams Free Live Asian Sex Cams Free Live Muscle Sex Cams Free Live Anal Play Sex Cams Free Live Babes Sex Cams Free Live College Girls Sex Cams Free Live Hairy Pussy Sex Cams Free Live Medium Tits Sex Cams Free Live Shaved Pussy Sex Cams Free Live Squirt Sex Cams Free Live Teen Sex Cams Free Live BBW Sex Cams Free Live Big Butt Sex Cams Free Live Ebony Sex Cams Free Live White Girls Sex Cams Free Live Latina Sex Cams Free Live Curvy Sex Cams Free Live Petite Body Sex Cams Free Live Granny Sex Cams Free Live Lesbian Sex Cams Free Live Feet Fetish Sex Cams Free Live Smoking Sex Cams Free Live Group Sex Cams Free Live Big Boobs Sex Cams Free Live Housewives Sex Cams Free Live Pornstar Sex Cams Free Live Pregnant Sex Cams Free Live Bondage Sex Cams Free Live Top Models Sex Cams
©2023 FroggyAds.com | Design: Newspaperly WordPress Theme
pixel