Vilken väg väljer du?

I denna workshop finns det två olika spår att gå på, så steg ett blir att välja vad du känner för att göra idag. Blir det att mäta temperatur eller trycka på en knapp? 🔀
Vilken väg du än väljer så finns det en gemensam nämnare, eftersom vi ska använda en Rasberry pi pico så kommer vi koda i Micropython.
Nyfiken på mer bakgrundsinfo? Läs mer om Micropython och Rasberry Pi Pico.

Skicka SMS baserat på temperatur

Tänk vad smart om det gick att få ett SMS när bastun är uppvärmd och klar! Eller om det blivit för kallt i stugan och en behöver dra igång kaminen från distans?

Förberedelser

Nedan beståndsdelar är möjliga att byta ut, men annars ger vi förslag på sådana komponenter som vi själva använt och byggt med.

Skapa en setup

  • Vi kommer använda Thonny under denna workshop som kodeditor
  • Koppla din Rasberry Pi Pico till datorn
  • Skapa en ny fil som du döper till ex temperature.py
  • Det är här som vi kommer skriva resten av koden nu

Koppla koden till sensorn

För att vi ska kunna trycka mäta temperaturen så måste vi först koppla upp oss med sensorn

  • Då ska vi lägga till några libraries som heter machine, onewire och ds18x20
  • Så ska vi konfigurera själva sensorn och dess inställningar
  • Vi kommer behöva scanna efter sensorn och sedan lagra adressen till den så att vi kan använda den
  • Vi skriver ut när vi hittat sensorn också, så vi ser att det funkar som det ska
import machine
import onewire
import ds18x20

# Initialize the communications protocol with the temperature device (OneWire bus on GPIO 5)
ds_pin = machine.Pin(5)
ds_sensor = ds18x20.DS18X20(onewire.OneWire(ds_pin))
roms = ds_sensor.scan()
print('I am now connected to your DS decive, with adress:', roms)

Ange wifi och 46elks credentials

  • Skapa variabler och fyll i ditt wifi användarnamn och lösenord, ex: ssid = "wifi_ssid" och password = "wifi_pass"
  • Leta fram dina 46elks APInycklar (credentials), du hittar dem på 46elks.se/dashboard under Account
  • Skapa variabler och fyll i dina APInycklar, ex: api_username = "api_username" och api_password = "api_pass"
# Add your wifi credentials
ssid = "wifi_ssid" # The name of your wifi
password = "wifi_pass" # The wifi password

# Add the 46elks credentials
api_username = 'api_username' # Add your username
api_password = 'api_pass' # Add your password

Ange dina SMS parametrar

  • Skapa variabler för vem du ska skicka till och från vem, ex: sms_from = "Bastun" och sms_to = "+46766861004"
  • Både sms_to och sms_from går att byta ut. Använder du textavsändare så ska de vara mellan 3-11 tecken och inte börja med en siffra.
# The SMS parameters
sms_from = 'Bastu'  # Change if desired
sms_to = '+46xxxxxxxx'  # Replace with your actual phone number

Koppla upp till wifi och se status

  • Importera network och time library
  • Skapa en funktion connect_wifi(ssid, password) som används för att ansluta till wifi
  • För säkerhets skull så lägger vi också till att fortsätta försöka under 30 sekunder på 5 sekunders intervaller, tills en blir ansluten
  • Så skriver vi hela tiden ut status för att förstå när vi är anslutna
import network
import time

# Connect to wifi and keep on trying during 30 seconds at 5 seconds intervals
def connect_to_wifi(ssid, password, timeout_sec=30, retry_interval_sec=5):
    wifi = network.WLAN(network.STA_IF)
    wifi.active(True)

    # Waiting to be connected to wifi
    start_time = time.time()
    while not wifi.isconnected() and time.time() - start_time < timeout_sec:
        print("Wait. I'm connecting to your wifi..")
        wifi.connect(ssid, password)
        time.sleep(retry_interval_sec)

    # Prints if connected or if there was no connection within the timelimit (retry in that case)
    if wifi.isconnected():
        print("I'm now connected to the wifi!\n\n")
    else:
        print("Wifi connection failed within the specified time of 30 seconds. Please try again.")

# Call the connect_wifi function and connect to the wifi
connect_to_wifi(ssid, password)

Skapa SMS funktionen

  • Importera library urequests och base64
  • Skapa en funktion send_sms() som skickar SMS via 46elks API
  • Skapa en autentiseringssträng, sätt rätt headers
  • Själva SMS-innehållet kan du ändra till vad du vill: sms_content = f"Warning! The temperature has now reached {temperature}°C"
  • För att vi ska veta vad som händer, så kommer vi skriva ut när vi får svar från APIet också
import urequests
import base64

# Send an SMS once the desired temperature is reached
def send_sms(temperature):
    url = 'https://api.46elks.com/a1/sms'
    auth_string = f"{API_USERNAME}:{API_PASSWORD}"
    headers = {
        "Authorization": "Basic " + base64.b64encode(auth_string.encode()).decode('utf-8'),
        "Content-type": "application/x-www-form-urlencoded"
    }
    sms_content = f"\n\nWarning! The temperature has now reached {temperature}°C" # You can change this if you want to
    data_str = f"from={sms_from}&to={sms_to}&message={sms_content}"

    response = urequests.post(url, headers=headers, data=data_str.encode())
    print("\nThis is the SMS response from the API:\n", response.text) # Print the response for debugging purposes

Skicka SMSet när vi kommit upp i rätt temperatur

  • Nu ska vi skapa en oändlig loop som hela tiden fortsätter mäta temperaturen
  • Och när en kommit upp i rätt temperatur så anropar vi send_sms() funktionen som skickar ett SMS. Vi skriver hela tiden ut vilken temp det är också.
  • Så här kan du ju själv ändra vilken temperatur som passa ditt användningsområde
  • Nu är det bara att testa själv och se om du får något SMS  💬
# Keep measuring the temperature and print it
while True:
    ds_sensor.convert_temp()
    time.sleep_ms(750)
    for rom in roms:
        temperature = ds_sensor.read_temp(rom)
        print('The temperature is now:', temperature, '°C')

    # Will send an SMS once the desired temperature is reached
    if temperature >= 25.0: # Here you change the desired temperature
        print("\nSending warning SMS via the 46elks API!")
        send_sms(temperature)
        time.sleep(60)  # Wait for 60 seconds until next SMS gets send, to avoid spam

Hela koden som referens

Om du kört fast någonstans längs vägen, så finns hela koden här för att jämföra eller använda sig av 🛠

import machine
import onewire
import ds18x20
import network
import urequests
import base64
import time

# Initialize the communications protocol with the temperature device (OneWire bus on GPIO 5)
ds_pin = machine.Pin(5)
ds_sensor = ds18x20.DS18X20(onewire.OneWire(ds_pin))
roms = ds_sensor.scan()
print('I am now connected to your DS decive, with adress:', roms)

# Add your wifi credentials
ssid = "wifi_ssid" # The name of your wifi
password = "wifi_pass" # The wifi password

# Add the 46elks credentials
api_username = 'api_username' # Add your username
api_password = 'api_pass' # Add your password

# The SMS parameters
sms_from = 'Bastu'  # Change if desired
sms_to = '+46xxxxxxxx'  # Replace with your actual phone number

# Connect to wifi and keep on trying during 30 seconds at 5 seconds intervals
def connect_to_wifi(ssid, password, timeout_sec=30, retry_interval_sec=5):
    wifi = network.WLAN(network.STA_IF)
    wifi.active(True)

    # Waiting to be connected to wifi
    start_time = time.time()
    while not wifi.isconnected() and time.time() - start_time < timeout_sec:
        print("Wait. I'm connecting to your wifi..")
        wifi.connect(ssid, password)
        time.sleep(retry_interval_sec)

    # Prints if connected or if there was no connection within the timelimit (retry in that case)
    if wifi.isconnected():
        print("I'm now connected to the wifi!\n\n")
    else:
        print("Wifi connection failed within the specified time of 30 seconds. Please try again.")

# Call the connect_wifi function and connect to the wifi
connect_to_wifi(ssid, password)

# Send an SMS once the desired temperature is reached
def send_sms(temperature):
    url = 'https://api.46elks.com/a1/sms'
    auth_string = f"{API_USERNAME}:{API_PASSWORD}"
    headers = {
        "Authorization": "Basic " + base64.b64encode(auth_string.encode()).decode('utf-8'),
        "Content-type": "application/x-www-form-urlencoded"
    }
    sms_content = f"\n\nWarning! The temperature has now reached {temperature}°C" # You can change this if you want to
    data_str = f"from={sms_from}&to={sms_to}&message={sms_content}"

    response = urequests.post(url, headers=headers, data=data_str.encode())
    print("\nThis is the SMS response from the API:\n", response.text) # Print the response for debugging purposes

# Keep measuring the temperature and print it
while True:
    ds_sensor.convert_temp()
    time.sleep_ms(750)
    for rom in roms:
        temperature = ds_sensor.read_temp(rom)
        print('The temperature is now:', temperature, '°C')

    # Will send an SMS once the desired temperature is reached
    if temperature >= 25.0: # Here you change the desired temperature
        print("\nSending warning SMS via the 46elks API!")
        send_sms(temperature)
        time.sleep(60)  # Wait for 60 seconds until next SMS gets send, to avoid spam

Skicka SMS med ett knapptryck

Börjat laga mat åt familjen och vill att de kommer i tid till middagen den här gången? Det är nu bara ett knapptryck bort att förverkliga för alla framtida familjemiddagar.

Förberedelser

Nedan beståndsdelar är möjliga att byta ut, men annars ger vi förslag på sådana komponenter som vi själva använt och byggt med.

Skapa en setup

Koppla koden till knappen

För att vi ska kunna trycka på knappen och skicka ett SMS, så måste vi först lägga till att vi har en knapp i vår kod.

import machine

# Button setup
button = machine.Pin(13, machine.Pin.IN, machine.Pin.PULL_UP)  # Button is assumed to be connected to GPIO 13

Ange wifi och 46elks credentials

# Add your wifi credentials
ssid = "wifi_ssid" # The name of your wifi
password = "wifi_pass" # The wifi password

# Add the 46elks credentials
api_username = 'api_username' # Add your username
api_password = 'api_pass' # Add your password

Ange dina SMS parametrar

# The SMS parameters
sms_from = 'Knappen'  # Change if desired
sms_to = '+46xxxxxxxxx'  # Replace with your actual phone number

Koppla upp till wifi och se status

import network
import time

# Connect to wifi and keep on trying during 30 seconds at 5 seconds intervals
def connect_to_wifi(ssid, password, timeout_sec=30, retry_interval_sec=5):
    wifi = network.WLAN(network.STA_IF)
    wifi.active(True)

    # Waiting to be connected to wifi
    start_time = time.time()
    while not wifi.isconnected() and time.time() - start_time < timeout_sec:
        print("Wait. I'm connecting to your wifi..")
        wifi.connect(ssid, password)
        time.sleep(retry_interval_sec)

    # Prints if connected or if there was no connection within the timelimit (retry in that case)
    if wifi.isconnected():
        print("I'm now connected to the wifi!\n\n")
    else:
        print("Wifi connection failed within the specified time of 30 seconds. Please try again.")

# Call the connect_wifi function and connect to the wifi
connect_to_wifi(ssid, password)

Skapa SMS funktionen

import urequests
import base64

# Create an HTTP call to the 46elks API
def send_sms():
    url = 'https://api.46elks.com/a1/sms'
    auth_string = f"{API_USERNAME}:{API_PASSWORD}"
    headers = {
        "Authorization": "Basic " + base64.b64encode(auth_string.encode()).decode('utf-8'),
        "Content-type": "application/x-www-form-urlencoded"
    }
    sms_content = f"The button is pressed, and this is my message to you!" # You can change this if you want to
    data_str = f"from={sms_from}&to={sms_to}&message={sms_content}"

    response = urequests.post(url, headers=headers, data=data_str.encode())
    print("\nThis is the SMS response from the API:\n", response.text)  # Print the response for debugging purposes

Skicka SMSet när vi tryckt på knappen

# If the button is pressed again, send another SMS
while True:
    if not button.value():  # Button is pressed (LOW because of pull-up resistor)
        print("Button pressed! Sending your SMS now.")
        send_sms()
        time.sleep(60)  # Wait for 60 seconds until next SMS gets send, to avoid spam

Hela koden som referens

Om du kört fast någonstans längs vägen, så finns hela koden här för att jämföra eller använda sig av 🛠

import machine
import network
import urequests
import base64
import time

# Button setup
button = machine.Pin(13, machine.Pin.IN, machine.Pin.PULL_UP)  # Button is assumed to be connected to GPIO 13

# Add your wifi credentials
ssid = "WIFI_SSID" # The name of your wifi
password = "WIFI_PASS" # The wifi password

# Add the 46elks credentials
API_USERNAME = 'API_USERNAME' # Add your username
API_PASSWORD = 'API_PASSWORD' # Add your password

# The SMS parameters
sms_from = 'Knappen'  # Change if desired
sms_to = '+46xxxxxxxxx'  # Replace with your actual phone number

# Connect to wifi and keep on trying during 30 seconds at 5 seconds intervals
def connect_to_wifi(ssid, password, timeout_sec=30, retry_interval_sec=5):
    wifi = network.WLAN(network.STA_IF)
    wifi.active(True)

    # Waiting to be connected to wifi
    start_time = time.time()
    while not wifi.isconnected() and time.time() - start_time < timeout_sec:
        print("Wait. I'm connecting to your wifi..")
        wifi.connect(ssid, password)
        time.sleep(retry_interval_sec)

    # Prints if connected or if there was no connection within the timelimit (retry in that case)
    if wifi.isconnected():
        print("I'm now connected to the wifi!\n\n")
    else:
        print("Wifi connection failed within the specified time of 30 seconds. Please try again.")

# Call the connect_wifi function and connect to the wifi
connect_to_wifi(ssid, password)

def send_sms():
    url = 'https://api.46elks.com/a1/sms'
    auth_string = f"{API_USERNAME}:{API_PASSWORD}"
    headers = {
        "Authorization": "Basic " + base64.b64encode(auth_string.encode()).decode('utf-8'),
        "Content-type": "application/x-www-form-urlencoded"
    }
    sms_content = f"The button is pressed, and this is my message to you!" # You can change this if you want to
    data_str = f"from={sms_from}&to={sms_to}&message={sms_content}"

    response = urequests.post(url, headers=headers, data=data_str.encode())
    print("\nThis is the SMS response from the API:\n", response.text)  # Print the response for debugging purposes

# If the button is pressed again, send another SMS
while True:
    if not button.value():  # Button is pressed (LOW because of pull-up resistor)
        print("Button pressed! Sending your SMS now.")
        send_sms()
        time.sleep(60)  # Wait for 60 seconds until next SMS gets send, to avoid spam