Pico W, pico explorer, and BME688 Environment Data Logger

Thought I’d share my current project. I’m not an expert by any stretch of the imagination, but I wanted to share working code for anyone that wants to replicate this type of project. The circuitpython project uses the explorer base with a Pico W and BME688 breakout to gather environment data (temp, humidity, and pressure) then display it on screen and save it to a MariaDB database on a Pi5 using PHP. I’m sure there are better, more secure, and tidier ways to do this, but this code works for my purposes.

Here’s the Pimoroni micropython:

# file name: envSensorDisplay.py
from machine import Pin
import time
import utime
import network
import urequests
from breakout_bme68x import BreakoutBME68X
from pimoroni_i2c import PimoroniI2C
from pimoroni import PICO_EXPLORER_I2C_PINS
from picographics import PicoGraphics, DISPLAY_PICO_EXPLORER

# set up the hardware
display = PicoGraphics(display=DISPLAY_PICO_EXPLORER)
i2c = PimoroniI2C(**PICO_EXPLORER_I2C_PINS)
bme = BreakoutBME68X(i2c, address=0x76)
led = Pin("LED", Pin.OUT)
# Create a pen colour to draw with
WHITE = display.create_pen(255, 255, 255)

# Choose a font and switch to the white pen
display.set_pen(0)
display.clear()
display.set_font("bitmap8")
display.set_pen(WHITE)
  
ssid = 'SSID'
password = 'password'

def connect():
    #Connect to WLAN
    wlan = network.WLAN(network.STA_IF)
    wlan.active(True)
    wlan.connect(ssid, password)
    while wlan.isconnected() == False:
        display.set_pen(0)
        display.clear()
        display.set_pen(WHITE)
        display.text("Waiting for connection...", 0, 0, 1, scale=2)
        display.update()
        led.on()
        utime.sleep(1)
    ip = wlan.ifconfig()[0]
    display.set_pen(0)
    display.clear()
    display.set_pen(WHITE)
    display.text(f"Connected on {ip}", 0, 0, 140, scale=2)
    display.update()
    return ip

    try:
       ip = connect()         
    except Exception:
        display.text(">>> Error or keyboard interrupt", 0, 0, 1, scale=2)
        display.update()
        machine.reset()

while True:
  
    # read the sensors
    temperature, pressure, humidity, gas_resistance, status, gas_index, meas_index = bme.read()

    # pressure is in pascals, convert it to the more manageable hPa
    pressurehpa = pressure / 100
    
    tempF = temperature*9/5+32
    tempFstr = str(tempF)
    pressureStr = str(pressurehpa)
    humidityStr = str(humidity)
    celciusStr = str(temperature)
            
    wlan = network.WLAN(network.STA_IF)
    if wlan.status() != 3: #check if connected first
        led.off()
        display.set_pen(0)
        display.clear()
        display.set_pen(WHITE)
        display.text("Lost connection", 0, 0, scale=2)
        display.update()
        temp = wlan.status()
        connect()
        time.sleep(0.25)
    # time to update the db and display
    URL="URL_to_PHP_API"
    DATA={"temperature_celcius":temperature,"temperature_fahrenheit":tempF,"humidity":humidity,"pressure":pressurehpa}
    headers = {'X-AIO-Key': 'xxxxxxxxxxxxxxxxxxx',
               'Content-Type': 'application/json'}   
    response = urequests.post(url=URL,json=DATA,headers=headers)
    url_response = response.text
    display.set_pen(0)
    display.clear()
    display.set_pen(WHITE)
    display.text(url_response, 0, 0, 1, scale=2)
    display.text("Fahrenheit = "+tempFstr, 0, 80, scale=2)
    display.text("Humidity = "+humidityStr, 0, 100, scale=2)
    display.text("Pressure = "+pressureStr, 0, 120, scale=2)
    myIP = str(wlan)
    stripped_myIP = myIP.strip("CYW43<>STA up")
    display.text("IP= "+stripped_myIP, 0, 140, scale=2)
    display.update()
    response.close()
    time.sleep(600)
    display.set_pen(0)
    display.clear()
   # waits for 10 minutes

And here’s the PHP API:

<?php
// Retrieve the raw POST data
$jsonData = file_get_contents('php://input');
// Decode the JSON data into a PHP associative array
$data = json_decode($jsonData, true);
// Assign the decoded data to $_REQUEST
$_REQUEST = $data;
// Access the data and perform operations
//date_default_timezone_set('US/Chicago');
$timestamp = 'NULL';
$temp = $_REQUEST['temperature_celcius'];
$ftemp = $_REQUEST['temperature_fahrenheit'];
$humidity = $_REQUEST['humidity'];
$pressure = $_REQUEST['pressure'];
// Perform further processing or respond to the request
$dbhost = "localhost";
$dbuser = "user";
$dbpass = "password";
$db = "envData";
$conn = mysqli_connect($dbhost, $dbuser, $dbpass, $db);
	if (!$conn) {
  		die("Connection failed: " . mysqli_connect_error());
	}
	$sql = "INSERT INTO data
	VALUES ($timestamp, $temp, $ftemp, $humidity, $pressure)";
	if (mysqli_query($conn, $sql)) {
  		echo "New record created successfully";
	} else {
  		echo "Error: " . $sql . "<br>" . mysqli_error($conn);
	}

mysqli_close($conn);
?>

Hope this helps someone looking to do something similar. Any suggestions for improving the code would be very welcome!

1 Like

Welcome aboard. :-)

I think you will find that a lot here are Enthusiasts. And a fair bit of them like you and me, “are not an expert by any stretch of the imagination”. ;)
I often post my code with said disclaimer. But hey, it works. =)

I have several environmental monitoring setups based on Pi’s and Pico’s. Micro Python here though. So far I’m not logging any of my data. I haven’t been able to find my round 2it. ;)

I’m a goof. Of course it’s micropython, not circuitpython!

Thanks for your kind words!

1 Like

Thanks for sharing. Just two suggestions:

  • convert the pressure to the more common sea-level values. This allows you to compare your values with the values you will find in the internet. The pressure sensor of the BME68x is good and should not be off more than about 1-2 hPa from what your favorite meteo-service will tell you. The formula is simple, but needs your current altitude.
  • Before reading the BME68x, I suggest that you turn off the internal heater of the gas-sensor. The sensor also tries to read VOCs, and has a heat-plate for that. With the heater turned on (the default), your temperature readings will be way off. You don’t loose much, because the readings of the gas-sensor are of no use anyhow.

Thanks for the suggestions! I will definitely implement them. I was unaware of the internal heater issues, though I read the gas analysis data is not much use.

@bablokb How do you turn the heater off in Micro Python?

I’ve been buying BME280’s for use with my Pi Pico’s and Micro Python. So far I haven’t found any way to turn the heater off on a BME688 in Micro Python. Not with Pimoroni’s files.
Just sitting here at my PC there are 5 BME280’s in use on projects within my eyesight. =)

Oh yes, true. Pimoroni hardwired a few things, like turning the heater on or setting the ambient temperature for the gas-sensor to a fixed value of 20°C.

You can set the heater temp / duration in MicroPython; I’m not entirely convinced it turns the heater right off under the covers, but it certainly reduces the temperature ‘bump’:

bme.read(heater_temp=0, heater_duration=0)

I tried that on my Pico Enviro+ Pack and didn’t notice any significant difference. I haven’t actually tried it on a stand alone BME688 breakout though? I’m pretty sure I have one kicking around so maybe I’ll give it another try.

It does not turn the heater of, there is a specific config-bit for that. But maybe it still works. The datasheet is not specific about a minumum value for the heater temperature.

Interesting; I’m actually using a Pico Enviro+ Pack - by default, if you’re taking fast readings (one of the examples polls every 0.5 seconds) I see the read temps drift up by a good couple of degrees over the first several reads.

With those settings it seems to stay fairly flat no matter how frequently you poll it (albeit still reading way over ambient, presumably because of the big stonking display right above it and a PicoW wifi chip right behind it!) - it might be some other effect I’m seeing though…!

Couldn’t find a BME688? I know I have one or two, just don’t know where I put them? I will get my Pico Enviro back out for some testing though.

@ahnlak That seems to be working. It’s matching my other Pico BME280 setup. I must not have coded it in correctly last time. This time I had no display until I removed the if heater stable line. I don’t remember having to do that last time I tested that code modification?
This is what I entered.
temperature, pressure, humidity, gas, status, _, _ = bme.read(heater_temp=0, heater_duration=0)

This my full file, Pico Enviro+, Pico (not a W) and Pimoroni Lipo Shim.

import time
from machine import ADC, Pin
from picographics import PicoGraphics, DISPLAY_ENVIRO_PLUS
from pimoroni import RGBLED, Button
from breakout_bme68x import BreakoutBME68X, STATUS_HEATER_STABLE
from pimoroni_i2c import PimoroniI2C
from breakout_ltr559 import BreakoutLTR559

display = PicoGraphics(display=DISPLAY_ENVIRO_PLUS, rotate=90)
display.set_font("bitmap8")
display.set_backlight(1.0)
WIDTH, HEIGHT = display.get_bounds()

led = RGBLED(6, 7, 10, invert=True)
led.set_rgb(0, 0, 0)

button_a = Button(12, invert=True)
button_b = Button(13, invert=True)
button_x = Button(14, invert=True)
button_y = Button(15, invert=True)

i2c = PimoroniI2C(4, 5)

vsys = ADC(29)
charging = Pin(24, Pin.IN)
conversion_factor = 3 * 3.3 / 65535

full_battery = 4.2
empty_battery = 2.8

bme = BreakoutBME68X(i2c, address=0x77)
bme.read(heater_temp=0, heater_duration=0)

ltr = BreakoutLTR559(i2c)

t_color = display.create_pen(0,255,0)
h_color = display.create_pen(0,255,0)
p_color = display.create_pen(0,255,0)
l_color = display.create_pen(0,255,0)
white = display.create_pen(255,255,255)
black = display.create_pen(0,0,0)
red = display.create_pen(255,0,0)
green = display.create_pen(0,255,0)
blue = display.create_pen(0,0,255)
yellow = display.create_pen(255,255,0)
orange = display.create_pen(255,140,0)
grey = display.create_pen(175,175,175)
violet = display.create_pen(255,0,255)
cyan = display.create_pen(0,255,255)
magenta = display.create_pen(200, 0, 200)

display.set_pen(black)
display.update()

def describe_temperature(temperature):
    global t_color
    if temperature < -10:
        description = "Very Cold"
        t_color = white
    elif -10 <= temperature <= 0:
        description = "Cold"
        t_color = blue
    elif 0 < temperature <= 12:
        description = "Cool"
        t_color = yellow
    elif 12 < temperature <= 16:
        description = "OK"
        t_color = green
    elif 16 < temperature <= 24:
        description = "Warm"
        t_color = green      
    elif 24 < temperature <= 27:
        description = "Hot"
        t_color = orange
    elif temperature > 27:
        description = "Very Hot"
        t_color = red
    return description

def describe_humidity(humidity):
    global h_color
    if humidity < 30:
        description = "Low"
        h_color = red
    elif 30 <= humidity <= 60:
        description = "OK"
        h_color = green
    elif 60 < humidity < 80:
        description = "High"
        h_color = yellow
    elif humidity >= 80:
        description = "Very High"
        h_color = orange        
    return description

def describe_pressure(pressure):
    global p_color
    if pressure < 982:
        description = "Very Low"
        p_color = red
    elif 982 <= pressure < 1004:
        description = "Low"
        p_color = yellow
    elif 1004 <= pressure < 1026:
        description = "OK"
        p_color = green
    elif 1026 <= pressure < 1048:
        description = "High"
        p_color = blue
    elif pressure >= 1048:
        description = "Very High"
        p_color = orange
    return description

def describe_light(lux):
    #lux += 0.5
    global l_color
    if lux < 50:
        description = "Dark"
        l_color = grey
    elif 50 <= lux < 100:
        description = "Dim"
        l_color = magenta
    elif 100 <= lux < 500:
        description = "Light"
        l_color = yellow
    elif lux >= 500:
        description = "Bright"
        l_color = white
    return description

min_temperature = 100.0
max_temperature = 0.0

# the gas sensor gives a few weird readings to start, lets discard them
temperature, pressure, humidity, gas, status, _, _ = bme.read(heater_temp=0, heater_duration=0)
time.sleep(0.5)
temperature, pressure, humidity, gas, status, _, _ = bme.read(heater_temp=0, heater_duration=0)
time.sleep(0.5)
temperature, pressure, humidity, gas, status, _, _ = bme.read(heater_temp=0, heater_duration=0)
time.sleep(0.5)

while True:
    
    voltage = vsys.read_u16() * conversion_factor
    percentage = 100 * ((voltage - empty_battery) / (full_battery - empty_battery))
    if percentage > 100:
        percentage = 100    

    if button_a.is_pressed:
        display.set_backlight(1.0)
        time.sleep(0.2)
    elif button_b.is_pressed:
        display.set_backlight(0)
        time.sleep(0.2)
    elif button_x.is_pressed:
        min_temperature = 100.0
        max_temperature = 0.0
        time.sleep(0.2)
    elif button_y.is_pressed:
        display.set_backlight(0.52)
        time.sleep(0.2)

    temperature, pressure, humidity, gas, status, _, _ = bme.read(heater_temp=0, heater_duration=0)
    heater = "Stable" if status & STATUS_HEATER_STABLE else "Unstable"
        
    temperature = round(temperature)
    temperature = temperature - 4
             
    if temperature >= max_temperature:
        max_temperature = temperature
    if temperature <= min_temperature:
        min_temperature = temperature

    pressure = pressure / 100
    pressure = round(pressure)
        
    ltr_reading = ltr.get_reading()
    lux = ltr_reading[BreakoutLTR559.LUX]
    prox = ltr_reading[BreakoutLTR559.PROXIMITY]
        
    display.set_pen(black)
    display.clear()
        
    describe_temperature(temperature)
    display.set_pen(t_color)                    
    display.text(f"{temperature:.0f}°C", 0, 0, scale=10)
        
    display.set_pen(cyan)
    display.text(f"Min {min_temperature:.0f}", 0, 83, scale=3)
    display.set_pen(cyan)
    display.text(f"Max {max_temperature:.0f}", 125, 83, scale=3)

    display.set_pen(white)
    display.text(f"{humidity:.0f}%", 0, 120, scale=4)
    display.text("RH", 85, 128, WIDTH, scale=3)
    display.text(f"{pressure:.0f}", 0, 165, scale=4)
    display.text("mb", 83, 173, scale=3)
        
    describe_humidity(humidity)
    display.set_pen(h_color)
    display.text(f"{describe_humidity(humidity)}", 125, 128, scale=3)
    display.set_pen(p_color)
    describe_pressure(pressure)
    display.text(f"{describe_pressure(pressure)}", 125, 173, scale=3)
             
        
    if charging.value() == 1:         # if it's plugged into USB power...
        display.set_pen(green)
        display.text("USB Powered", 0, 210, scale=3)
        #led.set_rgb(0, 0, 50)
            
    else:
                
        if percentage >= 50:
            display.set_pen(green)
            display.text("Battery", 0, 210, scale=4)
            display.text('{:.0f}%'.format(percentage), 155, 210, scale=4)
            #led.set_rgb(0, 50, 0)
        elif 50 > percentage > 20:   
            display.set_pen(yellow)
            display.text("Battery", 0, 220, scale=3)
            display.text('{:.0f}%'.format(percentage), 155, 220, scale=3)
            #led.set_rgb(50, 50, 0)
                
        elif percentage <= 20:    
            display.set_pen(red)
            display.text("Battery", 0, 220, scale=3)
            display.text('{:.0f}%'.format(percentage), 155, 220, scale=3)
            #led.set_rgb(50, 0, 0)
 
    display.update()
    time.sleep(0.5)

EDIT:
Ah crap, I went looking for but missed a temperature correction line.
temperature = temperature - 4
It is stable though. Before this edit the above line didn’t work all that well, I was seeing 2 or 3 degree differences from my other Pico BME280 setup. I’ll just have to leave it running and see what happens as the temperature goes up and down.

Yeah, if you set the heater temp / duration to zero then you never get the “heater stable” status and have to check on something else (status=160, from memory) (or just assume the read works…!)

Annoyingly, the Micropython side of things doesn’t define any other status bitmasks so you have to dig into the C driver to work out what they actually mean /sigh

I do 3 readings in the blind with a half second delay between them before I start displaying my readings. The first reading more often than not usually has some weird value in there. “If” your logging you don’t want that in there. ;)

I have to say, with this code change, it’s looking pretty stable.
My Pico BME280 is showing 23c, Min 21, Max 26.
The Enviro + is showing 23c, Min20, Max 25.
They both have been running overnight. I reset the min Max on both at the same time last night. I round off the readings which could account for the 1c difference in the Min Max readings.