78 lines
2.1 KiB
Python
78 lines
2.1 KiB
Python
# SPDX-FileCopyrightText: 2021 ladyada for Adafruit Industries
|
|
# SPDX-License-Identifier: MIT
|
|
|
|
"""
|
|
This demo will fill the screen with white, draw a black box on top
|
|
and then print Hello World! in the center of the display
|
|
|
|
This example is for use on (Linux) computers that are using CPython with
|
|
Adafruit Blinka to support CircuitPython libraries. CircuitPython does
|
|
not support PIL/pillow (python imaging library)!
|
|
"""
|
|
|
|
import board
|
|
import digitalio
|
|
from PIL import Image, ImageDraw, ImageFont
|
|
|
|
import adafruit_ssd1305
|
|
|
|
# Define the Reset Pin
|
|
oled_reset = digitalio.DigitalInOut(board.D4)
|
|
|
|
# Change these
|
|
# to the right size for your display!
|
|
WIDTH = 128
|
|
HEIGHT = 64 # Change to 32 if needed
|
|
BORDER = 8
|
|
COL = 0 # If you see static, change 0 --> 4, fixes alignment
|
|
|
|
# Use for SPI
|
|
spi = board.SPI()
|
|
oled_cs = digitalio.DigitalInOut(board.D5)
|
|
oled_dc = digitalio.DigitalInOut(board.D6)
|
|
oled = adafruit_ssd1305.SSD1305_SPI(WIDTH, HEIGHT, spi, oled_dc, oled_reset, oled_cs, col=COL)
|
|
|
|
# Use for I2C.
|
|
# i2c = board.I2C() # uses board.SCL and board.SDA
|
|
# i2c = board.STEMMA_I2C() # For using the built-in STEMMA QT connector on a microcontroller
|
|
# oled = adafruit_ssd1305.SSD1305_I2C(WIDTH, HEIGHT, i2c, addr=0x3c, reset=oled_reset, col=COL)
|
|
|
|
# Clear display.
|
|
oled.fill(0)
|
|
oled.show()
|
|
|
|
# Create blank image for drawing.
|
|
# Make sure to create image with mode '1' for 1-bit color.
|
|
image = Image.new("1", (oled.width, oled.height))
|
|
|
|
# Get drawing object to draw on image.
|
|
draw = ImageDraw.Draw(image)
|
|
|
|
# Draw a white background
|
|
draw.rectangle((0, 0, oled.width, oled.height), outline=255, fill=255)
|
|
|
|
# Draw a smaller inner rectangle
|
|
draw.rectangle(
|
|
(BORDER, BORDER, oled.width - BORDER - 1, oled.height - BORDER - 1),
|
|
outline=0,
|
|
fill=0,
|
|
)
|
|
|
|
# Load default font.
|
|
font = ImageFont.load_default()
|
|
|
|
# Draw Some Text
|
|
text = "Hello World!"
|
|
bbox = font.getbbox(text)
|
|
font_width = bbox[2] - bbox[0]
|
|
font_height = bbox[3] - bbox[1]
|
|
draw.text(
|
|
(oled.width // 2 - font_width // 2, oled.height // 2 - font_height // 2),
|
|
text,
|
|
font=font,
|
|
fill=255,
|
|
)
|
|
|
|
# Display image
|
|
oled.image(image)
|
|
oled.show()
|