Deadline Beacon: Take Your Canvas Student Productivity and Turn It Into Cool LEDs
by villelas in Craft > Digital Graphics
27 Views, 0 Favorites, 0 Comments
Deadline Beacon: Take Your Canvas Student Productivity and Turn It Into Cool LEDs
.jpg)
Deadline Beacon is an innovative, task management and notification system designed to ensure you never miss an important assignment again. This project integrates real-time data from your personal Canvas with a Raspberry Pi Pico W, providing both visual and audio alerts that adapt dynamically to your daily schedule. Whether you simply forgot to do an assignment, your professor added a last-minute deadline, or you catch a glance of it unintentionally you will know whether you truly completed all recent canvas assignments with deadline beacon.
Downloads
Supplies

Hardware Supplies
- Raspberry Pi Pico W: Microcontroller with built‑in Wi-Fi for API communication.
- USB Cable: For powering and programming the Pico W.
- NeoPixel LED Strip or Ring: For visual status indicators (e.g., 30 LEDs as used in the project).
- Speaker or Buzzer Module: For audio alerts; ensure compatibility with CircuitPython audio libraries.
- Breadboard & Jumper Wires: For prototyping and connecting peripherals.
- Optional – Micro SD Card & Adapter: If you plan to expand storage or audio files (note that file system limitations may apply).
Software & Online Resources
- CircuitPython Firmware: Installed on your Pico W.
- Development Environment: VSCode with the CircuitPython extension I used CircuitPython v2 by wmerkens (or any compatible IDE).
- Required Libraries: Adafruit LED Animation, adafruit_requests, and other CircuitPython libraries.
- Flask Server on fly.io: A remote server handling API calls (e.g., for Canvas and Google Calendar integration) to help Pico not crash from memory errors. Fly.io is also just a really cheap and accessible site to deploy applications in this case your backend flask server.
- API Keys & Credentials
- Canvas Token:
- What: Your unique access token for Canvas.
- How to Obtain: Go to your Canvas profile.
- Navigate to Account > Settings.
- Generate a new access token.
- Copy and save it securely in your Flask server workspace.
- Course IDs:
- What: Unique identifiers for each course you’re registered in.
- How to Find: Click on a course in Canvas.
- Look at the URL—it will display as courses/{COURSE_ID}.
- Note each ID for later use.
Setting Up Your Enviorment

- Choose an IDE:
- Use Visual Studio Code (VSCode) for a smooth CircuitPython experience, thanks to its CircuitPython V2 extension.
- Install CircuitPython Firmware:
- Download the CircuitPython UF2 file.
- Connect your Raspberry Pi Pico via USB and drag-and-drop the UF2 file to install the firmware.
- Hardware Setup:
- Place your Pico on a breadboard if you’re connecting multiple components.
- Configure VSCode:
- Open VSCode and navigate to your Pico (e.g., it may show as drive D:/).
- Press CTRL+SHIFT+P to open the command palette.
- Run the CircuitPython Serial Monitor command.
- Select the correct COM port (e.g., COM10) for your Raspberry Pi Pico.
- Confirm the connection with a notification like “CircuitPython Serial Monitor [Open] Connection to COM10.”
This setup ensures you can run code smoothly while monitoring terminal logs directly from your Pico.
Obtaining Credentials

- Canvas Access Token:
- Follow the steps in the Software & Online Resources section.
- Locate and click the button to generate a new access token (see screenshot for reference).
- Course IDs:
- Collect the unique IDs for each class you want to track assignments from (found in your Canvas URL as courses/{COURSE_ID}).
- Deployment Account:
- Create a fly.io account (or another service like Render) for deploying your Flask server.
- Wi-Fi Credentials:
- Gather the SSID and password for the Wi-Fi network your Pico will use.
- This information ensures your Pico can connect to your personal server seamlessly.
- This step sets up all the necessary credentials to connect your project with Canvas, your server, and your network.
Connecting LED Light Strip and Speaker

- Breadboard Assembly:
- Mount your Raspberry Pi Pico on a breadboard to simplify connections and organization.
- LED Light Strip Wiring:
- Power (Red Wire): Connect to the Pico’s 5V output.
- Ground (Black Wire): Connect to a common ground on the breadboard.
- Data (White Wire): Connect to GPIO0 on the Pico.
- Speaker/Buzzer Wiring:
- Speaker Ground: Connect to the Pico’s ground.
- Speaker Signal (Tip): Connect to GPIO14 on the Pico.
- Testing:
- Run a simple test script to verify that the LED strip and speaker are functioning correctly.
This detailed wiring setup ensures that your LED light strip and speaker are connected correctly for optimal performance in your project.
Making Your Own Flask Server for Pico to Call

Create Your Workspace:
- Open your IDE (e.g., VSCode) and create a new project folder.
- Create a file named main.py with your Flask server code.
Main.py code:
from flask import Flask, jsonify
import requests
import datetime
import pytz
import time
app = Flask(__name__)
# 🔑 Canvas API Token
CANVAS_TOKEN = "YOUR CANVAS TOKEN"
HEADERS = {"Authorization": f"Bearer {CANVAS_TOKEN}"}
# 🎯 Course IDs (enter your course IDs here)
COURSES = {
"Software Engineering": "",
"Algorithms": "",
"Databases": "",
"Philosophy": "",
"Physical Computing": ""
}
# 🌎 Timezone Conversion (UTC to Eastern Time)
ET_ZONE = pytz.timezone("America/New_York")
UTC_ZONE = pytz.utc
def convert_to_et(due_at):
try:
utc_dt = datetime.datetime.strptime(due_at, "%Y-%m-%dT%H:%M:%SZ").replace(tzinfo=UTC_ZONE)
est_dt = utc_dt.astimezone(ET_ZONE)
return time.mktime(est_dt.timetuple())
except Exception as e:
print(f"❌ Error converting {due_at}: {e}")
return None
def fetch_all_assignments(course_id):
assignments = []
url = f"https://bostoncollege.instructure.com/api/v1/courses/{course_id}/assignments"
while url:
try:
response = requests.get(url, headers=HEADERS)
response.raise_for_status()
assignments.extend(response.json())
url = response.links.get("next", {}).get("url")
except requests.exceptions.RequestException as e:
print(f"❌ Error fetching assignments for course {course_id}: {e}")
break
return assignments
def fetch_todays_assignments():
now_et = datetime.datetime.now(ET_ZONE)
assignments = []
for course_name, course_id in COURSES.items():
course_assignments = fetch_all_assignments(course_id)
print(f"📚 {course_name}: {len(course_assignments)} assignments fetched")
for assignment in course_assignments:
if "due_at" in assignment and assignment["due_at"]:
due_dt = datetime.datetime.strptime(assignment["due_at"], "%Y-%m-%dT%H:%M:%SZ").astimezone(ET_ZONE)
if due_dt >= now_et:
assignments.append({
"name": assignment["name"],
"due_at": assignment["due_at"],
"course": course_name
})
print(f" ✅ Keeping: {assignment['name']} (Due: {assignment['due_at']})")
else:
print(f" ❌ Skipping: {assignment['name']} (Past Due: {assignment['due_at']})")
print(f"✅ Total assignments collected: {len(assignments)}")
return assignments
def determine_status_for_todays_assignments(assignments):
if not assignments:
return "green", [] # No assignments due today
now_et = datetime.datetime.now(ET_ZONE)
now_epoch = time.mktime(now_et.timetuple())
urgent_assignments = []
status = "green"
for assignment in assignments:
due_epoch = convert_to_et(assignment["due_at"])
if not due_epoch:
continue
hours_left = (due_epoch - now_epoch) / 3600.0
print(f" - 📌 {assignment['name']} ({assignment['course']}) | Due: {assignment['due_at']} | Hours Left: {hours_left:.2f}")
if hours_left < 0:
continue
elif hours_left <= 4:
urgent_assignments.append(assignment)
status = "red"
elif hours_left < 24:
status = "yellow"
return status, urgent_assignments
@app.route('/status', methods=['GET'])
def get_status():
print("\n🌎 API Call: /status 🔥")
assignments = fetch_todays_assignments()
status, urgent_assignments = determine_status_for_todays_assignments(assignments)
beep_flag = status == "red"
print(f"\n🚦 STATUS: {status.upper()} | 🔔 Beep: {beep_flag} | Urgent Assignments: {len(urgent_assignments)}")
return jsonify({
"color": status,
"beep": beep_flag,
"urgent_assignments": urgent_assignments
})
if __name__ == '__main__':
app.run(host="0.0.0.0", port=5000)
- Create a Dockerfile with the following content:
Create the requirements.txt File:
- In your project folder, create a file named requirements.txt and add these lines:
- This file tells your server which Python packages to install.
Deploying with fly.io:
- Log In:
- Open your terminal and run:
- This will open your browser for authentication. Sign in to your fly.io account.
- Initialize Your Application:
- In your project directory (where your Dockerfile, main.py, and requirements.txt are located), run:
- Follow the prompts to:
- Name your app.
- Select a deployment region.
- Confirm the creation of a new fly.toml configuration file.
- Deploy Your Application:
- Once the app is configured, deploy it by running:
- This command builds your Docker image using the provided Dockerfile and deploys it to fly.io.
- Monitor Your Application:
- To view real-time logs and verify that your server is running correctly, use:
- Update After Changes:
- For any code changes, simply redeploy with:
- After you run the deploy command you will get a URL to where you an access your server you will adding this URL to your code.py for your pico to call
- Included above is some of the Logs for one of the classes I established in COURSES Algorithms
- The logs show specifically the assignments its keeping tracking because the deadline has not passed yet
- In the end of the Picos call to the server it will list with push pins 📌 all assignments yet to be completed and whether it should mark them as Urgent to complete based on the due date and current date
Setting Up Our Pico to Call Our Server and LED Lights +Speaker

Connect to Wi‑Fi:
- In your Pico’s code.py, configure the Wi‑Fi credentials so the board can connect to the internet.
- I put my wifi credentials in config.py and just imported them into code.py
Fetch Server Data:
- Use the adafruit_requests library to call your server’s /status endpoint (e.g., your-app-name.fly.dev/status).
- Process the returned JSON data to determine the current state (green, yellow, red).
Update Visual Output:
- Use the LED light strip to display the corresponding color:
- Green: No urgent assignments.
- Yellow: Tasks due within 24 hours.
- Red: Urgent assignments due within 4 hours.
- Implement an LED animation (e.g., a comet effect) that runs continuously until new data is fetched.
Trigger Audio Alerts:
- When the pico call the server again in this case its every 5 minutes to refresh your canvas data and make sure it has not missed anything we play a designated audio file (e.g., a chime) using the connected speaker. To indicate the update.
Loop and Refresh:
- Continuously fetch updated status from the server (e.g., every 5 minutes) to keep the display and alerts current.
- I would add a screenshot of what the terminal output on your circuit python serial monitor will look like
Code.py :
import time
import board
import neopixel
import adafruit_requests as requests
import wifi
import ssl
import socketpool
import json
import config
import pwmio
import my_audio
from adafruit_led_animation.animation.comet import Comet
from adafruit_led_animation.color import GREEN, YELLOW, RED
# Server URL
SERVER_URL = "YOUR SERVER URL"
# Initialize NeoPixel LED
NUM_PIXELS = 30
pixel = neopixel.NeoPixel(board.GP0, NUM_PIXELS, auto_write=False)
# Setup Comet animations for each state
green_comet = Comet(pixel, speed=0.1, color=GREEN, tail_length=int(NUM_PIXELS * 0.25))
yellow_comet = Comet(pixel, speed=0.05, color=YELLOW, tail_length=int(NUM_PIXELS * 0.25))
red_comet = Comet(pixel, speed=0.02, color=RED, tail_length=int(NUM_PIXELS * 0.25))
# Connect to Wi-Fi
print("Connecting to Wi-Fi...")
wifi.radio.connect(config.WIFI_SSID, config.WIFI_PASSWORD)
print("Connected to Wi-Fi!")
# Setup requests session
pool = socketpool.SocketPool(wifi.radio)
session = requests.Session(pool, ssl.create_default_context())
def fetch_status():
"""
Fetch the status from the Flask server and return the JSON data.
"""
try:
print(f"Fetching data from {SERVER_URL}...")
response = session.get(SERVER_URL)
if response.status_code == 200:
data = response.json()
print("Server Response:", data)
return data
else:
print("Failed to fetch data, status code:", response.status_code)
return None
except Exception as e:
print("Error fetching server data:", e)
return None
def update_status(data):
"""
Process the server response and return the appropriate comet animation.
"""
course_statuses = data.get("course_statuses", {})
final_state = "green"
yellow_cause = []
red_cause = []
for course, details in course_statuses.items():
course_color = details.get("color", "green")
if course_color == "red":
final_state = "red"
red_cause.extend(details.get("urgent_assignments", []))
break # Prioritize red
elif course_color == "yellow" and final_state != "red":
final_state = "yellow"
yellow_cause.extend(details.get("yellow_assignments", []))
# Choose the appropriate animation based on the final status
if final_state == "red":
print("🔴 Red (Urgent Assignments within 4 hours!)")
for ra in red_cause:
print(f" - {ra['name']} | Due: {ra['due_at']}")
return red_comet
elif final_state == "yellow":
print("🟡 Yellow (Assignments due within 24 hours)")
for ya in yellow_cause:
print(f" - {ya['name']} | Due: {ya['due_at']}")
return yellow_comet
else:
print("🟢 Green (No urgent assignments)")
return green_comet
# Main loop: fetch data, then animate until next fetch
FETCH_INTERVAL = 300 # seconds
while True:
my_audio.play_audio("chime.wav")
data = fetch_status()
if data is None:
current_anim = green_comet
else:
current_anim = update_status(data)
start_time = time.monotonic()
while time.monotonic() - start_time < FETCH_INTERVAL:
current_anim.animate()
time.sleep(0.01)
my_audio.py:
import board,digitalio,neopixel,pwmio,time
import board
from audiocore import WaveFile
from audiopwmio import PWMAudioOut as AudioOut
audio = AudioOut(board.GP14)
path = "audio/"
def play_audio(filename):
with open(path + filename, "rb") as wave_file:
wave = WaveFile(wave_file)
audio.play(wave)
while audio.playing:
pass
config.py:
WIFI_SSID = ""
WIFI_PASSWORD = ""
Make a Box to Input Your Pico Wrap LED Lights Around for the Comet Animation
.jpg)
- I laser cut a foldable box to store my wiring
- I placed the hamburger speaker on top of the box so the chimes would be clearly heard and then proceeded to glue it shut
- The audios path was audio/chime.wav in my D:/ workspace
- the current my_audio.py works with wav files but could be modified to mp3 if desired