1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License in the LICENSE-APACHE file or at:
// https://www.apache.org/licenses/LICENSE-2.0
//! Standard messages
//!
//! These are messages that may be sent via [`EventCx::push`](crate::event::EventCx::push).
#[allow(unused)] use crate::Events;
use std::any::Any;
use std::fmt::Debug;
use crate::event::PhysicalKey;
/// Message: activate
///
/// Example: a button's label has a keyboard shortcut; this message is sent by the label to
/// trigger the button.
///
/// Payload: the key press which caused this message to be emitted, if any.
#[derive(Copy, Clone, Debug)]
pub struct Activate(pub Option<PhysicalKey>);
/// Message: select child
///
/// Example: a list supports selection; a child emits this to cause itself to be selected.
#[derive(Clone, Debug)]
pub struct Select;
/// A type-erased value
///
/// This is vaguely a wrapper over `Box<dyn (Any + Debug)>`, except that Rust
/// doesn't (yet) support multi-trait objects.
pub struct Erased {
// TODO: use trait_upcasting feature when stable: Box<dyn AnyDebug>
// where trait AnyDebug: Any + Debug {}. This replaces the fmt field.
any: Box<dyn Any>,
#[cfg(debug_assertions)]
fmt: String,
}
impl Erased {
/// Construct
pub fn new<V: Any + Debug>(v: V) -> Self {
#[cfg(debug_assertions)]
let fmt = format!("{}::{:?}", std::any::type_name::<V>(), &v);
let any = Box::new(v);
Erased {
#[cfg(debug_assertions)]
fmt,
any,
}
}
/// Returns `true` if the inner type is the same as `T`.
pub fn is<T: 'static>(&self) -> bool {
self.any.is::<T>()
}
/// Attempt to downcast self to a concrete type.
pub fn downcast<T: 'static>(self) -> Result<Box<T>, Box<dyn Any>> {
self.any.downcast::<T>()
}
/// Returns some reference to the inner value if it is of type `T`, or `None` if it isn’t.
pub fn downcast_ref<T: 'static>(&self) -> Option<&T> {
self.any.downcast_ref::<T>()
}
}
/// Support debug formatting
///
/// Debug builds only. On release builds, a placeholder message is printed.
impl std::fmt::Debug for Erased {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> Result<(), std::fmt::Error> {
#[cfg(debug_assertions)]
let r = f.write_str(&self.fmt);
#[cfg(not(debug_assertions))]
let r = f.write_str("[use debug build to see value]");
r
}
}
/// Like Erased, but supporting Send
#[derive(Debug)]
pub(crate) struct SendErased {
any: Box<dyn Any + Send>,
#[cfg(debug_assertions)]
fmt: String,
}
impl SendErased {
/// Construct
pub fn new<V: Any + Send + Debug>(v: V) -> Self {
#[cfg(debug_assertions)]
let fmt = format!("{}::{:?}", std::any::type_name::<V>(), &v);
let any = Box::new(v);
SendErased {
#[cfg(debug_assertions)]
fmt,
any,
}
}
/// Convert to [`Erased`]
pub fn into_erased(self) -> Erased {
Erased {
any: self.any,
#[cfg(debug_assertions)]
fmt: self.fmt,
}
}
}
/// A type-erased message stack
///
/// This is a stack over [`Erased`], with some downcasting methods.
/// It is a component of [`EventCx`](crate::event::EventCx) and usually only
/// used through that, thus the interface here is incomplete.
#[must_use]
#[derive(Debug, Default)]
pub struct MessageStack {
base: usize,
stack: Vec<Erased>,
}
impl MessageStack {
/// Construct an empty stack
#[inline]
pub fn new() -> Self {
MessageStack::default()
}
/// Set the "stack base" to the current length
///
/// Any messages on the stack before this method is called cannot be removed
/// until the base has been reset. This allows multiple widget tree
/// traversals with a single stack.
#[inline]
pub(crate) fn set_base(&mut self) {
self.base = self.stack.len();
}
/// Reset the base; return true if messages are available after reset
#[inline]
pub(crate) fn reset_and_has_any(&mut self) -> bool {
self.base = 0;
!self.stack.is_empty()
}
/// True if the stack has messages available
#[inline]
pub fn has_any(&self) -> bool {
self.stack.len() > self.base
}
/// Push a type-erased message to the stack
#[inline]
pub(crate) fn push_erased(&mut self, msg: Erased) {
self.stack.push(msg);
}
/// Try popping the last message from the stack with the given type
///
/// This method may be called from [`Events::handle_messages`].
pub fn try_pop<M: Debug + 'static>(&mut self) -> Option<M> {
if self.has_any() && self.stack.last().map(|m| m.is::<M>()).unwrap_or(false) {
self.stack.pop().unwrap().downcast::<M>().ok().map(|m| *m)
} else {
None
}
}
/// Try observing the last message on the stack without popping
///
/// This method may be called from [`Events::handle_messages`].
pub fn try_observe<M: Debug + 'static>(&self) -> Option<&M> {
if self.has_any() {
self.stack.last().and_then(|m| m.downcast_ref::<M>())
} else {
None
}
}
}
impl Drop for MessageStack {
fn drop(&mut self) {
for msg in self.stack.drain(..) {
log::warn!(target: "kas_core::erased", "unhandled: {msg:?}");
}
}
}