Overview
This is a simple tutorial covering how to turn a Raspberry Pi (Zero W in this case) into a sensor that can log weather data in your home.
Step One: Get the Stuff
- A Raspberry Pi Zero W (or Zero 2 W). This can technically be done on a Pi Pico as well (don’t ask me how because I don’t know).
- Also a power supply for the Pi (AliExpress works for that, I use 3A 5v)
- An SD card fast enough for Pi use (I used MicroCenter brand Speed Class 10 ones that were 8 or 16GB)
- A Bosch BME280 digital sensor (AliExpress is a good place to snag these)
- Some breadboard jumper cables (amazon works)
- (Optional) Any linux machine to handle a database and query script
Step Two: Install Raspberry Pi OS
I’m writing this tutorial so a 12 year old can follow it, so bear with me. First we will need to setup the Pi that we will use for the sensor. To start, let’s image the SD card and get the Pi up and running. To do this, we will use the Raspberry Pi Imager tool.

I’m using a Pi Zero W, so the OS of choice is Raspberry Pi OS Lite (32-bit). You can use the built in settings editor to set up the wifi prior to the first boot.

If you set up the wifi this way, you probably want to enable SSH and password login as well.

Next, insert your finished SD card and plug your Pi in. After a good 5-10 minutes (for the Zero W), you should be able to see a new device on your wireless network to SSH into. Congrats, you now have a working Pi!
Step Three: Configure the Pi for the BME280
Now that we have a working Pi, we’re going to set it up so it is ready to communicate with our fancy digital sensor. To start, we need to enable I2C via the raspberry pi config command.
sudo raspi-config

As we are setting up the I2C interface, we are going to choose Interface Options.

Then we are going to select the I2C option to enable the automatic loading of the I2C kernel module.

Next, simply press Yes.

Now that we have enabled the I2C interface, we need to install some packages to actually facilitate the communication to our sensor. First, update the package lists and then install i2c-tools.
sudo apt-get update
sudo apt-get install i2c-tools -y
Step Four: Physical Sensor Install
Now that we have the Pi configured and ready to read data from our sensor, we need to actually plug it in. First, we’ll solder the pins that came with the sensor into the BME280 itself. That way we can connect the jumpers to the pins instead of soldering wires directly to the PCB. After soldering, the sensor should look something like this.


Next, we also have to solder the pins into the Pi Zero itself. For prototyping purposes, you can use a breadboard or any other connection you want. If you choose to solder pins to the Pi, it should look something like this afterwards (no judging of soldering skills allowed).


Now that the pins are soldered, we need to connect the sensor pins to the Pi pins. For reference, here is the Pi Zero W pin layout

We need to connect the following pins:
Pi Zero W Pin | BME280 Pin |
Pi 3V3 Power (Pin 1) | BME280 VCC |
Pi SDA I2C (Pin 3) | BME280 SDA |
Pi SCL I2C (Pin 5) | BME280 SCL |
Pi Ground (Pin 9) | BME280 GND |
The finished product should look something like this, take note of the wire colors:


Now that we have everything physically connected, we can test the I2C connection to the sensor. To do this, run the following command:
i2cdetect -y 1
You should see something like this:

Step Five: Creating Sensor Python Setup
Now that our BME280 is all setup and ready to go, we need a way to remotely poll the Pi to find out what the current sensor reading is. To do this, we are going to create a small Python webserver with Flask. First, lets install the required packages. While using Raspberry Pi OS Lite, we need to manage Python module installations via apt instead of pip.
sudo apt-get install python3-gunicorn python3-flask python3-bme280 python3-requests python3-smbus2 -y
After installing everything we need, let’s create the following Python script at ~/sensor.py
from flask import Flask,jsonify,request import requests import smbus2 import bme280 app = Flask(__name__) @app.route('/', methods = ['GET']) def hello_world(): return "<p>This is not an API route. For sensor info, navigate to /read</p>" @app.route('/read', methods = ['GET']) def read_sensor(): port = 1 address = 0x76 bus = smbus2.SMBus(port) calibration_params = bme280.load_calibration_params(bus, address) data = bme280.sample(bus, address, calibration_params) response = { 'id': data.id, 'timestamp': data.timestamp, 'temperature': data.temperature, 'pressure': data.pressure, 'humidity': data.humidity, } bus.close() return jsonify(response)
This is a simple Flask web server that will create an API route on /read. This will allow a separate Python script to query the sensor and retrieve the reading. Lets see if the server works by running the following command:
flask --app sensor run --host=0.0.0.0

Next, we can navigate to the second address and test the web server.

Now let’s test the API route that we created. Simply add /read to the end of the URL.

If everything was set up correctly, you should see something like the above. We have the humidity in percent, id of the sensor (this changes, it doesn’t really matter), pressure in Hectopascals, temperature in Celsius, and the Timestamp.
Step Six: Create Systemd Gunicorn Service
Now that we know our web server works, lets create a permanently running systemd service so that we can always access our Pi sensor. First, lets stop the temporary server, and create a file at /etc/systemd/system/sensor.service:
[Unit]
Description=Gunicorn instance to serve sensor webserver
After=network.target
[Service]
User=root
Group=www-data
WorkingDirectory=/home/user/
ExecStart=python -m gunicorn -w 4 -b 0.0.0.0:5000 'sensor:app'
Restart=always
RestartSec=3
[Install]
WantedBy=multi-user.target
You will need to replace /home/user with your own username, or change the path to the directory that contains your sensor.py file. After you create the file, we can enable and start our new service.
sudo systemctl daemon-reload
sudo systemctl enable sensor.service
sudo service sensor start
We’re done! The Pi is ready to get operate as a standalone temperature sensor. Obviously, nothing is currently polling our sensor though.
Optional: Polling Script/Database Setup
To read the sensors, I set up a Python script that polls all three of my sensors and stores the readings in a Postgres database.
I’m not going to go over installing Postgres or MySQL or anything, but I’ll share the script I use to store my data. Here’s the Python script:
import requests import psycopg2 from json.decoder import JSONDecodeError conn = psycopg2.connect(database="database_name", host="192.168.1.XXX", user="user", password="password", port="5432") cursor = conn.cursor() def read_sensor(ip, offset, name): try: response = requests.get("http://" + ip + ":5000/read", timeout=5) temp = response.json().get('temperature') faren = ((temp + offset) * 9/5) + 32 hum = response.json().get('humidity') pressure = response.json().get('pressure') sensor_id = response.json().get('id') cursor.execute('INSERT INTO readings (temperature, pressure, humidity, sensor) VALUES (%s, %s, %s, %s)', (faren, pressure, hum, name)) return "" except requests.exceptions.HTTPError as errh: print("Http Error:", errh) except requests.exceptions.ConnectionError as errc: print("Error Connecting:", errc) except requests.exceptions.Timeout as errt: print("Timeout Error:", errt) except requests.exceptions.RequestException as err: print("OOps: Something Else", err) except JSONDecodeError as errde: print('Decoding JSON has failed') read_sensor("192.168.1.XXX", 0.4, "Downstairs") read_sensor("192.168.1.XXX", -.2, "Living Room") read_sensor("192.168.1.XXX", -.5, "Bedroom") conn.commit() cursor.close() conn.close()
I only have three sensors running, so I just hardcoded the IPs and names in the script. I calibrated my BME280s with a cheap room thermometer and adjusted the readings with a saved offset. I set this in the cron to run once every single minute.
I have a local Grafana instance running as well, which means I can view my temperatures over time with dashboards like this:

What is the point of all this? I don’t really know either 🙂
Leave a Reply