2021-06-09 16:11:48 +00:00
|
|
|
# ugui.py Micropython GUI library
|
|
|
|
|
|
|
|
# Released under the MIT License (MIT). See LICENSE.
|
2023-04-30 10:37:04 +00:00
|
|
|
# Copyright (c) 2019-2023 Peter Hinch
|
2021-06-09 16:11:48 +00:00
|
|
|
|
2022-02-06 12:05:38 +00:00
|
|
|
# Credit to Bart Cerneels for devising and prototyping the 3-button mode
|
2022-07-19 11:26:23 +00:00
|
|
|
# Also for suggesting abstracting the input device class.
|
2023-04-30 10:37:04 +00:00
|
|
|
# Now requires firmware >= V1.20
|
2021-06-09 16:11:48 +00:00
|
|
|
|
|
|
|
import uasyncio as asyncio
|
|
|
|
from time import ticks_diff, ticks_ms
|
|
|
|
import gc
|
2023-04-30 10:37:04 +00:00
|
|
|
from array import array
|
2023-04-30 11:12:20 +00:00
|
|
|
import sys
|
2021-06-09 16:11:48 +00:00
|
|
|
|
|
|
|
from gui.core.colors import *
|
2022-02-06 12:05:38 +00:00
|
|
|
from gui.primitives import Pushbutton
|
2022-07-19 17:31:01 +00:00
|
|
|
|
2023-04-30 11:12:20 +00:00
|
|
|
if sys.implementation.version < (1, 20, 0):
|
|
|
|
raise OSError("Firmware V1.20 or later required.")
|
|
|
|
|
2021-06-20 15:46:14 +00:00
|
|
|
# Globally available singleton objects
|
|
|
|
display = None # Singleton instance
|
|
|
|
ssd = None
|
2022-02-15 17:50:30 +00:00
|
|
|
_vb = True
|
2021-06-20 15:46:14 +00:00
|
|
|
|
2021-06-09 16:11:48 +00:00
|
|
|
gc.collect()
|
2023-04-30 10:37:04 +00:00
|
|
|
__version__ = (0, 1, 8)
|
2022-07-19 17:31:01 +00:00
|
|
|
|
2021-06-09 16:11:48 +00:00
|
|
|
|
|
|
|
async def _g():
|
|
|
|
pass
|
2022-07-19 17:31:01 +00:00
|
|
|
|
|
|
|
|
2021-06-09 16:11:48 +00:00
|
|
|
type_coro = type(_g())
|
|
|
|
|
2022-02-06 12:05:38 +00:00
|
|
|
# Navigation destinations
|
2021-06-09 16:11:48 +00:00
|
|
|
_FIRST = const(0)
|
|
|
|
_NEXT = const(1)
|
|
|
|
_PREV = const(2)
|
|
|
|
_LAST = const(3)
|
|
|
|
|
2022-07-19 17:31:01 +00:00
|
|
|
|
2022-02-15 17:50:30 +00:00
|
|
|
def quiet():
|
|
|
|
global _vb
|
|
|
|
_vb = False
|
|
|
|
|
2022-07-19 17:31:01 +00:00
|
|
|
|
2022-02-06 12:05:38 +00:00
|
|
|
# Input abstracts input from 2-5 pushbuttons or 3 buttons + encoder. Handles
|
|
|
|
# transitions between modes (normal, precision, adjustment)
|
2022-07-19 17:31:01 +00:00
|
|
|
# BTN class instantiates a push button (may be other than a switch).
|
2022-02-06 12:05:38 +00:00
|
|
|
class Input:
|
2022-07-19 17:31:01 +00:00
|
|
|
def __init__(self, nxt, sel, prev, incr, decr, encoder, BTN):
|
2022-02-06 12:05:38 +00:00
|
|
|
self._encoder = encoder # Encoder in use
|
|
|
|
self._precision = False # Precision mode
|
|
|
|
self._adj = False # Adjustment mode
|
|
|
|
# Count buttons
|
|
|
|
self._nb = sum(1 for x in (nxt, sel, prev, incr, decr) if x is not None)
|
2021-06-09 16:11:48 +00:00
|
|
|
# Mandatory buttons
|
2022-07-19 17:31:01 +00:00
|
|
|
self._next = BTN(nxt)
|
|
|
|
self._sel = BTN(sel, suppress=True)
|
2021-06-16 13:15:06 +00:00
|
|
|
# Call current screen bound method
|
2022-02-06 12:05:38 +00:00
|
|
|
self._next.press_func(Screen.ctrl_move, (_NEXT,))
|
|
|
|
self._sel.release_func(Screen.sel_ctrl)
|
|
|
|
if encoder or (self._nb > 2): # Can use precision mode when in adjust mode
|
|
|
|
self._sel.long_func(self.precision, (True,))
|
|
|
|
if self._nb == 3: # Special case of 3-button interface
|
|
|
|
self._sel.double_func(self.adj_mode) # Double click toggles adjust
|
2021-06-09 16:11:48 +00:00
|
|
|
# Optional buttons
|
|
|
|
if prev is not None:
|
2022-07-19 17:31:01 +00:00
|
|
|
self._prev = BTN(prev)
|
2022-02-06 12:05:38 +00:00
|
|
|
self._prev.press_func(Screen.ctrl_move, (_PREV,))
|
2021-07-04 17:21:37 +00:00
|
|
|
if encoder:
|
2022-07-19 17:31:01 +00:00
|
|
|
_vb and print("Using encoder.")
|
2021-07-12 13:47:18 +00:00
|
|
|
if incr is None or decr is None:
|
2022-07-19 17:31:01 +00:00
|
|
|
raise ValueError("Must specify pins for encoder.")
|
2022-08-13 09:44:08 +00:00
|
|
|
from gui.primitives import Encoder
|
2022-07-19 17:31:01 +00:00
|
|
|
|
2021-07-12 13:47:18 +00:00
|
|
|
self._enc = Encoder(incr, decr, div=encoder, callback=Screen.adjust)
|
2021-07-04 17:21:37 +00:00
|
|
|
else:
|
2022-07-19 17:31:01 +00:00
|
|
|
_vb and print("Using {:d} switches.".format(self._nb))
|
2021-07-12 13:47:18 +00:00
|
|
|
# incr and decr methods get the button as an arg.
|
|
|
|
if incr is not None:
|
2022-07-19 17:31:01 +00:00
|
|
|
sup = BTN(incr)
|
2022-02-06 12:05:38 +00:00
|
|
|
sup.press_func(Screen.adjust, (sup, 1))
|
2021-07-12 13:47:18 +00:00
|
|
|
if decr is not None:
|
2022-07-19 17:31:01 +00:00
|
|
|
sdn = BTN(decr)
|
2022-02-06 12:05:38 +00:00
|
|
|
sdn.press_func(Screen.adjust, (sdn, -1))
|
|
|
|
|
|
|
|
def precision(self, val): # Also called by Screen.ctrl_move to cancel mode
|
|
|
|
if val:
|
|
|
|
if self._nb == 3 and not self._adj:
|
|
|
|
self.adj_mode()
|
|
|
|
self._precision = True
|
|
|
|
else:
|
|
|
|
self._precision = False
|
|
|
|
Screen.redraw_co()
|
|
|
|
|
|
|
|
def adj_mode(self, v=None): # Set, clear or toggle adjustment mode
|
|
|
|
if self._nb == 3: # Called from menu and dropdown widgets
|
|
|
|
self._adj = not self._adj if v is None else v
|
|
|
|
# Change button function
|
|
|
|
if self._adj:
|
|
|
|
self._prev.press_func(Screen.adjust, (self._prev, -1))
|
|
|
|
self._next.press_func(Screen.adjust, (self._next, 1))
|
|
|
|
else:
|
|
|
|
self._prev.press_func(Screen.ctrl_move, (_PREV,))
|
|
|
|
self._next.press_func(Screen.ctrl_move, (_NEXT,))
|
|
|
|
self._precision = False
|
|
|
|
Screen.redraw_co()
|
|
|
|
|
|
|
|
def encoder(self):
|
|
|
|
return self._encoder
|
|
|
|
|
|
|
|
def is_precision(self):
|
|
|
|
return self._precision
|
|
|
|
|
|
|
|
def is_adjust(self):
|
|
|
|
return self._adj
|
|
|
|
|
2024-01-16 09:58:21 +00:00
|
|
|
|
2023-09-12 16:55:23 +00:00
|
|
|
# Special mode where an encoder with a "press" pushbutton is the only control.
|
|
|
|
# nxt and prev are Pin instances corresponding to encoder X and Y.
|
|
|
|
# sel is a Pin for the encoder's pushbutton.
|
|
|
|
# encoder is the division ratio.
|
2023-09-18 09:33:08 +00:00
|
|
|
# Note that using a single click for adjust mode failed because the mode changed when
|
|
|
|
# activating pushbuttons, checkboxes etc.
|
2023-09-12 16:55:23 +00:00
|
|
|
class InputEnc:
|
|
|
|
def __init__(self, nxt, sel, prev, encoder):
|
|
|
|
from gui.primitives import Encoder
|
2024-01-16 09:58:21 +00:00
|
|
|
|
2023-09-12 16:55:23 +00:00
|
|
|
self._encoder = encoder # Encoder in use
|
|
|
|
self._enc = Encoder(nxt, prev, div=encoder, callback=self.enc_cb)
|
|
|
|
self._precision = False # Precision mode
|
|
|
|
self._adj = False # Adjustment mode
|
|
|
|
self._sel = Pushbutton(sel, suppress=True)
|
|
|
|
self._sel.release_func(self.release) # Widgets are selected on release.
|
|
|
|
self._sel.long_func(self.precision, (True,)) # Long press -> precision mode
|
2023-09-18 08:27:31 +00:00
|
|
|
self._sel.double_func(self.adj_mode, (True,)) # Double press -> adjust mode
|
2023-09-12 16:55:23 +00:00
|
|
|
|
|
|
|
# Screen.adjust: adjust the value of a widget. In this case 1st button arg
|
|
|
|
# is an int (discarded), val is the delta. (With button interface 1st arg
|
2023-09-18 09:33:08 +00:00
|
|
|
# is the button, delta is +1 or -1).
|
|
|
|
def enc_cb(self, position, delta): # Eencoder callback
|
2023-09-12 16:55:23 +00:00
|
|
|
if self._adj:
|
|
|
|
Screen.adjust(0, delta)
|
|
|
|
else:
|
|
|
|
Screen.ctrl_move(_NEXT if delta > 0 else _PREV)
|
|
|
|
|
|
|
|
def release(self):
|
2023-09-18 08:27:31 +00:00
|
|
|
self.adj_mode(False) # Cancel adjust and precision
|
2023-09-12 16:55:23 +00:00
|
|
|
Screen.sel_ctrl()
|
2024-01-16 09:58:21 +00:00
|
|
|
|
2023-09-12 16:55:23 +00:00
|
|
|
def precision(self, val): # Also called by Screen.ctrl_move to cancel mode
|
|
|
|
if val:
|
|
|
|
if not self._adj:
|
|
|
|
self.adj_mode()
|
|
|
|
self._precision = True
|
|
|
|
else:
|
|
|
|
self._precision = False
|
|
|
|
Screen.redraw_co()
|
|
|
|
|
|
|
|
# If v is None, toggle adjustment mode. Bool sets or clears
|
|
|
|
def adj_mode(self, v=None): # Set, clear or toggle adjustment mode
|
|
|
|
self._adj = not self._adj if v is None else v
|
|
|
|
if not self._adj:
|
|
|
|
self._precision = False
|
|
|
|
Screen.redraw_co() # Redraw curret object
|
|
|
|
|
|
|
|
def encoder(self):
|
|
|
|
return self._encoder
|
|
|
|
|
|
|
|
def is_precision(self):
|
|
|
|
return self._precision
|
|
|
|
|
|
|
|
def is_adjust(self):
|
|
|
|
return self._adj
|
2022-07-19 17:31:01 +00:00
|
|
|
|
2024-01-16 09:58:21 +00:00
|
|
|
|
2022-07-20 10:18:21 +00:00
|
|
|
# Wrapper for global ssd object providing framebuf compatible methods.
|
|
|
|
# Must be subclassed: subclass provides input device and populates globals
|
|
|
|
# display and ssd.
|
2022-07-19 11:16:26 +00:00
|
|
|
class DisplayIP:
|
2023-04-30 10:37:04 +00:00
|
|
|
# Populate array for clipped rect
|
|
|
|
@staticmethod
|
2023-04-30 11:12:20 +00:00
|
|
|
def crect(x, y, w, h):
|
2023-04-30 10:37:04 +00:00
|
|
|
c = 4 # Clip pixels
|
2023-04-30 11:12:20 +00:00
|
|
|
return array(
|
|
|
|
"H",
|
|
|
|
(
|
|
|
|
x + c,
|
|
|
|
y,
|
|
|
|
x + w - c,
|
|
|
|
y,
|
|
|
|
x + w,
|
|
|
|
y + c,
|
|
|
|
x + w,
|
|
|
|
y + h - c,
|
|
|
|
x + w - c,
|
|
|
|
y + h,
|
|
|
|
x + c,
|
|
|
|
y + h,
|
|
|
|
x,
|
|
|
|
y + h - c,
|
|
|
|
x,
|
|
|
|
y + c,
|
|
|
|
),
|
|
|
|
)
|
2023-04-30 10:37:04 +00:00
|
|
|
|
2022-07-20 10:18:21 +00:00
|
|
|
def __init__(self, ipdev):
|
2022-07-19 11:16:26 +00:00
|
|
|
self.ipdev = ipdev
|
2022-07-20 10:18:21 +00:00
|
|
|
self.height = ssd.height
|
|
|
|
self.width = ssd.width
|
2021-06-09 16:11:48 +00:00
|
|
|
self._is_grey = False # Not greyed-out
|
2021-06-16 13:15:06 +00:00
|
|
|
|
2021-06-11 14:33:05 +00:00
|
|
|
def print_centred(self, writer, x, y, text, fgcolor=None, bgcolor=None, invert=False):
|
2021-06-09 16:11:48 +00:00
|
|
|
sl = writer.stringlen(text)
|
|
|
|
writer.set_textpos(ssd, y - writer.height // 2, x - sl // 2)
|
2021-06-11 14:33:05 +00:00
|
|
|
if self._is_grey:
|
2021-07-12 13:47:18 +00:00
|
|
|
fgcolor = color_map[GREY_OUT]
|
2021-06-09 16:11:48 +00:00
|
|
|
writer.setcolor(fgcolor, bgcolor)
|
2021-06-11 14:33:05 +00:00
|
|
|
writer.printstring(text, invert)
|
2021-06-09 16:11:48 +00:00
|
|
|
writer.setcolor() # Restore defaults
|
|
|
|
|
|
|
|
def print_left(self, writer, x, y, txt, fgcolor=None, bgcolor=None, invert=False):
|
|
|
|
writer.set_textpos(ssd, y, x)
|
2021-06-11 14:33:05 +00:00
|
|
|
if self._is_grey:
|
2021-07-12 13:47:18 +00:00
|
|
|
fgcolor = color_map[GREY_OUT]
|
2021-06-09 16:11:48 +00:00
|
|
|
writer.setcolor(fgcolor, bgcolor)
|
|
|
|
writer.printstring(txt, invert)
|
|
|
|
writer.setcolor() # Restore defaults
|
|
|
|
|
|
|
|
# Greying out has only one option given limitation of 4-bit display driver
|
|
|
|
# It would be possible to do better with RGB565 but would need inverse transformation
|
|
|
|
# to (r, g, b), scale and re-convert to integer.
|
2023-04-30 11:12:20 +00:00
|
|
|
def _getcolor(self, color):
|
2022-07-19 17:31:01 +00:00
|
|
|
# Takes in an integer color, bit size dependent on driver
|
2023-04-30 11:12:20 +00:00
|
|
|
return color_map[GREY_OUT] if self._is_grey and color != color_map[BG] else color
|
2021-06-09 16:11:48 +00:00
|
|
|
|
2022-07-19 17:31:01 +00:00
|
|
|
def usegrey(self, val): # display.usegrey(True) sets greyed-out
|
2021-06-09 16:11:48 +00:00
|
|
|
self._is_grey = val
|
|
|
|
return self
|
|
|
|
|
|
|
|
# Graphics primitives: despatch to device (i.e. framebuf) or
|
|
|
|
# local function for methods not implemented by framebuf.
|
|
|
|
# These methods support greying out color overrides.
|
|
|
|
# Clear screen.
|
|
|
|
def clr_scr(self):
|
2022-09-11 04:11:57 +00:00
|
|
|
ssd.fill_rect(0, 0, self.width, self.height, color_map[BG])
|
2021-06-09 16:11:48 +00:00
|
|
|
|
|
|
|
def rect(self, x1, y1, w, h, color):
|
|
|
|
ssd.rect(x1, y1, w, h, self._getcolor(color))
|
|
|
|
|
|
|
|
def fill_rect(self, x1, y1, w, h, color):
|
|
|
|
ssd.fill_rect(x1, y1, w, h, self._getcolor(color))
|
|
|
|
|
|
|
|
def vline(self, x, y, l, color):
|
|
|
|
ssd.vline(x, y, l, self._getcolor(color))
|
|
|
|
|
|
|
|
def hline(self, x, y, l, color):
|
|
|
|
ssd.hline(x, y, l, self._getcolor(color))
|
|
|
|
|
|
|
|
def line(self, x1, y1, x2, y2, color):
|
|
|
|
ssd.line(x1, y1, x2, y2, self._getcolor(color))
|
|
|
|
|
2023-04-30 10:37:04 +00:00
|
|
|
def circle(self, x0, y0, r, color): # Draw circle (maybe grey)
|
2021-06-09 16:11:48 +00:00
|
|
|
color = self._getcolor(color)
|
2023-04-30 10:37:04 +00:00
|
|
|
ssd.ellipse(int(x0), int(y0), int(r), int(r), color)
|
2021-06-09 16:11:48 +00:00
|
|
|
|
2022-07-19 17:31:01 +00:00
|
|
|
def fillcircle(self, x0, y0, r, color): # Draw filled circle
|
2021-06-09 16:11:48 +00:00
|
|
|
color = self._getcolor(color)
|
2023-04-30 10:37:04 +00:00
|
|
|
ssd.ellipse(int(x0), int(y0), int(r), int(r), color, True)
|
2021-06-09 16:11:48 +00:00
|
|
|
|
|
|
|
def clip_rect(self, x, y, w, h, color):
|
2023-04-30 10:37:04 +00:00
|
|
|
ssd.poly(0, 0, self.crect(x, y, w, h), self._getcolor(color))
|
2021-06-09 16:11:48 +00:00
|
|
|
|
|
|
|
def fill_clip_rect(self, x, y, w, h, color):
|
2023-04-30 10:37:04 +00:00
|
|
|
ssd.poly(0, 0, self.crect(x, y, w, h), self._getcolor(color), True)
|
2021-06-09 16:11:48 +00:00
|
|
|
|
|
|
|
|
2022-07-20 10:18:21 +00:00
|
|
|
# Define an input device and populate global ssd and display objects.
|
|
|
|
class Display(DisplayIP):
|
2023-04-30 11:12:20 +00:00
|
|
|
def __init__(
|
|
|
|
self, objssd, nxt, sel, prev=None, incr=None, decr=None, encoder=False, touch=False
|
|
|
|
):
|
2022-07-20 10:18:21 +00:00
|
|
|
global display, ssd
|
|
|
|
ssd = objssd
|
2023-09-12 16:55:23 +00:00
|
|
|
if incr is False: # Special encoder-only mode
|
2024-01-16 09:58:21 +00:00
|
|
|
ev = isinstance(encoder, int)
|
2023-09-12 16:55:23 +00:00
|
|
|
assert ev and touch is False and decr is None and prev is not None, "Invalid args"
|
|
|
|
ipdev = InputEnc(nxt, sel, prev, encoder)
|
2022-07-20 10:18:21 +00:00
|
|
|
else:
|
2023-09-12 16:55:23 +00:00
|
|
|
if touch:
|
|
|
|
from gui.primitives import ESP32Touch
|
|
|
|
|
|
|
|
ESP32Touch.threshold(touch)
|
|
|
|
ipdev = Input(nxt, sel, prev, incr, decr, encoder, ESP32Touch)
|
|
|
|
else:
|
|
|
|
ipdev = Input(nxt, sel, prev, incr, decr, encoder, Pushbutton)
|
2022-07-20 10:18:21 +00:00
|
|
|
super().__init__(ipdev)
|
|
|
|
display = self
|
|
|
|
|
|
|
|
|
2021-06-09 16:11:48 +00:00
|
|
|
class Screen:
|
2022-03-24 16:59:42 +00:00
|
|
|
do_gc = True # Allow user to take control of GC
|
2021-06-09 16:11:48 +00:00
|
|
|
current_screen = None
|
2023-01-13 16:41:33 +00:00
|
|
|
is_shutdown = asyncio.Event()
|
2021-10-23 08:56:24 +00:00
|
|
|
# These events enable user code to synchronise display refresh
|
|
|
|
# to a realtime process.
|
2023-01-13 16:41:33 +00:00
|
|
|
rfsh_start = asyncio.Event() # Refresh pauses until set (set by default).
|
|
|
|
rfsh_done = asyncio.Event() # Flag a user task that a refresh was done.
|
2024-04-06 16:15:01 +00:00
|
|
|
BACK = 0
|
|
|
|
STACK = 1
|
|
|
|
REPLACE = 2
|
2021-06-09 16:11:48 +00:00
|
|
|
|
2022-02-06 12:05:38 +00:00
|
|
|
@classmethod # Called by Input when status change needs redraw of current obj
|
|
|
|
def redraw_co(cls):
|
2021-06-09 16:11:48 +00:00
|
|
|
if cls.current_screen is not None:
|
2022-02-06 12:05:38 +00:00
|
|
|
obj = cls.current_screen.get_obj()
|
|
|
|
if obj is not None:
|
|
|
|
obj.draw = True
|
2021-06-09 16:11:48 +00:00
|
|
|
|
|
|
|
@classmethod
|
2022-02-06 12:05:38 +00:00
|
|
|
def ctrl_move(cls, v):
|
2021-06-09 16:11:48 +00:00
|
|
|
if cls.current_screen is not None:
|
2022-02-06 12:05:38 +00:00
|
|
|
display.ipdev.precision(False) # Cancel precision mode
|
|
|
|
cls.current_screen.move(v)
|
2021-06-09 16:11:48 +00:00
|
|
|
|
|
|
|
@classmethod
|
2022-02-06 12:05:38 +00:00
|
|
|
def sel_ctrl(cls):
|
2021-06-09 16:11:48 +00:00
|
|
|
if cls.current_screen is not None:
|
2022-02-06 12:05:38 +00:00
|
|
|
display.ipdev.precision(False) # Cancel precision mode
|
|
|
|
cls.current_screen.do_sel()
|
2021-06-09 16:11:48 +00:00
|
|
|
|
2021-07-04 17:21:37 +00:00
|
|
|
# Adjust the value of a widget. If an encoder is used, button arg
|
2022-07-19 17:31:01 +00:00
|
|
|
# is an int (discarded), val is the delta. If using buttons, 1st
|
2021-07-04 17:21:37 +00:00
|
|
|
# arg is the button, delta is +1 or -1
|
2021-06-09 16:11:48 +00:00
|
|
|
@classmethod
|
2021-07-04 17:21:37 +00:00
|
|
|
def adjust(cls, button, val):
|
2021-06-09 16:11:48 +00:00
|
|
|
if cls.current_screen is not None:
|
2021-07-04 17:21:37 +00:00
|
|
|
cls.current_screen.do_adj(button, val)
|
2021-06-09 16:11:48 +00:00
|
|
|
|
|
|
|
# Move currency to a specific widget (e.g. ButtonList)
|
|
|
|
@classmethod
|
|
|
|
def select(cls, obj):
|
|
|
|
if cls.current_screen is not None:
|
|
|
|
return cls.current_screen.move_to(obj)
|
2022-07-19 17:31:01 +00:00
|
|
|
|
2021-06-09 16:11:48 +00:00
|
|
|
@classmethod
|
|
|
|
def show(cls, force):
|
|
|
|
for obj in cls.current_screen.displaylist:
|
2022-07-19 17:31:01 +00:00
|
|
|
if obj.visible: # In a buttonlist only show visible button
|
2021-06-09 16:11:48 +00:00
|
|
|
if force or obj.draw:
|
|
|
|
obj.show()
|
|
|
|
|
|
|
|
@classmethod
|
2024-04-06 16:15:01 +00:00
|
|
|
def change(cls, cls_new_screen, mode=1, *, args=[], kwargs={}):
|
|
|
|
ins_old = cls.current_screen
|
2024-01-16 09:58:21 +00:00
|
|
|
# If initialising ensure there is an event loop before instantiating the
|
|
|
|
# first Screen: it may create tasks in the constructor.
|
2024-04-06 16:15:01 +00:00
|
|
|
if ins_old is None:
|
2024-01-16 09:58:21 +00:00
|
|
|
loop = asyncio.get_event_loop()
|
|
|
|
else: # Leaving an existing screen
|
2024-04-06 16:15:01 +00:00
|
|
|
for entry in ins_old.tasks:
|
2021-06-16 18:00:23 +00:00
|
|
|
# Always cancel on back. Also on forward if requested.
|
2024-04-06 16:15:01 +00:00
|
|
|
if entry[1] or not mode:
|
2021-06-16 18:00:23 +00:00
|
|
|
entry[0].cancel()
|
2024-04-06 16:15:01 +00:00
|
|
|
ins_old.tasks.remove(entry) # remove from list
|
|
|
|
ins_old.on_hide() # Optional method in subclass
|
|
|
|
if mode:
|
2021-06-09 16:11:48 +00:00
|
|
|
if isinstance(cls_new_screen, type):
|
2024-04-06 16:15:01 +00:00
|
|
|
if isinstance(ins_old, Window):
|
2022-07-19 17:31:01 +00:00
|
|
|
raise ValueError("Windows are modal.")
|
2024-04-06 16:15:01 +00:00
|
|
|
if mode == cls.REPLACE and isinstance(cls_new_screen, Window):
|
|
|
|
raise ValueError("Windows must be stacked.")
|
|
|
|
ins_new = cls_new_screen(*args, **kwargs)
|
|
|
|
if not len(ins_new.lstactive):
|
2022-01-13 17:47:34 +00:00
|
|
|
raise ValueError("Screen has no active widgets.")
|
2021-06-09 16:11:48 +00:00
|
|
|
else:
|
2022-07-19 17:31:01 +00:00
|
|
|
raise ValueError("Must pass Screen class or subclass (not instance)")
|
2024-04-06 16:15:01 +00:00
|
|
|
# REPLACE: parent of new screen is parent of current screen
|
|
|
|
ins_new.parent = ins_old if mode == cls.STACK else ins_old.parent
|
2021-06-09 16:11:48 +00:00
|
|
|
else:
|
2024-04-06 16:15:01 +00:00
|
|
|
ins_new = cls_new_screen # cls_new_screen is an object, not a class
|
2022-02-06 12:05:38 +00:00
|
|
|
display.ipdev.adj_mode(False) # Ensure normal mode
|
2024-04-06 16:15:01 +00:00
|
|
|
cls.current_screen = ins_new
|
|
|
|
ins_new.on_open() # Optional subclass method
|
|
|
|
ins_new._do_open(ins_old) # Clear and redraw
|
|
|
|
ins_new.after_open() # Optional subclass method
|
|
|
|
if ins_old is None: # Initialising
|
|
|
|
loop.run_until_complete(cls.monitor()) # Starts and ends uasyncio
|
2021-06-25 09:57:25 +00:00
|
|
|
# Don't do asyncio.new_event_loop() as it prevents re-running
|
|
|
|
# the same app.
|
2021-06-09 16:11:48 +00:00
|
|
|
|
|
|
|
@classmethod
|
|
|
|
async def monitor(cls):
|
2021-06-16 18:00:23 +00:00
|
|
|
ar = asyncio.create_task(cls.auto_refresh()) # Start refreshing
|
|
|
|
await cls.is_shutdown.wait() # and wait for termination.
|
|
|
|
cls.is_shutdown.clear() # We're going down.
|
2021-06-09 16:11:48 +00:00
|
|
|
# Task cancellation and shutdown
|
|
|
|
ar.cancel() # Refresh task
|
2021-06-16 18:00:23 +00:00
|
|
|
for entry in cls.current_screen.tasks:
|
|
|
|
# Screen instance will be discarded: no need to worry about .tasks
|
2021-06-09 16:11:48 +00:00
|
|
|
entry[0].cancel()
|
2021-06-16 18:00:23 +00:00
|
|
|
await asyncio.sleep_ms(0) # Allow task cancellation to occur.
|
2021-06-09 16:11:48 +00:00
|
|
|
display.clr_scr()
|
|
|
|
ssd.show()
|
|
|
|
cls.current_screen = None # Ensure another demo can run
|
|
|
|
|
2021-06-12 16:51:17 +00:00
|
|
|
# If the display driver has an async refresh method, determine the split
|
|
|
|
# value which must be a factor of the height. In the unlikely event of
|
|
|
|
# no factor, do_refresh confers no benefit, so use synchronous code.
|
2021-10-23 08:56:24 +00:00
|
|
|
@classmethod
|
|
|
|
async def auto_refresh(cls):
|
2022-07-19 17:31:01 +00:00
|
|
|
arfsh = hasattr(ssd, "do_refresh") # Refresh can be asynchronous.
|
2021-10-23 08:56:24 +00:00
|
|
|
# By default rfsh_start is permanently set. User code can clear this.
|
|
|
|
cls.rfsh_start.set()
|
2021-06-12 16:51:17 +00:00
|
|
|
if arfsh:
|
|
|
|
h = ssd.height
|
2022-07-19 17:31:01 +00:00
|
|
|
split = max(y for y in (1, 2, 3, 5, 7) if not h % y)
|
2021-06-12 16:51:17 +00:00
|
|
|
if split == 1:
|
|
|
|
arfsh = False
|
2021-06-09 16:11:48 +00:00
|
|
|
while True:
|
2021-10-23 08:56:24 +00:00
|
|
|
await cls.rfsh_start.wait()
|
2021-06-09 16:11:48 +00:00
|
|
|
Screen.show(False) # Update stale controls. No physical refresh.
|
2022-07-19 17:31:01 +00:00
|
|
|
# Now perform physical refresh.
|
2021-06-09 16:11:48 +00:00
|
|
|
if arfsh:
|
2021-06-12 16:51:17 +00:00
|
|
|
await ssd.do_refresh(split)
|
2021-06-09 16:11:48 +00:00
|
|
|
else:
|
|
|
|
ssd.show() # Synchronous (blocking) refresh.
|
2021-10-23 08:56:24 +00:00
|
|
|
# Flag user code.
|
|
|
|
cls.rfsh_done.set()
|
|
|
|
await asyncio.sleep_ms(0) # Let user code respond to event
|
2021-06-09 16:11:48 +00:00
|
|
|
|
|
|
|
@classmethod
|
|
|
|
def back(cls):
|
|
|
|
parent = cls.current_screen.parent
|
|
|
|
if parent is None: # Closing base screen. Quit.
|
|
|
|
cls.shutdown()
|
|
|
|
else:
|
2024-04-06 16:15:01 +00:00
|
|
|
cls.change(parent, cls.BACK)
|
2021-06-09 16:11:48 +00:00
|
|
|
|
|
|
|
@classmethod
|
|
|
|
def addobject(cls, obj):
|
|
|
|
cs = cls.current_screen
|
|
|
|
if cs is None:
|
2022-07-19 17:31:01 +00:00
|
|
|
raise OSError("You must create a Screen instance")
|
2021-06-09 16:11:48 +00:00
|
|
|
# Populate list of active widgets (i.e. ones that can acquire focus).
|
|
|
|
if obj.active:
|
|
|
|
# Append to active list regrdless of disabled state which may
|
|
|
|
# change at runtime.
|
|
|
|
al = cs.lstactive
|
|
|
|
empty = al == [] or all(o.greyed_out() for o in al)
|
|
|
|
al.append(obj)
|
|
|
|
if empty and not obj.greyed_out():
|
|
|
|
cs.selected_obj = len(al) - 1 # Index into lstactive
|
|
|
|
cs.displaylist.append(obj) # All displayable objects
|
|
|
|
|
|
|
|
@classmethod
|
|
|
|
def shutdown(cls):
|
|
|
|
cls.is_shutdown.set() # Tell monitor() to shutdown
|
|
|
|
|
|
|
|
def __init__(self):
|
|
|
|
self.lstactive = [] # Controls which respond to Select button
|
|
|
|
self.selected_obj = None # Index of currently selected object
|
|
|
|
self.displaylist = [] # All displayable objects
|
2021-06-16 18:00:23 +00:00
|
|
|
self.tasks = [] # Instance can register tasks for cancellation
|
2021-06-09 16:11:48 +00:00
|
|
|
self.height = ssd.height # Occupies entire display
|
|
|
|
self.width = ssd.width
|
|
|
|
self.row = 0
|
|
|
|
self.col = 0
|
2023-04-30 11:12:20 +00:00
|
|
|
if Screen.current_screen is None and Screen.do_gc: # Initialising class and task
|
2021-06-09 16:11:48 +00:00
|
|
|
# Here we create singleton tasks
|
|
|
|
asyncio.create_task(self._garbage_collect())
|
|
|
|
Screen.current_screen = self
|
|
|
|
self.parent = None
|
|
|
|
|
2022-07-19 17:31:01 +00:00
|
|
|
def _do_open(self, old_screen): # Window overrides
|
2021-06-09 16:11:48 +00:00
|
|
|
dev = display.usegrey(False)
|
2021-07-09 18:11:27 +00:00
|
|
|
# If opening a Screen from a Window just blank and redraw covered area
|
|
|
|
if isinstance(old_screen, Window):
|
2021-06-09 16:11:48 +00:00
|
|
|
x0, y0, x1, y1, w, h = old_screen._list_dims()
|
2022-07-19 17:31:01 +00:00
|
|
|
dev.fill_rect(x0, y0, w, h, color_map[BG]) # Blank to screen BG
|
2021-06-09 16:11:48 +00:00
|
|
|
for obj in [z for z in self.displaylist if z.overlaps(x0, y0, x1, y1)]:
|
|
|
|
if obj.visible:
|
|
|
|
obj.show()
|
2021-06-16 18:00:23 +00:00
|
|
|
# Normally clear the screen and redraw everything
|
2021-06-09 16:11:48 +00:00
|
|
|
else:
|
|
|
|
dev.clr_scr() # Clear framebuf but don't update display
|
|
|
|
Screen.show(True) # Force full redraw
|
|
|
|
|
|
|
|
# Return an active control or None
|
|
|
|
# By default returns the selected control
|
|
|
|
# else checks a given control by index into lstactive
|
|
|
|
def get_obj(self, idx=None):
|
|
|
|
so = self.selected_obj if idx is None else idx
|
|
|
|
if so is not None:
|
|
|
|
co = self.lstactive[so]
|
|
|
|
if co.visible and not co.greyed_out():
|
|
|
|
return co
|
|
|
|
return None
|
|
|
|
|
|
|
|
# Move currency to next enabled control. Arg is direction of move.
|
|
|
|
def move(self, to):
|
|
|
|
if to == _FIRST:
|
|
|
|
idx = -1
|
|
|
|
up = 1
|
|
|
|
elif to == _LAST:
|
|
|
|
idx = len(self.lstactive)
|
|
|
|
up = -1
|
|
|
|
else:
|
|
|
|
idx = self.selected_obj
|
|
|
|
up = 1 if to == _NEXT else -1
|
|
|
|
|
|
|
|
lo = self.get_obj() # Old current object
|
|
|
|
done = False
|
|
|
|
while not done:
|
|
|
|
idx += up
|
|
|
|
idx %= len(self.lstactive)
|
|
|
|
co = self.get_obj(idx)
|
|
|
|
if co is not None:
|
|
|
|
if co is not lo:
|
|
|
|
self.selected_obj = idx
|
|
|
|
if lo is not None:
|
|
|
|
lo.leave() # Tell object it's losing currency.
|
|
|
|
lo.show() # Re-display with new status
|
|
|
|
co.enter() # Tell object it has currency
|
|
|
|
co.show()
|
|
|
|
done = True
|
|
|
|
|
|
|
|
# Move currency to a specific control.
|
|
|
|
def move_to(self, obj):
|
|
|
|
lo = self.get_obj() # Old current object
|
2022-07-19 17:31:01 +00:00
|
|
|
for idx in range(len(self.lstactive)):
|
2021-06-09 16:11:48 +00:00
|
|
|
co = self.get_obj(idx)
|
|
|
|
if co is obj:
|
|
|
|
self.selected_obj = idx
|
|
|
|
if lo is not None:
|
|
|
|
lo.leave() # Tell object it's losing currency.
|
|
|
|
lo.show() # Re-display with new status
|
|
|
|
co.enter() # Tell object it has currency
|
|
|
|
co.show()
|
|
|
|
return True # Success
|
|
|
|
return False
|
|
|
|
|
|
|
|
def do_sel(self): # Direct to current control
|
|
|
|
co = self.get_obj()
|
|
|
|
if co is not None:
|
|
|
|
co.do_sel()
|
|
|
|
|
2021-07-04 17:21:37 +00:00
|
|
|
def do_adj(self, button, val):
|
2021-06-09 16:11:48 +00:00
|
|
|
co = self.get_obj()
|
2022-07-19 17:31:01 +00:00
|
|
|
if co is not None and hasattr(co, "do_adj"):
|
2021-07-04 17:21:37 +00:00
|
|
|
co.do_adj(button, val) # Widget can handle up/down
|
2021-06-09 16:11:48 +00:00
|
|
|
else:
|
2021-07-04 17:21:37 +00:00
|
|
|
Screen.current_screen.move(_FIRST if val < 0 else _LAST)
|
2021-06-09 16:11:48 +00:00
|
|
|
|
|
|
|
# Methods optionally implemented in subclass
|
2022-07-19 17:31:01 +00:00
|
|
|
def on_open(self):
|
2021-06-09 16:11:48 +00:00
|
|
|
return
|
|
|
|
|
|
|
|
def after_open(self):
|
|
|
|
return
|
|
|
|
|
|
|
|
def on_hide(self):
|
|
|
|
return
|
|
|
|
|
|
|
|
def locn(self, row, col):
|
|
|
|
return self.row + row, self.col + col
|
|
|
|
|
|
|
|
# Housekeeping methods
|
|
|
|
def reg_task(self, task, on_change=False): # May be passed a coro or a Task
|
|
|
|
if isinstance(task, type_coro):
|
|
|
|
task = asyncio.create_task(task)
|
2021-06-16 18:00:23 +00:00
|
|
|
self.tasks.append((task, on_change))
|
2024-04-06 16:15:01 +00:00
|
|
|
return task
|
2021-06-09 16:11:48 +00:00
|
|
|
|
|
|
|
async def _garbage_collect(self):
|
2022-02-15 17:50:30 +00:00
|
|
|
n = 0
|
2022-03-24 17:27:03 +00:00
|
|
|
while Screen.do_gc:
|
2021-06-09 16:11:48 +00:00
|
|
|
await asyncio.sleep_ms(500)
|
|
|
|
gc.collect()
|
2022-02-15 17:50:30 +00:00
|
|
|
n += 1
|
2022-07-19 17:31:01 +00:00
|
|
|
n &= 0x1F
|
2022-02-15 17:50:30 +00:00
|
|
|
_vb and (not n) and print("Free RAM", gc.mem_free())
|
2021-06-09 16:11:48 +00:00
|
|
|
|
2022-07-19 17:31:01 +00:00
|
|
|
|
2021-06-24 08:58:57 +00:00
|
|
|
# Very basic window class. Cuts a rectangular hole in a screen on which
|
|
|
|
# content may be drawn.
|
2021-06-09 16:11:48 +00:00
|
|
|
class Window(Screen):
|
2021-06-24 08:58:57 +00:00
|
|
|
_value = None
|
2023-04-30 11:12:20 +00:00
|
|
|
|
2021-06-24 08:58:57 +00:00
|
|
|
# Allow a Window to store an arbitrary object. Retrieval may be
|
|
|
|
# done by caller, after the Window instance was deleted
|
|
|
|
@classmethod
|
|
|
|
def value(cls, val=None):
|
|
|
|
if val is not None:
|
|
|
|
cls._value = val
|
|
|
|
return cls._value
|
|
|
|
|
2022-01-14 10:29:53 +00:00
|
|
|
@staticmethod
|
|
|
|
def close(): # More intuitive name for popup window
|
|
|
|
Screen.back()
|
|
|
|
|
2022-07-19 17:31:01 +00:00
|
|
|
def __init__(
|
|
|
|
self,
|
|
|
|
row,
|
|
|
|
col,
|
|
|
|
height,
|
|
|
|
width,
|
|
|
|
*,
|
|
|
|
draw_border=True,
|
|
|
|
bgcolor=None,
|
|
|
|
fgcolor=None,
|
|
|
|
writer=None,
|
|
|
|
):
|
2021-06-09 16:11:48 +00:00
|
|
|
Screen.__init__(self)
|
|
|
|
self.row = row
|
|
|
|
self.col = col
|
|
|
|
self.height = height
|
|
|
|
self.width = width
|
|
|
|
self.draw_border = draw_border
|
2021-07-12 13:47:18 +00:00
|
|
|
self.fgcolor = fgcolor if fgcolor is not None else color_map[FG]
|
|
|
|
self.bgcolor = bgcolor if bgcolor is not None else color_map[BG]
|
2022-01-14 10:29:53 +00:00
|
|
|
if writer is not None: # Special case of popup message
|
|
|
|
DummyWidget(writer, self) # Invisible active widget
|
2021-06-09 16:11:48 +00:00
|
|
|
|
|
|
|
def _do_open(self, old_screen):
|
|
|
|
dev = display.usegrey(False)
|
|
|
|
x, y = self.col, self.row
|
|
|
|
dev.fill_rect(x, y, self.width, self.height, self.bgcolor)
|
|
|
|
if self.draw_border:
|
|
|
|
dev.rect(x, y, self.width, self.height, self.fgcolor)
|
|
|
|
Screen.show(True)
|
|
|
|
|
|
|
|
def _list_dims(self):
|
|
|
|
w = self.width
|
|
|
|
h = self.height
|
|
|
|
x = self.col
|
|
|
|
y = self.row
|
|
|
|
return x, y, x + w, y + h, w, h
|
|
|
|
|
2022-07-19 17:31:01 +00:00
|
|
|
|
2021-06-09 16:11:48 +00:00
|
|
|
# Base class for all displayable objects
|
|
|
|
class Widget:
|
2022-07-19 17:31:01 +00:00
|
|
|
def __init__(
|
|
|
|
self,
|
|
|
|
writer,
|
|
|
|
row,
|
|
|
|
col,
|
|
|
|
height,
|
|
|
|
width,
|
|
|
|
fgcolor,
|
|
|
|
bgcolor,
|
|
|
|
bdcolor,
|
|
|
|
value=None,
|
|
|
|
active=False,
|
|
|
|
):
|
2021-06-09 16:11:48 +00:00
|
|
|
self.active = active
|
2022-02-07 18:51:16 +00:00
|
|
|
# By default widgets cannot be adjusted: no green border in adjust mode
|
|
|
|
self.adjustable = False
|
2021-06-09 16:11:48 +00:00
|
|
|
self._greyed_out = False
|
|
|
|
Screen.addobject(self)
|
|
|
|
self.screen = Screen.current_screen
|
|
|
|
writer.set_clip(True, True, False) # Disable scrolling text
|
|
|
|
self.writer = writer
|
|
|
|
# The following assumes that the widget is mal-positioned, not oversize.
|
|
|
|
if row < 0:
|
|
|
|
row = 0
|
|
|
|
self.warning()
|
|
|
|
elif row + height >= ssd.height:
|
|
|
|
row = ssd.height - height - 1
|
|
|
|
self.warning()
|
|
|
|
if col < 0:
|
|
|
|
col = 0
|
|
|
|
self.warning()
|
|
|
|
elif col + width >= ssd.width:
|
|
|
|
col = ssd.width - width - 1
|
|
|
|
self.warning()
|
|
|
|
self.row = row
|
|
|
|
self.col = col
|
|
|
|
self.height = height
|
|
|
|
self.width = width
|
2021-06-25 09:57:25 +00:00
|
|
|
# Maximum row and col. Defaults for user metrics. May be overridden
|
|
|
|
self.mrow = row + height + 2 # in subclass. Allow for border.
|
|
|
|
self.mcol = col + width + 2
|
2022-07-19 17:31:01 +00:00
|
|
|
self.visible = True # Used by ButtonList class for invisible buttons
|
2021-06-09 16:11:48 +00:00
|
|
|
self.draw = True # Signals that obect must be redrawn
|
|
|
|
self._value = value
|
|
|
|
|
2021-07-08 12:18:05 +00:00
|
|
|
# Set colors. Writer colors cannot be None:
|
|
|
|
# bg == 0, fg == 1 are ultimate (monochrome) defaults.
|
2021-06-09 16:11:48 +00:00
|
|
|
if fgcolor is None:
|
|
|
|
fgcolor = writer.fgcolor
|
|
|
|
if bgcolor is None:
|
2021-06-10 12:23:18 +00:00
|
|
|
bgcolor = writer.bgcolor
|
2021-06-09 16:11:48 +00:00
|
|
|
if bdcolor is None:
|
|
|
|
bdcolor = fgcolor
|
|
|
|
self.fgcolor = fgcolor
|
|
|
|
self.bgcolor = bgcolor
|
|
|
|
# bdcolor is False if no border is to be drawn
|
|
|
|
self.bdcolor = bdcolor
|
2022-02-06 12:05:38 +00:00
|
|
|
# Default colors allow restoration after dynamic change (Label)
|
2021-06-09 16:11:48 +00:00
|
|
|
self.def_fgcolor = fgcolor
|
|
|
|
self.def_bgcolor = bgcolor
|
|
|
|
self.def_bdcolor = bdcolor
|
|
|
|
# has_border is True if a border was drawn
|
|
|
|
self.has_border = False
|
2023-04-30 10:37:04 +00:00
|
|
|
self.callback = lambda *_: None # Value change callback
|
2021-06-09 16:11:48 +00:00
|
|
|
self.args = []
|
|
|
|
|
|
|
|
def warning(self):
|
2022-07-19 17:31:01 +00:00
|
|
|
print(
|
|
|
|
"Warning: attempt to create {} outside screen dimensions.".format(
|
|
|
|
self.__class__.__name__
|
|
|
|
)
|
|
|
|
)
|
2021-06-09 16:11:48 +00:00
|
|
|
|
2022-07-19 17:31:01 +00:00
|
|
|
def value(self, val=None): # User method to get or set value
|
2021-06-09 16:11:48 +00:00
|
|
|
if val is not None:
|
|
|
|
if type(val) is float:
|
|
|
|
val = min(max(val, 0.0), 1.0)
|
|
|
|
if val != self._value:
|
|
|
|
self._value = val
|
|
|
|
self.draw = True # Ensure a redraw on next refresh
|
|
|
|
self.callback(self, *self.args)
|
|
|
|
return self._value
|
|
|
|
|
2021-07-07 11:54:05 +00:00
|
|
|
def __call__(self, val=None):
|
|
|
|
return self.value(val)
|
|
|
|
|
2021-06-09 16:11:48 +00:00
|
|
|
# Some widgets (e.g. Dial) have an associated Label
|
|
|
|
def text(self, text=None, invert=False, fgcolor=None, bgcolor=None, bdcolor=None):
|
2022-07-19 17:31:01 +00:00
|
|
|
if hasattr(self, "label"):
|
2021-06-09 16:11:48 +00:00
|
|
|
self.label.value(text, invert, fgcolor, bgcolor, bdcolor)
|
|
|
|
else:
|
2023-04-30 11:12:20 +00:00
|
|
|
raise ValueError("Method {}.text does not exist.".format(self.__class__.__name__))
|
2021-06-09 16:11:48 +00:00
|
|
|
|
|
|
|
# Called from subclass prior to populating framebuf with control
|
|
|
|
def show(self, black=True):
|
|
|
|
if self.screen != Screen.current_screen:
|
|
|
|
# Can occur if a control's action is to change screen.
|
|
|
|
return False # Subclass abandons
|
|
|
|
self.draw = False
|
|
|
|
self.draw_border()
|
|
|
|
# Blank controls' space
|
|
|
|
if self.visible:
|
|
|
|
dev = display.usegrey(self._greyed_out)
|
|
|
|
x = self.col
|
|
|
|
y = self.row
|
2023-04-30 11:12:20 +00:00
|
|
|
dev.fill_rect(x, y, self.width, self.height, color_map[BG] if black else self.bgcolor)
|
2021-06-09 16:11:48 +00:00
|
|
|
return True
|
|
|
|
|
2022-07-19 17:31:01 +00:00
|
|
|
# Called by Screen.show(). Draw background and bounding box if required.
|
|
|
|
# Border is always 2 pixels wide, outside control's bounding box
|
2021-06-09 16:11:48 +00:00
|
|
|
def draw_border(self):
|
|
|
|
if self.screen is Screen.current_screen:
|
|
|
|
dev = display.usegrey(self._greyed_out)
|
|
|
|
x = self.col - 2
|
|
|
|
y = self.row - 2
|
|
|
|
w = self.width + 4
|
|
|
|
h = self.height + 4
|
2022-07-19 17:31:01 +00:00
|
|
|
# print('border', self, display.ipdev.is_adjust())
|
2022-01-14 10:29:53 +00:00
|
|
|
if self.has_focus() and not isinstance(self, DummyWidget):
|
2021-07-12 13:47:18 +00:00
|
|
|
color = color_map[FOCUS]
|
2022-07-19 17:31:01 +00:00
|
|
|
precision = (
|
|
|
|
hasattr(self, "do_precision")
|
|
|
|
and self.do_precision
|
|
|
|
and display.ipdev.is_precision()
|
|
|
|
)
|
2022-02-06 12:05:38 +00:00
|
|
|
if precision:
|
2021-06-16 13:15:06 +00:00
|
|
|
color = self.prcolor
|
2022-02-07 18:51:16 +00:00
|
|
|
elif display.ipdev.is_adjust() and self.adjustable:
|
2022-02-06 12:05:38 +00:00
|
|
|
color = color_map[ADJUSTING]
|
2021-06-16 13:15:06 +00:00
|
|
|
dev.rect(x, y, w, h, color)
|
2021-06-09 16:11:48 +00:00
|
|
|
self.has_border = True
|
|
|
|
else:
|
|
|
|
if isinstance(self.bdcolor, bool): # No border
|
|
|
|
if self.has_border: # Border exists: erase it
|
2021-07-12 13:47:18 +00:00
|
|
|
dev.rect(x, y, w, h, color_map[BG])
|
2021-06-09 16:11:48 +00:00
|
|
|
self.has_border = False
|
|
|
|
elif self.bdcolor: # Border is required
|
|
|
|
dev.rect(x, y, w, h, self.bdcolor)
|
|
|
|
self.has_border = True
|
|
|
|
|
2022-07-19 17:31:01 +00:00
|
|
|
def overlaps(self, xa, ya, xb, yb): # Args must be sorted: xb > xa and yb > ya
|
2021-06-09 16:11:48 +00:00
|
|
|
x0 = self.col
|
|
|
|
y0 = self.row
|
|
|
|
x1 = x0 + self.width
|
|
|
|
y1 = y0 + self.height
|
|
|
|
if (ya <= y1 and yb >= y0) and (xa <= x1 and xb >= x0):
|
|
|
|
return True
|
|
|
|
return False
|
|
|
|
|
|
|
|
def _set_callbacks(self, cb, args): # Runs when value changes.
|
|
|
|
self.callback = cb
|
|
|
|
self.args = args
|
|
|
|
|
|
|
|
def has_focus(self):
|
|
|
|
if self.active:
|
|
|
|
cs = Screen.current_screen
|
|
|
|
if (cso := cs.selected_obj) is not None:
|
|
|
|
return cs.lstactive[cso] is self
|
|
|
|
return False
|
|
|
|
|
|
|
|
def greyed_out(self, val=None):
|
|
|
|
if val is not None and self.active and self._greyed_out != val:
|
|
|
|
self._greyed_out = val
|
|
|
|
if self.screen is Screen.current_screen:
|
|
|
|
display.usegrey(val)
|
|
|
|
self.show()
|
|
|
|
return self._greyed_out
|
|
|
|
|
|
|
|
# Button press methods. Called from Screen if object not greyed out.
|
|
|
|
# For subclassing if specific behaviour is required.
|
|
|
|
def do_sel(self): # Select button was pushed
|
|
|
|
pass
|
|
|
|
|
|
|
|
def enter(self): # Control has acquired focus
|
|
|
|
pass
|
|
|
|
|
|
|
|
def leave(self): # Control has lost focus
|
|
|
|
pass
|
|
|
|
|
|
|
|
# Optional methods. Implement for controls which respond to up and down.
|
|
|
|
# No dummy methods as these would prevent "first" and "last" focus movement
|
|
|
|
# when current control has focus but is inactive.
|
|
|
|
# def do_up(self, button)
|
|
|
|
# def do_down(self, button)
|
|
|
|
|
2022-07-19 17:31:01 +00:00
|
|
|
|
2021-06-09 16:11:48 +00:00
|
|
|
# A LinearIO widget uses the up and down buttons to vary a float. Such widgets
|
|
|
|
# have do_up and do_down methods which adjust the control's value in a
|
|
|
|
# time-dependent manner.
|
|
|
|
class LinearIO(Widget):
|
2022-07-19 17:31:01 +00:00
|
|
|
def __init__(
|
|
|
|
self,
|
|
|
|
writer,
|
|
|
|
row,
|
|
|
|
col,
|
|
|
|
height,
|
|
|
|
width,
|
|
|
|
fgcolor,
|
|
|
|
bgcolor,
|
|
|
|
bdcolor,
|
|
|
|
value=None,
|
|
|
|
active=True,
|
|
|
|
prcolor=False,
|
|
|
|
min_delta=0.01,
|
|
|
|
max_delta=0.1,
|
|
|
|
):
|
2021-06-09 16:11:48 +00:00
|
|
|
self.min_delta = min_delta
|
|
|
|
self.max_delta = max_delta
|
2023-04-30 11:12:20 +00:00
|
|
|
super().__init__(writer, row, col, height, width, fgcolor, bgcolor, bdcolor, value, active)
|
2022-02-07 18:51:16 +00:00
|
|
|
self.adjustable = True # Can show adjustable border
|
2021-06-22 08:01:40 +00:00
|
|
|
self.do_precision = prcolor is not False
|
|
|
|
if self.do_precision:
|
2021-07-12 13:47:18 +00:00
|
|
|
self.prcolor = color_map[PRECISION] if prcolor is None else prcolor
|
2021-06-09 16:11:48 +00:00
|
|
|
|
2021-07-04 17:21:37 +00:00
|
|
|
# Adjust widget's value. Args: button pressed, amount of increment
|
|
|
|
def do_adj(self, button, val):
|
2022-02-06 12:05:38 +00:00
|
|
|
d = self.min_delta * 0.1 if self.precision() else self.min_delta
|
2021-07-04 17:21:37 +00:00
|
|
|
self.value(self.value() + val * d)
|
2022-02-06 12:05:38 +00:00
|
|
|
if not display.ipdev.encoder():
|
2021-07-04 17:21:37 +00:00
|
|
|
asyncio.create_task(self.btnhan(button, val, d))
|
2021-06-09 16:11:48 +00:00
|
|
|
|
2021-06-16 13:15:06 +00:00
|
|
|
# Handle increase and decrease buttons. Redefined by textbox.py, scale_log.py
|
2021-07-04 17:21:37 +00:00
|
|
|
async def btnhan(self, button, up, d):
|
2023-04-30 11:12:20 +00:00
|
|
|
maxd = self.max_delta if self.precision() else d * 4 # Why move fast in precision mode?
|
2021-06-09 16:11:48 +00:00
|
|
|
t = ticks_ms()
|
2022-02-06 12:05:38 +00:00
|
|
|
while button():
|
2021-06-09 16:11:48 +00:00
|
|
|
await asyncio.sleep_ms(0) # Quit fast on button release
|
|
|
|
if ticks_diff(ticks_ms(), t) > 500: # Button was held down
|
2021-06-16 13:15:06 +00:00
|
|
|
d = min(maxd, d * 2)
|
2021-06-09 16:11:48 +00:00
|
|
|
self.value(self.value() + up * d)
|
|
|
|
t = ticks_ms()
|
2021-06-16 13:15:06 +00:00
|
|
|
|
2022-02-06 12:05:38 +00:00
|
|
|
# Get current status (also used by scale_log widget)
|
|
|
|
def precision(self):
|
|
|
|
return self.do_precision and display.ipdev.is_precision()
|
2021-06-16 13:15:06 +00:00
|
|
|
|
2022-07-19 17:31:01 +00:00
|
|
|
|
2022-01-14 10:29:53 +00:00
|
|
|
# The dummy enables popup windows by satisfying the need for at least one active
|
|
|
|
# widget on a screen. It is invisible and is drawn by Window constructor before
|
|
|
|
# any user labels..
|
|
|
|
class DummyWidget(Widget):
|
|
|
|
def __init__(self, writer, window):
|
2022-07-19 17:31:01 +00:00
|
|
|
super().__init__(
|
|
|
|
writer,
|
|
|
|
window.row + 1,
|
|
|
|
window.col + 1,
|
|
|
|
4,
|
|
|
|
4,
|
|
|
|
window.fgcolor,
|
|
|
|
window.bgcolor,
|
|
|
|
False,
|
|
|
|
None,
|
|
|
|
True,
|
|
|
|
)
|