zng_app/widget.rs
1//! Widget, UI node API.
2
3pub mod base;
4pub mod border;
5pub mod builder;
6pub mod info;
7pub mod inspector;
8pub mod node;
9
10mod easing;
11pub use easing::*;
12
13use atomic::Atomic;
14use parking_lot::{Mutex, RwLock};
15use std::{
16 borrow::Cow,
17 pin::Pin,
18 sync::{Arc, atomic::Ordering::Relaxed},
19};
20use zng_app_context::context_local;
21use zng_clone_move::clmv;
22use zng_handle::Handle;
23use zng_layout::unit::{DipPoint, DipToPx as _, Layout1d, Layout2d, Px, PxPoint, PxTransform};
24use zng_state_map::{OwnedStateMap, StateId, StateMapMut, StateMapRef, StateValue};
25use zng_task::UiTask;
26use zng_txt::{Txt, formatx};
27use zng_var::{AnyVar, BoxAnyVarValue, ResponseVar, VARS, Var, VarHandle, VarHandles, VarHookArgs, VarUpdateId, VarValue};
28use zng_view_api::display_list::ReuseRange;
29
30use crate::{
31 event::{AnyEvent, Event, EventArgs},
32 handler::{APP_HANDLER, AppWeakHandle, Handler, HandlerExt as _, HandlerResult},
33 update::{LayoutUpdates, RenderUpdates, UPDATES, UpdateFlags, UpdateOp, UpdatesTrace},
34 window::WINDOW,
35};
36
37use self::info::{WidgetBorderInfo, WidgetBoundsInfo, WidgetInfo};
38
39// proc-macros used internally during widget creation.
40#[doc(hidden)]
41pub use zng_app_proc_macros::{property_impl, property_meta, widget_new};
42
43pub use zng_app_proc_macros::{property, widget, widget_mixin};
44
45/// <span data-del-macro-root></span> Sets properties and when condition on a widget builder.
46///
47/// # Examples
48///
49/// ```
50/// # use zng_app::{*, widget::{base::*, node::*, widget, property}};
51/// # use zng_var::*;
52/// # #[property(CONTEXT)] pub fn enabled(child: impl IntoUiNode, enabled: impl IntoVar<bool>) -> UiNode { child.into_node() }
53/// # #[widget($crate::Wgt)]
54/// # pub struct Wgt(WidgetBase);
55/// # fn main() {
56/// # let flag = true;
57/// #
58/// let mut wgt = Wgt::widget_new();
59///
60/// if flag {
61/// widget_set! {
62/// &mut wgt;
63/// enabled = false;
64/// }
65/// }
66///
67/// widget_set! {
68/// &mut wgt;
69/// id = "wgt";
70/// }
71///
72/// let wgt = wgt.widget_build();
73/// # }
74/// ```
75///
76/// In the example above the widget will always build with custom `id`, but only will set `enabled = false` when `flag` is `true`.
77///
78/// Note that properties are designed to have a default *neutral* value that behaves as if unset, in the example case you could more easily write:
79///
80/// ```
81/// # zng_app::enable_widget_macros!();
82/// # use zng_app::{*, widget::{node::*, base::*, widget, property}};
83/// # use zng_color::*;
84/// # use zng_var::*;
85/// # #[widget($crate::Wgt)] pub struct Wgt(WidgetBase);
86/// # #[property(CONTEXT)] pub fn enabled(child: impl IntoUiNode, enabled: impl IntoVar<bool>) -> UiNode { child.into_node() }
87/// # fn main() {
88/// # let flag = true;
89/// let wgt = Wgt! {
90/// enabled = !flag;
91/// id = "wgt";
92/// };
93/// # }
94/// ```
95///
96/// You should use this macro only in contexts where a widget will be build in steps, or in very hot code paths where a widget
97/// has many properties and only some will be non-default per instance.
98///
99/// # Property Assign
100///
101/// Properties can be assigned using the `property = value;` syntax, this expands to a call to the property method, either
102/// directly implemented on the widget or from a trait.
103///
104/// ```
105/// # use zng_app::{*, widget::{node::*, property}};
106/// # use zng_color::*;
107/// # use zng_var::*;
108/// # use zng_layout::unit::*;
109/// # #[property(CONTEXT)] pub fn background_color(child: impl IntoUiNode, color: impl IntoVar<Rgba>) -> UiNode { child.into_node() }
110/// # fn main() {
111/// # let wgt = zng_app::widget::base::WidgetBase! {
112/// id = "name";
113/// background_color = colors::BLUE;
114/// # }; }
115/// ```
116///
117/// The example above is equivalent to:
118///
119/// ```
120/// # use zng_app::{*, widget::{node::*, property}};
121/// # use zng_color::*;
122/// # use zng_var::*;
123/// # use zng_layout::unit::*;
124/// # #[property(CONTEXT)] pub fn background_color(child: impl IntoUiNode, color: impl IntoVar<Rgba>) -> UiNode { child.into_node() }
125/// # fn main() {
126/// # let mut wgt = zng_app::widget::base::WidgetBase::widget_new();
127/// wgt.id("name");
128/// wgt.background_color(colors::BLUE);
129/// # }
130/// ```
131///
132/// Note that `id` is an intrinsic property inherited from [`WidgetBase`], but `background_color` is an extension property declared
133/// by a [`property`] function. Extension properties require `&mut self` access to the widget, intrinsic properties only require `&self`,
134/// this is done so that IDEs that use a different style for mutable methods highlight the properties that are not intrinsic to the widget.
135///
136/// ## Path Assign
137///
138/// A full or partial path can be used to specify exactly what extension property will be set:
139///
140/// ```
141/// # use zng_app::{*, widget::{node::*, property}};
142/// # use zng_color::*;
143/// # use zng_var::*;
144/// # use zng_layout::unit::*;
145/// # #[property(CONTEXT)] pub fn background_color(child: impl IntoUiNode, color: impl IntoVar<Rgba>) -> UiNode { child.into_node() }
146/// # fn main() {
147/// # let wgt = zng_app::widget::base::WidgetBase! {
148/// self::background_color = colors::BLUE;
149/// # }; }
150/// ```
151///
152/// In the example above `self::background_color` specify that an extension property that is imported in the `self` module must be set,
153/// even if the widget gets an intrinsic `background_color` property the extension property will still be used.
154///
155/// The example above is equivalent to:
156///
157/// ```
158/// # use zng_app::{*, widget::{node::*, property}};
159/// # use zng_color::*;
160/// # use zng_var::*;
161/// # use zng_layout::unit::*;
162/// # #[property(CONTEXT)] pub fn background_color(child: impl IntoUiNode, color: impl IntoVar<Rgba>) -> UiNode { child.into_node() }
163/// # fn main() {
164/// # let mut wgt = zng_app::widget::base::WidgetBase::widget_new();
165/// self::background_color::background_color(&mut wgt, colors::BLUE);
166/// # }
167/// ```
168///
169/// ## Named Assign
170///
171/// Properties can have multiple parameters, multiple parameters can be set using the struct init syntax:
172///
173/// ```rust,no_fmt
174/// # use zng_app::{*, widget::{node::*, property}};
175/// # use zng_color::*;
176/// # use zng_var::*;
177/// # use zng_layout::unit::*;
178/// # #[property(CONTEXT)] pub fn border(child: impl IntoUiNode, widths: impl IntoVar<SideOffsets>, sides: impl IntoVar<Rgba>) -> UiNode { child.into_node() }
179/// # fn main() {
180/// # let wgt = zng_app::widget::base::WidgetBase! {
181/// border = {
182/// widths: 1,
183/// sides: colors::RED,
184/// };
185/// # }; }
186/// ```
187///
188/// Note that just like in struct init the parameters don't need to be in order:
189///
190/// ```rust,no_fmt
191/// # use zng_app::{*, widget::{node::*, property}};
192/// # use zng_color::*;
193/// # use zng_var::*;
194/// # use zng_layout::unit::*;
195/// # #[property(CONTEXT)] pub fn border(child: impl IntoUiNode, widths: impl IntoVar<SideOffsets>, sides: impl IntoVar<Rgba>) -> UiNode { child.into_node() }
196/// # fn main() {
197/// # let wgt = zng_app::widget::base::WidgetBase! {
198/// border = {
199/// sides: colors::RED,
200/// widths: 1,
201/// };
202/// # }; }
203/// ```
204///
205/// Internally each property method has auxiliary methods that validate the member names and construct the property using sorted params, therefore
206/// accepting any parameter order. Note each parameter is evaluated in the order they appear, even if they are assigned in a different order after.
207///
208/// ```rust,no_fmt
209/// # use zng_app::{*, widget::{node::*, property}};
210/// # use zng_color::*;
211/// # use zng_var::*;
212/// # use zng_layout::unit::*;
213/// # #[property(CONTEXT)] pub fn border(child: impl IntoUiNode, widths: impl IntoVar<SideOffsets>, sides: impl IntoVar<Rgba>) -> UiNode { child.into_node() }
214/// # fn main() {
215/// let mut eval_order = vec![];
216///
217/// # let wgt = zng_app::widget::base::WidgetBase! {
218/// border = {
219/// sides: {
220/// eval_order.push("sides");
221/// colors::RED
222/// },
223/// widths: {
224/// eval_order.push("widths");
225/// 1
226/// },
227/// };
228/// # };
229///
230/// assert_eq!(eval_order, vec!["sides", "widths"]);
231/// # }
232/// ```
233///
234/// ## Unnamed Assign Multiple
235///
236/// Properties with multiple parameters don't need to be set using the named syntax:
237///
238/// ```rust,no_fmt
239/// # use zng_app::{*, widget::{node::*, property}};
240/// # use zng_color::*;
241/// # use zng_var::*;
242/// # use zng_layout::unit::*;
243/// # #[property(CONTEXT)] pub fn border(child: impl IntoUiNode, widths: impl IntoVar<SideOffsets>, sides: impl IntoVar<Rgba>) -> UiNode { child.into_node() }
244/// # fn main() {
245/// # let wgt = zng_app::widget::base::WidgetBase! {
246/// border = 1, colors::RED;
247/// # }; }
248/// ```
249///
250/// The example above is equivalent to:
251///
252/// ```
253/// # use zng_app::{*, widget::{node::*, property}};
254/// # use zng_color::*;
255/// # use zng_var::*;
256/// # use zng_layout::unit::*;
257/// # #[property(CONTEXT)] pub fn border(child: impl IntoUiNode, widths: impl IntoVar<SideOffsets>, sides: impl IntoVar<Rgba>) -> UiNode { child.into_node() }
258/// # fn main() {
259/// # let mut wgt = zng_app::widget::base::WidgetBase::widget_new();
260/// wgt.border(1, colors::RED);
261/// # }
262/// ```
263///
264/// ## Shorthand Assign
265///
266/// Is a variable with the same name as a property is in context the `= name` can be omitted:
267///
268/// ```
269/// # use zng_app::{*, widget::{node::*, property}};
270/// # use zng_color::*;
271/// # use zng_var::*;
272/// # use zng_layout::unit::*;
273/// # #[property(CONTEXT)] pub fn background_color(child: impl IntoUiNode, color: impl IntoVar<Rgba>) -> UiNode { child.into_node() }
274/// # #[property(CONTEXT)] pub fn border(child: impl IntoUiNode, widths: impl IntoVar<SideOffsets>, sides: impl IntoVar<Rgba>) -> UiNode { child.into_node() }
275/// # fn main() {
276/// let id = "name";
277/// let background_color = colors::BLUE;
278/// let widths = 1;
279///
280/// let wgt = zng_app::widget::base::WidgetBase! {
281/// id;
282/// self::background_color;
283/// border = {
284/// widths,
285/// sides: colors::RED,
286/// };
287/// };
288/// # }
289/// ```
290///
291/// Note that the shorthand syntax also works for path properties and parameter names.
292///
293/// The above is equivalent to:
294///
295/// ```
296/// # use zng_app::{*, widget::{node::*, property}};
297/// # use zng_color::*;
298/// # use zng_var::*;
299/// # use zng_layout::unit::*;
300/// # #[property(CONTEXT)] pub fn background_color(child: impl IntoUiNode, color: impl IntoVar<Rgba>) -> UiNode { child.into_node() }
301/// # #[property(CONTEXT)] pub fn border(child: impl IntoUiNode, widths: impl IntoVar<SideOffsets>, sides: impl IntoVar<Rgba>) -> UiNode { child.into_node() }
302/// # fn main() {
303/// let id = "name";
304/// let background_color = colors::BLUE;
305/// let widths = 1;
306///
307/// let wgt = zng_app::widget::base::WidgetBase! {
308/// id = id;
309/// self::background_color = background_color;
310/// border = {
311/// widths: widths,
312/// sides: colors::RED,
313/// };
314/// };
315/// # }
316/// ```
317///
318/// # Property Unset
319///
320/// All properties can be assigned to an special value `unset!`, that *removes* a property, when the widget is build the
321/// unset property will not be instantiated:
322///
323/// ```rust,no_fmt
324/// # use zng_app::{*, widget::{node::*, property}};
325/// # use zng_color::*;
326/// # use zng_var::*;
327/// # use zng_layout::unit::*;
328/// # #[property(CONTEXT)] pub fn border(child: impl IntoUiNode, widths: impl IntoVar<SideOffsets>, sides: impl IntoVar<Rgba>) -> UiNode { child.into_node() }
329/// # fn main() {
330/// # let wgt = zng_app::widget::base::WidgetBase! {
331/// border = unset!;
332/// # }; }
333/// ```
334///
335/// The example above is equivalent to:
336///
337/// ```
338/// # use zng_app::{*, widget::{node::*, property}};
339/// # use zng_color::*;
340/// # use zng_var::*;
341/// # use zng_layout::unit::*;
342/// # #[property(CONTEXT)] pub fn border(child: impl IntoUiNode, widths: impl IntoVar<SideOffsets>, sides: impl IntoVar<Rgba>) -> UiNode { child.into_node() }
343/// # fn main() {
344/// # let mut wgt = zng_app::widget::base::WidgetBase::widget_new();
345/// wgt.unset_border();
346/// # }
347/// ```
348///
349/// Each property method generates an auxiliary `unset_property` method, the unset is registered in the widget builder using the current
350/// importance, in `widget_intrinsic` they only unset already inherited default assigns, in instances it unsets all inherited or
351/// previous assigns, see [`WidgetBuilder::push_unset`] for more details.
352///
353/// # Generic Properties
354///
355/// Generic properties need a *turbofish* annotation on assign:
356///
357/// ```rust,no_fmt
358/// # use zng_app::{*, widget::{node::*, property}};
359/// # use zng_color::*;
360/// # use zng_var::*;
361/// # use zng_layout::unit::*;
362/// # #[property(CONTEXT)] pub fn value<T: VarValue>(child: impl IntoUiNode, value: impl IntoVar<T>) -> UiNode { child.into_node() }
363/// #
364/// # fn main() {
365/// # let wgt = zng_app::widget::base::WidgetBase! {
366/// value::<f32> = 1.0;
367/// # };}
368/// ```
369///
370/// # When
371///
372/// Conditional property assigns can be setup using `when` blocks. A `when` block has a `bool` expression and property assigns,
373/// when the expression is `true` each property has the assigned value, unless it is overridden by a later `when` block.
374///
375/// ```rust,no_fmt
376/// # use zng_app::{*, widget::{node::*, property}};
377/// # use zng_color::*;
378/// # use zng_var::*;
379/// # use zng_layout::unit::*;
380/// # #[property(CONTEXT)] pub fn background_color(child: impl IntoUiNode, color: impl IntoVar<Rgba>) -> UiNode { child.into_node() }
381/// # #[property(EVENT)] pub fn is_pressed(child: impl IntoUiNode, state: impl IntoVar<bool>) -> UiNode { child.into_node() }
382/// # fn main() {
383/// # let _scope = APP.minimal();
384/// # let wgt = zng_app::widget::base::WidgetBase! {
385/// background_color = colors::RED;
386///
387/// when *#is_pressed {
388/// background_color = colors::GREEN;
389/// }
390/// # }; }
391/// ```
392///
393/// ## When Condition
394///
395/// The `when` block defines a condition expression, in the example above this is `*#is_pressed`. The expression can be any Rust expression
396/// that results in a [`bool`] value, you can reference properties in it using the `#` token followed by the property name or path and you
397/// can reference variables in it using the `#{var}` syntax. If a property or var is referenced the `when` block is dynamic, updating all
398/// assigned properties when the expression result changes.
399///
400/// ### Property Reference
401///
402/// The most common `when` expression reference is a property, in the example above the `is_pressed` property is instantiated for the widget
403/// and it controls when the background is set to green. Note that a reference to the value is inserted in the expression
404/// so an extra deref `*` is required. A property can also be referenced with a path, `#properties::is_pressed` also works.
405///
406/// The syntax seen so far is actually a shorthand way to reference the first input of a property, the full syntax is `#is_pressed.0` or
407/// `#is_pressed.state`. You can use the extended syntax to reference inputs of properties with more than one input, the input can be
408/// reference by tuple-style index or by name. Note that if the value it self is a tuple or `struct` you need to use the extended syntax
409/// to reference a member of the value, `#foo.0.0` or `#foo.0.name`. Methods have no ambiguity, `#foo.name()` is the same as `#foo.0.name()`.
410///
411/// Not all properties can be referenced in `when` conditions, only inputs of type `impl IntoVar<T>` and `impl IntoValue<T>` are
412/// allowed, attempting to reference a different kind of input generates a compile error.
413///
414/// ### Variable Reference
415///
416/// Other variable can also be referenced, context variables or any locally declared variable can be referenced. Like with properties
417/// the variable value is inserted in the expression as a reference so you may need to deref in case the var is a simple [`Copy`] value.
418///
419/// ```rust,no_fmt
420/// # use zng_app::{*, widget::{node::*, property, self}};
421/// # use zng_color::*;
422/// # use zng_var::*;
423/// # use zng_layout::unit::*;
424/// #
425/// # #[property(FILL)]
426/// # pub fn background_color(child: impl IntoUiNode, color: impl IntoVar<Rgba>) -> UiNode {
427/// # let _ = color;
428/// # child.into_node()
429/// # }
430/// #
431/// context_var! {
432/// pub static FOO_VAR: Vec<&'static str> = vec![];
433/// pub static BAR_VAR: bool = false;
434/// }
435///
436/// # fn main() {
437/// # let _scope = APP.minimal();
438/// # let wgt = widget::base::WidgetBase! {
439/// background_color = colors::RED;
440/// when !*#{BAR_VAR} && #{FOO_VAR}.contains(&"green") {
441/// background_color = colors::GREEN;
442/// }
443/// # };}
444/// ```
445///
446/// ## When Assigns
447///
448/// Inside the `when` block a list of property assigns is expected, most properties can be assigned, but `impl IntoValue<T>` properties cannot,
449/// you also cannot `unset!` in when assigns, a compile time error happens if the property cannot be assigned.
450///
451/// On instantiation a single instance of the property will be generated, the parameters will track the when expression state and update
452/// to the value assigned when it is `true`. When no block is `true` the value assigned to the property outside `when` blocks is used, or the property default value. When more then one block is `true` the *last* one sets the value.
453///
454/// ### Default Values
455///
456/// A when assign can be defined by a property without setting a default value, during instantiation if the property declaration has
457/// a default value it is used, or if the property was later assigned a value it is used as *default*, if it is not possible to generate
458/// a default value the property is not instantiated and the when assign is not used.
459///
460/// The same apply for properties referenced in the condition expression, note that all `is_state` properties have a default value so
461/// it is more rare that a default value is not available. If a condition property cannot be generated the entire when block is ignored.
462///
463/// # Attributes
464///
465/// Property assigns can be annotated with attributes, the `cfg` and lint attributes (`allow`, `warn`, etc.) are copied to the expanded
466/// code. Other attributes are transferred to a special token stream with metadata about the property assign, with the expectation they
467/// are custom proc-macro attributes that operate on property assigns.
468///
469/// An example of custom attribute is `#[easing]`, it provides animation transitions between the default and `when` assigns. Custom
470/// attribute implementers must parse data in a specific format, see `PropertyAssignAttributeData` in the `zng-app-proc-macros` crate.
471///
472/// [`WidgetBase`]: struct@crate::widget::base::WidgetBase
473/// [`WidgetBuilder::push_unset`]: crate::widget::builder::WidgetBuilder::push_unset
474#[macro_export]
475macro_rules! widget_set {
476 (
477 $(#[$skip:meta])*
478 $($invalid:ident)::+ = $($tt:tt)*
479 ) => {
480 compile_error!{
481 "expected `&mut <wgt>;` at the beginning"
482 }
483 };
484 (
485 $(#[$skip:meta])*
486 when = $($invalid:tt)*
487 ) => {
488 compile_error!{
489 "expected `&mut <wgt>;` at the beginning"
490 }
491 };
492 (
493 $wgt_mut:ident;
494 $($tt:tt)*
495 ) => {
496 $crate::widget::widget_set! {
497 &mut *$wgt_mut;
498 $($tt)*
499 }
500 };
501 (
502 $wgt_borrow_mut:expr;
503 $($tt:tt)*
504 ) => {
505 $crate::widget::widget_new! {
506 new {
507 let wgt__ = $wgt_borrow_mut;
508 }
509 build { }
510 set { $($tt)* }
511 }
512 };
513}
514#[doc(inline)]
515pub use widget_set;
516
517/// <span data-del-macro-root></span> Implement a property on the widget to strongly associate it with the widget.
518///
519/// Widget implemented properties can be used on the widget without needing to be imported, they also show in
520/// the widget documentation page. As a general rule only properties that are captured by the widget, or only work with the widget,
521/// or have an special meaning in the widget are implemented like this, standalone properties that can be used in
522/// any widget are not implemented.
523///
524/// Note that you can also implement a property for a widget in the property declaration using the
525/// `impl(Widget)` directive in the [`property`] macro.
526///
527/// # Syntax
528///
529/// The macro syntax is one or more impl declarations, each declaration can have docs followed by the implementation
530/// visibility, usually `pub`, followed by the path to the property function, followed by a parenthesized list of
531/// the function input arguments, terminated by semicolon.
532///
533/// `pub path::to::property(input: impl IntoVar<bool>);`
534///
535/// # Examples
536///
537/// The example below declares a widget and uses this macro to implements the `align` property for the widget.
538///
539/// ```
540/// # fn main() { }
541/// # use zng_app::widget::{*, node::{UiNode, IntoUiNode}, base::WidgetBase};
542/// # use zng_layout::unit::Align;
543/// # use zng_var::IntoVar;
544/// # mod zng { use super::*; pub mod widget { use super::*; #[zng_app::widget::property(LAYOUT)] pub fn align(child: impl IntoUiNode, align: impl IntoVar<Align>) -> UiNode { child.into_node() } } }
545/// #
546/// #[widget($crate::MyWgt)]
547/// pub struct MyWgt(WidgetBase);
548///
549/// impl MyWgt {
550/// widget_impl! {
551/// /// Docs for the property in the widget.
552/// pub zng::widget::align(align: impl IntoVar<Align>);
553/// }
554/// }
555/// ```
556#[macro_export]
557macro_rules! widget_impl {
558 (
559 $(
560 $(#[$attr:meta])*
561 $vis:vis $($property:ident)::+ ($($arg:ident : $arg_ty:ty)*);
562 )+
563 ) => {
564 $(
565 $crate::widget::property_impl! {
566 attrs { $(#[$attr])* }
567 vis { $vis }
568 path { $($property)::* }
569 args { $($arg:$arg_ty),* }
570 }
571 )+
572 }
573}
574#[doc(inline)]
575pub use widget_impl;
576
577zng_unique_id::unique_id_64! {
578 /// Unique ID of a widget.
579 ///
580 /// # Name
581 ///
582 /// IDs are only unique for the same process.
583 /// You can associate a [`name`] with an ID to give it a persistent identifier.
584 ///
585 /// [`name`]: WidgetId::name
586 pub struct WidgetId;
587}
588zng_unique_id::impl_unique_id_name!(WidgetId);
589zng_unique_id::impl_unique_id_fmt!(WidgetId);
590zng_unique_id::impl_unique_id_bytemuck!(WidgetId);
591
592zng_var::impl_from_and_into_var! {
593 /// Calls [`WidgetId::named`].
594 fn from(name: &'static str) -> WidgetId {
595 WidgetId::named(name)
596 }
597 /// Calls [`WidgetId::named`].
598 fn from(name: String) -> WidgetId {
599 WidgetId::named(name)
600 }
601 /// Calls [`WidgetId::named`].
602 fn from(name: Cow<'static, str>) -> WidgetId {
603 WidgetId::named(name)
604 }
605 /// Calls [`WidgetId::named`].
606 fn from(name: char) -> WidgetId {
607 WidgetId::named(name)
608 }
609 /// Calls [`WidgetId::named`].
610 fn from(name: Txt) -> WidgetId {
611 WidgetId::named(name)
612 }
613 fn from(id: WidgetId) -> zng_view_api::access::AccessNodeId {
614 zng_view_api::access::AccessNodeId(id.get())
615 }
616
617 fn from(some: WidgetId) -> Option<WidgetId>;
618}
619impl serde::Serialize for WidgetId {
620 fn serialize<S>(&self, serializer: S) -> Result<S::Ok, S::Error>
621 where
622 S: serde::Serializer,
623 {
624 let name = self.name();
625 if name.is_empty() {
626 use serde::ser::Error;
627 return Err(S::Error::custom("cannot serialize unnamed `WidgetId`"));
628 }
629 name.serialize(serializer)
630 }
631}
632impl<'de> serde::Deserialize<'de> for WidgetId {
633 fn deserialize<D>(deserializer: D) -> Result<Self, D::Error>
634 where
635 D: serde::Deserializer<'de>,
636 {
637 let name = Txt::deserialize(deserializer)?;
638 Ok(WidgetId::named(name))
639 }
640}
641
642/// Defines how widget update requests inside [`WIDGET::with_context`] are handled.
643#[derive(Debug, Clone, Copy, PartialEq, Eq)]
644pub enum WidgetUpdateMode {
645 /// All updates flagged during the closure call are discarded, previous pending
646 /// requests are retained.
647 ///
648 /// This mode is used by [`UiNodeOp::Measure`].
649 ///
650 /// [`UiNodeOp::Measure`]: crate::widget::node::UiNodeOp::Measure
651 Ignore,
652 /// All updates flagged after the closure call are retained and propagate to the parent widget flags.
653 ///
654 /// This is the mode is used for all [`UiNodeOp`] delegation, except measure.
655 ///
656 /// [`UiNodeOp`]: crate::widget::node::UiNodeOp
657 Bubble,
658}
659
660/// Current context widget.
661///
662/// # Panics
663///
664/// Most of the methods on this service panic if not called inside a widget context.
665pub struct WIDGET;
666impl WIDGET {
667 /// Returns `true` if called inside a widget.
668 pub fn is_in_widget(&self) -> bool {
669 !WIDGET_CTX.is_default()
670 }
671
672 /// Get the widget ID, if called inside a widget.
673 pub fn try_id(&self) -> Option<WidgetId> {
674 if self.is_in_widget() { Some(WIDGET_CTX.get().id) } else { None }
675 }
676
677 /// Get the widget info, if called inside a widget and the widget has already inited info.
678 pub fn try_info(&self) -> Option<WidgetInfo> {
679 if let Some(id) = self.try_id()
680 && let Some(info) = WINDOW.try_info()
681 {
682 return info.get(id);
683 }
684 None
685 }
686
687 /// Gets a text with detailed path to the current widget.
688 ///
689 /// This can be used to quickly identify the current widget during debug, the path printout will contain
690 /// the widget types if the inspector metadata is found for the widget.
691 ///
692 /// This method does not panic if called outside of a widget.
693 pub fn trace_path(&self) -> Txt {
694 if let Some(w_id) = WINDOW.try_id() {
695 if let Some(id) = self.try_id() {
696 let tree = WINDOW.info();
697 if let Some(wgt) = tree.get(id) {
698 wgt.trace_path()
699 } else {
700 formatx!("{w_id:?}//<no-info>/{id:?}")
701 }
702 } else {
703 formatx!("{w_id:?}//<no-widget>")
704 }
705 } else if let Some(id) = self.try_id() {
706 formatx!("<no-window>//{id:?}")
707 } else {
708 Txt::from_str("<no-widget>")
709 }
710 }
711
712 /// Gets a text with a detailed widget id.
713 ///
714 /// This can be used to quickly identify the current widget during debug, the printout will contain the widget
715 /// type if the inspector metadata is found for the widget.
716 ///
717 /// This method does not panic if called outside of a widget.
718 pub fn trace_id(&self) -> Txt {
719 if let Some(id) = self.try_id() {
720 if WINDOW.try_id().is_some() {
721 let tree = WINDOW.info();
722 if let Some(wgt) = tree.get(id) {
723 wgt.trace_id()
724 } else {
725 formatx!("{id:?}")
726 }
727 } else {
728 formatx!("{id:?}")
729 }
730 } else {
731 Txt::from("<no-widget>")
732 }
733 }
734
735 /// Get the widget ID.
736 pub fn id(&self) -> WidgetId {
737 WIDGET_CTX.get().id
738 }
739
740 /// Gets the widget info.
741 #[must_use] // easy to confuse with update_info
742 pub fn info(&self) -> WidgetInfo {
743 WINDOW.info().get(WIDGET.id()).expect("widget info not init")
744 }
745
746 /// Widget bounds, updated every layout.
747 pub fn bounds(&self) -> WidgetBoundsInfo {
748 WIDGET_CTX.get().bounds.lock().clone()
749 }
750
751 /// Widget border, updated every layout.
752 pub fn border(&self) -> WidgetBorderInfo {
753 WIDGET_CTX.get().border.lock().clone()
754 }
755
756 /// Gets the parent widget or `None` if is root.
757 ///
758 /// Panics if not called inside a widget.
759 pub fn parent_id(&self) -> Option<WidgetId> {
760 WIDGET_CTX.get().parent_id.load(Relaxed)
761 }
762
763 /// Schedule an [`UpdateOp`] for the current widget.
764 pub fn update_op(&self, op: UpdateOp) -> &Self {
765 match op {
766 UpdateOp::Update => self.update(),
767 UpdateOp::Info => self.update_info(),
768 UpdateOp::Layout => self.layout(),
769 UpdateOp::Render => self.render(),
770 UpdateOp::RenderUpdate => self.render_update(),
771 }
772 }
773
774 fn update_impl(&self, flag: UpdateFlags) -> &Self {
775 let _ = WIDGET_CTX.get().flags.fetch_update(Relaxed, Relaxed, |mut f| {
776 if !f.contains(flag) {
777 f.insert(flag);
778 Some(f)
779 } else {
780 None
781 }
782 });
783 self
784 }
785
786 /// Schedule an update for the current widget.
787 ///
788 /// After the current update the app-extensions, parent window and widgets will update again.
789 pub fn update(&self) -> &Self {
790 UpdatesTrace::log_update();
791 self.update_impl(UpdateFlags::UPDATE)
792 }
793
794 /// Schedule an info rebuild for the current widget.
795 ///
796 /// After all requested updates apply the parent window and widgets will re-build the info tree.
797 pub fn update_info(&self) -> &Self {
798 UpdatesTrace::log_info();
799 self.update_impl(UpdateFlags::INFO)
800 }
801
802 /// Schedule a re-layout for the current widget.
803 ///
804 /// After all requested updates apply the parent window and widgets will re-layout.
805 pub fn layout(&self) -> &Self {
806 UpdatesTrace::log_layout();
807 self.update_impl(UpdateFlags::LAYOUT)
808 }
809
810 /// Schedule a re-render for the current widget.
811 ///
812 /// After all requested updates and layouts apply the parent window and widgets will re-render.
813 ///
814 /// This also overrides any pending [`render_update`] request.
815 ///
816 /// [`render_update`]: Self::render_update
817 pub fn render(&self) -> &Self {
818 UpdatesTrace::log_render();
819 self.update_impl(UpdateFlags::RENDER)
820 }
821
822 /// Schedule a frame update for the current widget.
823 ///
824 /// After all requested updates and layouts apply the parent window and widgets will update the frame.
825 ///
826 /// This request is supplanted by any [`render`] request.
827 ///
828 /// [`render`]: Self::render
829 pub fn render_update(&self) -> &Self {
830 UpdatesTrace::log_render();
831 self.update_impl(UpdateFlags::RENDER_UPDATE)
832 }
833
834 /// Flags the widget to re-init after the current update returns.
835 ///
836 /// The widget responds to this request differently depending on the node method that calls it:
837 ///
838 /// * [`UiNode::init`] and [`UiNode::deinit`]: Request is ignored, removed.
839 /// * [`UiNode::update`]: If the widget is pending a reinit, it is reinited and the update ignored.
840 /// If a reinit is requested during update the widget is reinited immediately after the update.
841 /// * Other methods: Reinit request is flagged and an [`UiNode::update`] is requested for the widget.
842 ///
843 /// [`UiNode::init`]: crate::widget::node::UiNode::init
844 /// [`UiNode::deinit`]: crate::widget::node::UiNode::deinit
845 /// [`UiNode::update`]: crate::widget::node::UiNode::update
846 pub fn reinit(&self) {
847 let _ = WIDGET_CTX.get().flags.fetch_update(Relaxed, Relaxed, |mut f| {
848 if !f.contains(UpdateFlags::REINIT) {
849 f.insert(UpdateFlags::REINIT);
850 Some(f)
851 } else {
852 None
853 }
854 });
855 }
856
857 /// Calls `f` with a read lock on the current widget state map.
858 pub fn with_state<R>(&self, f: impl FnOnce(StateMapRef<WIDGET>) -> R) -> R {
859 f(WIDGET_CTX.get().state.read().borrow())
860 }
861
862 /// Calls `f` with a write lock on the current widget state map.
863 pub fn with_state_mut<R>(&self, f: impl FnOnce(StateMapMut<WIDGET>) -> R) -> R {
864 f(WIDGET_CTX.get().state.write().borrow_mut())
865 }
866
867 /// Get the widget state `id`, if it is set.
868 pub fn get_state<T: StateValue + Clone>(&self, id: impl Into<StateId<T>>) -> Option<T> {
869 let id = id.into();
870 self.with_state(|s| s.get_clone(id))
871 }
872
873 /// Require the widget state `id`.
874 ///
875 /// Panics if the `id` is not set.
876 pub fn req_state<T: StateValue + Clone>(&self, id: impl Into<StateId<T>>) -> T {
877 let id = id.into();
878 self.with_state(|s| s.req(id).clone())
879 }
880
881 /// Set the widget state `id` to `value`.
882 ///
883 /// Returns the previous set value.
884 pub fn set_state<T: StateValue>(&self, id: impl Into<StateId<T>>, value: impl Into<T>) -> Option<T> {
885 let id = id.into();
886 let value = value.into();
887 self.with_state_mut(|mut s| s.set(id, value))
888 }
889
890 /// Sets the widget state `id` without value.
891 ///
892 /// Returns if the state `id` was already flagged.
893 pub fn flag_state(&self, id: impl Into<StateId<()>>) -> bool {
894 let id = id.into();
895 self.with_state_mut(|mut s| s.flag(id))
896 }
897
898 /// Calls `init` and sets `id` if it is not already set in the widget.
899 pub fn init_state<T: StateValue>(&self, id: impl Into<StateId<T>>, init: impl FnOnce() -> T) {
900 let id = id.into();
901 self.with_state_mut(|mut s| {
902 s.entry(id).or_insert_with(init);
903 });
904 }
905
906 /// Sets the `id` to the default value if it is not already set.
907 pub fn init_state_default<T: StateValue + Default>(&self, id: impl Into<StateId<T>>) {
908 self.init_state(id.into(), Default::default)
909 }
910
911 /// Returns `true` if the `id` is set or flagged in the widget.
912 pub fn contains_state<T: StateValue>(&self, id: impl Into<StateId<T>>) -> bool {
913 let id = id.into();
914 self.with_state(|s| s.contains(id))
915 }
916
917 /// Subscribe to receive [`UpdateOp`] when the `var` changes.
918 pub fn sub_var_op(&self, op: UpdateOp, var: &AnyVar) -> &Self {
919 let w = WIDGET_CTX.get();
920 let s = var.subscribe(op, w.id);
921
922 // function to avoid generics code bloat
923 fn push(w: Arc<WidgetCtxData>, s: VarHandle) {
924 if WIDGET_HANDLES_CTX.is_default() {
925 w.handles.var_handles.lock().push(s);
926 } else {
927 WIDGET_HANDLES_CTX.get().var_handles.lock().push(s);
928 }
929 }
930 push(w, s);
931
932 self
933 }
934
935 /// Subscribe to receive [`UpdateOp`] when the `var` changes and `predicate` approves the new value.
936 ///
937 /// Note that the `predicate` does not run in the widget context, it runs on the app context.
938 pub fn sub_var_op_when<T: VarValue>(
939 &self,
940 op: UpdateOp,
941 var: &Var<T>,
942 predicate: impl Fn(&VarHookArgs<'_, T>) -> bool + Send + Sync + 'static,
943 ) -> &Self {
944 let w = WIDGET_CTX.get();
945 let s = var.subscribe_when(op, w.id, predicate);
946
947 // function to avoid generics code bloat
948 fn push(w: Arc<WidgetCtxData>, s: VarHandle) {
949 if WIDGET_HANDLES_CTX.is_default() {
950 w.handles.var_handles.lock().push(s);
951 } else {
952 WIDGET_HANDLES_CTX.get().var_handles.lock().push(s);
953 }
954 }
955 push(w, s);
956
957 self
958 }
959
960 /// Subscribe to receive updates when the `var` changes.
961 pub fn sub_var(&self, var: &AnyVar) -> &Self {
962 self.sub_var_op(UpdateOp::Update, var)
963 }
964 /// Subscribe to receive updates when the `var` changes and the `predicate` approves the new value.
965 ///
966 /// Note that the `predicate` does not run in the widget context, it runs on the app context.
967 pub fn sub_var_when<T: VarValue>(
968 &self,
969 var: &Var<T>,
970 predicate: impl Fn(&VarHookArgs<'_, T>) -> bool + Send + Sync + 'static,
971 ) -> &Self {
972 self.sub_var_op_when(UpdateOp::Update, var, predicate)
973 }
974
975 /// Subscribe to receive info rebuild requests when the `var` changes.
976 pub fn sub_var_info(&self, var: &AnyVar) -> &Self {
977 self.sub_var_op(UpdateOp::Info, var)
978 }
979 /// Subscribe to receive info rebuild requests when the `var` changes and the `predicate` approves the new value.
980 ///
981 /// Note that the `predicate` does not run in the widget context, it runs on the app context.
982 pub fn sub_var_info_when<T: VarValue>(
983 &self,
984 var: &Var<T>,
985 predicate: impl Fn(&VarHookArgs<'_, T>) -> bool + Send + Sync + 'static,
986 ) -> &Self {
987 self.sub_var_op_when(UpdateOp::Info, var, predicate)
988 }
989
990 /// Subscribe to receive layout requests when the `var` changes.
991 pub fn sub_var_layout(&self, var: &AnyVar) -> &Self {
992 self.sub_var_op(UpdateOp::Layout, var)
993 }
994 /// Subscribe to receive layout requests when the `var` changes and the `predicate` approves the new value.
995 ///
996 /// Note that the `predicate` does not run in the widget context, it runs on the app context.
997 pub fn sub_var_layout_when<T: VarValue>(
998 &self,
999 var: &Var<T>,
1000 predicate: impl Fn(&VarHookArgs<'_, T>) -> bool + Send + Sync + 'static,
1001 ) -> &Self {
1002 self.sub_var_op_when(UpdateOp::Layout, var, predicate)
1003 }
1004
1005 /// Subscribe to receive render requests when the `var` changes.
1006 pub fn sub_var_render(&self, var: &AnyVar) -> &Self {
1007 self.sub_var_op(UpdateOp::Render, var)
1008 }
1009 /// Subscribe to receive render requests when the `var` changes and the `predicate` approves the new value.
1010 ///
1011 /// Note that the `predicate` does not run in the widget context, it runs on the app context.
1012 pub fn sub_var_render_when<T: VarValue>(
1013 &self,
1014 var: &Var<T>,
1015 predicate: impl Fn(&VarHookArgs<'_, T>) -> bool + Send + Sync + 'static,
1016 ) -> &Self {
1017 self.sub_var_op_when(UpdateOp::Render, var, predicate)
1018 }
1019
1020 /// Subscribe to receive render update requests when the `var` changes.
1021 pub fn sub_var_render_update(&self, var: &AnyVar) -> &Self {
1022 self.sub_var_op(UpdateOp::RenderUpdate, var)
1023 }
1024 /// Subscribe to receive render update requests when the `var` changes and the `predicate` approves the new value.
1025 ///
1026 /// Note that the `predicate` does not run in the widget context, it runs on the app context.
1027 pub fn sub_var_render_update_when<T: VarValue>(
1028 &self,
1029 var: &Var<T>,
1030 predicate: impl Fn(&VarHookArgs<'_, T>) -> bool + Send + Sync + 'static,
1031 ) -> &Self {
1032 self.sub_var_op_when(UpdateOp::RenderUpdate, var, predicate)
1033 }
1034
1035 /// Subscribe to receive [`UpdateOp`] when the `event` notifies.
1036 pub fn sub_event_op(&self, op: UpdateOp, event: &AnyEvent) -> &Self {
1037 let w = WIDGET_CTX.get();
1038 let s = event.subscribe(op, w.id);
1039
1040 // function to avoid generics code bloat
1041 fn push(w: Arc<WidgetCtxData>, s: VarHandle) {
1042 if WIDGET_HANDLES_CTX.is_default() {
1043 w.handles.var_handles.lock().push(s);
1044 } else {
1045 WIDGET_HANDLES_CTX.get().var_handles.lock().push(s);
1046 }
1047 }
1048 push(w, s);
1049
1050 self
1051 }
1052
1053 /// Subscribe to receive [`UpdateOp`] when the `event` notifies and `predicate` approves the args.
1054 ///
1055 /// Note that the `predicate` does not run in the widget context, it runs on the app context.
1056 pub fn sub_event_op_when<A: EventArgs>(
1057 &self,
1058 op: UpdateOp,
1059 event: &Event<A>,
1060 predicate: impl Fn(&A) -> bool + Send + Sync + 'static,
1061 ) -> &Self {
1062 let w = WIDGET_CTX.get();
1063 let s = event.subscribe_when(op, w.id, predicate);
1064
1065 // function to avoid generics code bloat
1066 fn push(w: Arc<WidgetCtxData>, s: VarHandle) {
1067 if WIDGET_HANDLES_CTX.is_default() {
1068 w.handles.var_handles.lock().push(s);
1069 } else {
1070 WIDGET_HANDLES_CTX.get().var_handles.lock().push(s);
1071 }
1072 }
1073 push(w, s);
1074
1075 self
1076 }
1077
1078 /// Subscribe to receive updates when the `event` notifies.
1079 pub fn sub_event(&self, event: &AnyEvent) -> &Self {
1080 self.sub_event_op(UpdateOp::Update, event)
1081 }
1082 /// Subscribe to receive updates when the `event` notifies and the `predicate` approves the args.
1083 ///
1084 /// Note that the `predicate` does not run in the widget context, it runs on the app context.
1085 pub fn sub_event_when<A: EventArgs>(&self, event: &Event<A>, predicate: impl Fn(&A) -> bool + Send + Sync + 'static) -> &Self {
1086 self.sub_event_op_when(UpdateOp::Update, event, predicate)
1087 }
1088
1089 /// Subscribe to receive info rebuild requests when the `event` notifies.
1090 pub fn sub_event_info(&self, event: &AnyEvent) -> &Self {
1091 self.sub_event_op(UpdateOp::Info, event)
1092 }
1093 /// Subscribe to receive info rebuild requests when the `event` notifies and the `predicate` approves the args.
1094 ///
1095 /// Note that the `predicate` does not run in the widget context, it runs on the app context.
1096 pub fn sub_event_info_when<A: EventArgs>(&self, event: &Event<A>, predicate: impl Fn(&A) -> bool + Send + Sync + 'static) -> &Self {
1097 self.sub_event_op_when(UpdateOp::Info, event, predicate)
1098 }
1099
1100 /// Subscribe to receive layout requests when the `event` notifies.
1101 pub fn sub_event_layout(&self, event: &AnyEvent) -> &Self {
1102 self.sub_event_op(UpdateOp::Layout, event)
1103 }
1104 /// Subscribe to receive layout requests when the `event` notifies and the `predicate` approves the args.
1105 ///
1106 /// Note that the `predicate` does not run in the widget context, it runs on the app context.
1107 pub fn sub_event_layout_when<A: EventArgs>(&self, event: &Event<A>, predicate: impl Fn(&A) -> bool + Send + Sync + 'static) -> &Self {
1108 self.sub_event_op_when(UpdateOp::Layout, event, predicate)
1109 }
1110
1111 /// Subscribe to receive render requests when the `event` notifies.
1112 pub fn sub_event_render(&self, event: &AnyEvent) -> &Self {
1113 self.sub_event_op(UpdateOp::Render, event)
1114 }
1115 /// Subscribe to receive render requests when the `event` notifies and the `predicate` approves the args.
1116 ///
1117 /// Note that the `predicate` does not run in the widget context, it runs on the app context.
1118 pub fn sub_event_render_when<A: EventArgs>(&self, event: &Event<A>, predicate: impl Fn(&A) -> bool + Send + Sync + 'static) -> &Self {
1119 self.sub_event_op_when(UpdateOp::Render, event, predicate)
1120 }
1121
1122 /// Subscribe to receive render update requests when the `event` notifies.
1123 pub fn sub_event_render_update(&self, event: &AnyEvent) -> &Self {
1124 self.sub_event_op(UpdateOp::RenderUpdate, event)
1125 }
1126 /// Subscribe to receive render update requests when the `event` notifies and the `predicate` approves the args.
1127 ///
1128 /// Note that the `predicate` does not run in the widget context, it runs on the app context.
1129 pub fn sub_event_render_update_when<A: EventArgs>(
1130 &self,
1131 event: &Event<A>,
1132 predicate: impl Fn(&A) -> bool + Send + Sync + 'static,
1133 ) -> &Self {
1134 self.sub_event_op_when(UpdateOp::RenderUpdate, event, predicate)
1135 }
1136
1137 /// Hold the var `handle` until the widget is deinited.
1138 pub fn push_var_handle(&self, handle: VarHandle) {
1139 if WIDGET_HANDLES_CTX.is_default() {
1140 WIDGET_CTX.get().handles.var_handles.lock().push(handle);
1141 } else {
1142 WIDGET_HANDLES_CTX.get().var_handles.lock().push(handle);
1143 }
1144 }
1145
1146 /// Hold the var `handles` until the widget is deinited.
1147 pub fn push_var_handles(&self, handles: VarHandles) {
1148 if WIDGET_HANDLES_CTX.is_default() {
1149 WIDGET_CTX.get().handles.var_handles.lock().extend(handles);
1150 } else {
1151 WIDGET_HANDLES_CTX.get().var_handles.lock().extend(handles);
1152 }
1153 }
1154
1155 /// Transform point in the window space to the widget inner bounds.
1156 pub fn win_point_to_wgt(&self, point: DipPoint) -> Option<PxPoint> {
1157 let wgt_info = WIDGET.info();
1158 wgt_info
1159 .inner_transform()
1160 .inverse()?
1161 .transform_point(point.to_px(wgt_info.tree().scale_factor()))
1162 }
1163
1164 /// Gets the transform from the window space to the widget inner bounds.
1165 pub fn win_to_wgt(&self) -> Option<PxTransform> {
1166 WIDGET.info().inner_transform().inverse()
1167 }
1168
1169 /// Calls `f` with an override target for var and event subscription handles.
1170 ///
1171 /// By default when vars and events are subscribed using the methods of this service the
1172 /// subscriptions live until the widget is deinited. This method intersects these
1173 /// subscriptions, registering then in `handles` instead.
1174 pub fn with_handles<R>(&self, handles: &mut WidgetHandlesCtx, f: impl FnOnce() -> R) -> R {
1175 WIDGET_HANDLES_CTX.with_context(&mut handles.0, f)
1176 }
1177
1178 /// Calls `f` while the widget is set to `ctx`.
1179 ///
1180 /// If `update_mode` is [`WidgetUpdateMode::Bubble`] the update flags requested for the `ctx` after `f` will be copied to the
1181 /// caller widget context, otherwise they are ignored.
1182 ///
1183 /// This method can be used to manually define a widget context, note that widgets already define their own context.
1184 #[inline(always)]
1185 pub fn with_context<R>(&self, ctx: &mut WidgetCtx, update_mode: WidgetUpdateMode, f: impl FnOnce() -> R) -> R {
1186 struct Restore<'a> {
1187 update_mode: WidgetUpdateMode,
1188 parent_id: Option<WidgetId>,
1189 prev_flags: UpdateFlags,
1190 ctx: &'a mut WidgetCtx,
1191 }
1192 impl<'a> Restore<'a> {
1193 fn new(ctx: &'a mut WidgetCtx, update_mode: WidgetUpdateMode) -> Self {
1194 let parent_id = WIDGET.try_id();
1195
1196 if let Some(ctx) = ctx.0.as_mut() {
1197 ctx.parent_id.store(parent_id, Relaxed);
1198 } else {
1199 unreachable!()
1200 }
1201
1202 let prev_flags = match update_mode {
1203 WidgetUpdateMode::Ignore => ctx.0.as_mut().unwrap().flags.load(Relaxed),
1204 WidgetUpdateMode::Bubble => UpdateFlags::empty(),
1205 };
1206
1207 Self {
1208 update_mode,
1209 parent_id,
1210 prev_flags,
1211 ctx,
1212 }
1213 }
1214 }
1215 impl<'a> Drop for Restore<'a> {
1216 fn drop(&mut self) {
1217 let ctx = match self.ctx.0.as_mut() {
1218 Some(c) => c,
1219 None => return, // can happen in case of panic
1220 };
1221
1222 match self.update_mode {
1223 WidgetUpdateMode::Ignore => {
1224 ctx.flags.store(self.prev_flags, Relaxed);
1225 }
1226 WidgetUpdateMode::Bubble => {
1227 let wgt_flags = ctx.flags.load(Relaxed);
1228
1229 if let Some(parent) = self.parent_id.map(|_| WIDGET_CTX.get()) {
1230 let propagate = wgt_flags
1231 & (UpdateFlags::UPDATE
1232 | UpdateFlags::INFO
1233 | UpdateFlags::LAYOUT
1234 | UpdateFlags::RENDER
1235 | UpdateFlags::RENDER_UPDATE);
1236
1237 let _ = parent.flags.fetch_update(Relaxed, Relaxed, |mut u| {
1238 if !u.contains(propagate) {
1239 u.insert(propagate);
1240 Some(u)
1241 } else {
1242 None
1243 }
1244 });
1245 ctx.parent_id.store(None, Relaxed);
1246 } else if let Some(window_id) = WINDOW.try_id() {
1247 // is at root, register `UPDATES`
1248 UPDATES.update_flags_root(wgt_flags, window_id, ctx.id);
1249 // some builders don't clear the root widget flags like they do for other widgets.
1250 ctx.flags.store(wgt_flags & UpdateFlags::REINIT, Relaxed);
1251 } else {
1252 // used outside window
1253 UPDATES.update_flags(wgt_flags, ctx.id);
1254 ctx.flags.store(UpdateFlags::empty(), Relaxed);
1255 }
1256 }
1257 }
1258 }
1259 }
1260
1261 let mut _restore = Restore::new(ctx, update_mode);
1262 WIDGET_CTX.with_context(&mut _restore.ctx.0, f)
1263 }
1264 /// Calls `f` while no widget is available in the context.
1265 #[inline(always)]
1266 pub fn with_no_context<R>(&self, f: impl FnOnce() -> R) -> R {
1267 WIDGET_CTX.with_default(f)
1268 }
1269
1270 #[cfg(any(test, doc, feature = "test_util"))]
1271 pub(crate) fn test_root_updates(&self) {
1272 let ctx = WIDGET_CTX.get();
1273 // is at root, register `UPDATES`
1274 UPDATES.update_flags_root(ctx.flags.load(Relaxed), WINDOW.id(), ctx.id);
1275 // some builders don't clear the root widget flags like they do for other widgets.
1276 ctx.flags.store(UpdateFlags::empty(), Relaxed);
1277 }
1278
1279 pub(crate) fn layout_is_pending(&self, layout_widgets: &LayoutUpdates) -> bool {
1280 let ctx = WIDGET_CTX.get();
1281 ctx.flags.load(Relaxed).contains(UpdateFlags::LAYOUT) || layout_widgets.delivery_list().enter_widget(ctx.id)
1282 }
1283
1284 /// Remove update flag and returns if it intersected.
1285 pub(crate) fn take_update(&self, flag: UpdateFlags) -> bool {
1286 let mut r = false;
1287 let _ = WIDGET_CTX.get().flags.fetch_update(Relaxed, Relaxed, |mut f| {
1288 if f.intersects(flag) {
1289 r = true;
1290 f.remove(flag);
1291 Some(f)
1292 } else {
1293 None
1294 }
1295 });
1296 r
1297 }
1298
1299 /// Current pending updates.
1300 #[cfg(debug_assertions)]
1301 pub(crate) fn pending_update(&self) -> UpdateFlags {
1302 WIDGET_CTX.get().flags.load(Relaxed)
1303 }
1304
1305 /// Remove the render reuse range if render was not invalidated on this widget.
1306 pub(crate) fn take_render_reuse(&self, render_widgets: &RenderUpdates, render_update_widgets: &RenderUpdates) -> Option<ReuseRange> {
1307 let ctx = WIDGET_CTX.get();
1308 let mut try_reuse = true;
1309
1310 // take RENDER, RENDER_UPDATE
1311 let _ = ctx.flags.fetch_update(Relaxed, Relaxed, |mut f| {
1312 if f.intersects(UpdateFlags::RENDER | UpdateFlags::RENDER_UPDATE) {
1313 try_reuse = false;
1314 f.remove(UpdateFlags::RENDER | UpdateFlags::RENDER_UPDATE);
1315 Some(f)
1316 } else {
1317 None
1318 }
1319 });
1320
1321 if try_reuse && !render_widgets.delivery_list().enter_widget(ctx.id) && !render_update_widgets.delivery_list().enter_widget(ctx.id)
1322 {
1323 ctx.render_reuse.lock().take()
1324 } else {
1325 None
1326 }
1327 }
1328
1329 pub(crate) fn set_render_reuse(&self, range: Option<ReuseRange>) {
1330 *WIDGET_CTX.get().render_reuse.lock() = range;
1331 }
1332}
1333
1334context_local! {
1335 pub(crate) static WIDGET_CTX: WidgetCtxData = WidgetCtxData::no_context();
1336 static WIDGET_HANDLES_CTX: WidgetHandlesCtxData = WidgetHandlesCtxData::dummy();
1337}
1338
1339/// Defines the backing data of [`WIDGET`].
1340///
1341/// Each widget owns this data and calls [`WIDGET.with_context`] to delegate to it's child node.
1342///
1343/// [`WIDGET.with_context`]: WIDGET::with_context
1344pub struct WidgetCtx(Option<Arc<WidgetCtxData>>);
1345impl WidgetCtx {
1346 /// New widget context.
1347 pub fn new(id: WidgetId) -> Self {
1348 Self(Some(Arc::new(WidgetCtxData {
1349 parent_id: Atomic::new(None),
1350 id,
1351 flags: Atomic::new(UpdateFlags::empty()),
1352 state: RwLock::new(OwnedStateMap::default()),
1353 handles: WidgetHandlesCtxData::dummy(),
1354 bounds: Mutex::new(WidgetBoundsInfo::default()),
1355 border: Mutex::new(WidgetBorderInfo::default()),
1356 render_reuse: Mutex::new(None),
1357 })))
1358 }
1359
1360 /// Drops all var and event handles, clears all state.
1361 ///
1362 /// If `retain_state` is enabled the state will not be cleared and can still read.
1363 pub fn deinit(&mut self, retain_state: bool) {
1364 let ctx = self.0.as_mut().unwrap();
1365 ctx.handles.var_handles.lock().clear();
1366 ctx.flags.store(UpdateFlags::empty(), Relaxed);
1367 *ctx.render_reuse.lock() = None;
1368
1369 if !retain_state {
1370 ctx.state.write().clear();
1371 }
1372 }
1373
1374 /// Returns `true` if reinit was requested for the widget.
1375 ///
1376 /// Note that widget implementers must use [`take_reinit`] to fulfill the request.
1377 ///
1378 /// [`take_reinit`]: Self::take_reinit
1379 pub fn is_pending_reinit(&self) -> bool {
1380 self.0.as_ref().unwrap().flags.load(Relaxed).contains(UpdateFlags::REINIT)
1381 }
1382
1383 /// Returns `true` if an [`WIDGET.reinit`] request was made.
1384 ///
1385 /// Unlike other requests, the widget implement must re-init immediately.
1386 ///
1387 /// [`WIDGET.reinit`]: WIDGET::reinit
1388 pub fn take_reinit(&mut self) -> bool {
1389 let ctx = self.0.as_mut().unwrap();
1390
1391 let mut flags = ctx.flags.load(Relaxed);
1392 let r = flags.contains(UpdateFlags::REINIT);
1393 if r {
1394 flags.remove(UpdateFlags::REINIT);
1395 ctx.flags.store(flags, Relaxed);
1396 }
1397
1398 r
1399 }
1400
1401 /// Gets the widget id.
1402 pub fn id(&self) -> WidgetId {
1403 self.0.as_ref().unwrap().id
1404 }
1405 /// Gets the widget bounds.
1406 pub fn bounds(&self) -> WidgetBoundsInfo {
1407 self.0.as_ref().unwrap().bounds.lock().clone()
1408 }
1409
1410 /// Gets the widget borders.
1411 pub fn border(&self) -> WidgetBorderInfo {
1412 self.0.as_ref().unwrap().border.lock().clone()
1413 }
1414
1415 /// Call `f` with an exclusive lock to the widget state.
1416 pub fn with_state<R>(&mut self, f: impl FnOnce(&mut OwnedStateMap<WIDGET>) -> R) -> R {
1417 f(&mut self.0.as_mut().unwrap().state.write())
1418 }
1419
1420 /// Clone a reference to the widget context.
1421 ///
1422 /// This must be used only if the widget implementation is split.
1423 pub fn share(&mut self) -> Self {
1424 Self(self.0.clone())
1425 }
1426}
1427
1428pub(crate) struct WidgetCtxData {
1429 parent_id: Atomic<Option<WidgetId>>,
1430 pub(crate) id: WidgetId,
1431 flags: Atomic<UpdateFlags>,
1432 state: RwLock<OwnedStateMap<WIDGET>>,
1433 handles: WidgetHandlesCtxData,
1434 pub(crate) bounds: Mutex<WidgetBoundsInfo>,
1435 border: Mutex<WidgetBorderInfo>,
1436 render_reuse: Mutex<Option<ReuseRange>>,
1437}
1438impl WidgetCtxData {
1439 #[track_caller]
1440 fn no_context() -> Self {
1441 panic!("no widget in context")
1442 }
1443}
1444
1445struct WidgetHandlesCtxData {
1446 var_handles: Mutex<VarHandles>,
1447}
1448
1449impl WidgetHandlesCtxData {
1450 const fn dummy() -> Self {
1451 Self {
1452 var_handles: Mutex::new(VarHandles::dummy()),
1453 }
1454 }
1455}
1456
1457/// Defines the backing data for [`WIDGET.with_handles`].
1458///
1459/// [`WIDGET.with_handles`]: WIDGET::with_handles
1460pub struct WidgetHandlesCtx(Option<Arc<WidgetHandlesCtxData>>);
1461impl WidgetHandlesCtx {
1462 /// New empty.
1463 pub fn new() -> Self {
1464 Self(Some(Arc::new(WidgetHandlesCtxData::dummy())))
1465 }
1466
1467 /// Drop all handles.
1468 pub fn clear(&mut self) {
1469 let h = self.0.as_ref().unwrap();
1470 h.var_handles.lock().clear();
1471 }
1472}
1473impl Default for WidgetHandlesCtx {
1474 fn default() -> Self {
1475 Self::new()
1476 }
1477}
1478
1479/// Extension method to subscribe any widget to a variable.
1480///
1481/// Also see [`WIDGET`] methods for the primary way to subscribe from inside a widget.
1482pub trait AnyVarSubscribe {
1483 /// Register the widget to receive an [`UpdateOp`] when this variable is new.
1484 ///
1485 /// Variables without the [`NEW`] capability return [`VarHandle::dummy`].
1486 ///
1487 /// [`NEW`]: zng_var::VarCapability::NEW
1488 /// [`VarHandle::dummy`]: zng_var::VarHandle
1489 fn subscribe(&self, op: UpdateOp, widget_id: WidgetId) -> VarHandle;
1490}
1491impl AnyVarSubscribe for AnyVar {
1492 fn subscribe(&self, op: UpdateOp, widget_id: WidgetId) -> VarHandle {
1493 if !self.capabilities().is_const() {
1494 self.hook(move |_| {
1495 UPDATES.update_op(op, widget_id);
1496 true
1497 })
1498 } else {
1499 VarHandle::dummy()
1500 }
1501 }
1502}
1503
1504/// Extension methods to subscribe any widget to a variable or app handlers to a variable.
1505///
1506/// Also see [`WIDGET`] methods for the primary way to subscribe from inside a widget.
1507pub trait VarSubscribe<T: VarValue>: AnyVarSubscribe {
1508 /// Register the widget to receive an [`UpdateOp`] when this variable is new and the `predicate` approves the new value.
1509 ///
1510 /// Variables without the [`NEW`] capability return [`VarHandle::dummy`].
1511 ///
1512 /// [`NEW`]: zng_var::VarCapability::NEW
1513 /// [`VarHandle::dummy`]: zng_var::VarHandle
1514 fn subscribe_when(
1515 &self,
1516 op: UpdateOp,
1517 widget_id: WidgetId,
1518 predicate: impl Fn(&VarHookArgs<'_, T>) -> bool + Send + Sync + 'static,
1519 ) -> VarHandle;
1520
1521 /// Add a preview `handler` that is called every time this variable updates,
1522 /// the handler is called before UI update.
1523 ///
1524 /// Note that the handler runs on the app context, all [`ContextVar<T>`] used inside will have the default value.
1525 ///
1526 /// [`ContextVar<T>`]: zng_var::ContextVar
1527 fn on_pre_new(&self, handler: Handler<OnVarArgs<T>>) -> VarHandle;
1528
1529 /// Add a `handler` that is called every time this variable updates,
1530 /// the handler is called after UI update.
1531 ///
1532 /// Note that the handler runs on the app context, all [`ContextVar<T>`] used inside will have the default value.
1533 ///
1534 /// [`ContextVar<T>`]: zng_var::ContextVar
1535 fn on_new(&self, handler: Handler<OnVarArgs<T>>) -> VarHandle;
1536}
1537impl<T: VarValue> AnyVarSubscribe for Var<T> {
1538 fn subscribe(&self, op: UpdateOp, widget_id: WidgetId) -> VarHandle {
1539 self.as_any().subscribe(op, widget_id)
1540 }
1541}
1542impl<T: VarValue> VarSubscribe<T> for Var<T> {
1543 fn subscribe_when(
1544 &self,
1545 op: UpdateOp,
1546 widget_id: WidgetId,
1547 predicate: impl Fn(&VarHookArgs<'_, T>) -> bool + Send + Sync + 'static,
1548 ) -> VarHandle {
1549 self.hook(move |a| {
1550 if predicate(a) {
1551 UPDATES.update_op(op, widget_id);
1552 }
1553 true
1554 })
1555 }
1556
1557 fn on_pre_new(&self, handler: Handler<OnVarArgs<T>>) -> VarHandle {
1558 var_on_new(self, handler, true)
1559 }
1560
1561 fn on_new(&self, handler: Handler<OnVarArgs<T>>) -> VarHandle {
1562 var_on_new(self, handler, false)
1563 }
1564}
1565
1566/// Extension methods to subscribe app handlers to a response variable.
1567pub trait ResponseVarSubscribe<T: VarValue> {
1568 /// Add a `handler` that is called once when the response is received,
1569 /// the handler is called before all other UI updates.
1570 ///
1571 /// The handler is not called if already [`is_done`], in this case a dummy handle is returned.
1572 ///
1573 /// [`is_done`]: ResponseVar::is_done
1574 fn on_pre_rsp(&self, handler: Handler<OnVarArgs<T>>) -> VarHandle;
1575
1576 /// Add a `handler` that is called once when the response is received,
1577 /// the handler is called after all other UI updates.
1578 ///
1579 /// The handler is not called if already [`is_done`], in this case a dummy handle is returned.
1580 ///
1581 /// [`is_done`]: ResponseVar::is_done
1582 fn on_rsp(&self, handler: Handler<OnVarArgs<T>>) -> VarHandle;
1583}
1584impl<T: VarValue> ResponseVarSubscribe<T> for ResponseVar<T> {
1585 fn on_pre_rsp(&self, mut handler: Handler<OnVarArgs<T>>) -> VarHandle {
1586 if self.is_done() {
1587 return VarHandle::dummy();
1588 }
1589
1590 self.on_pre_new(Box::new(move |args| {
1591 if let zng_var::Response::Done(value) = &args.value {
1592 APP_HANDLER.unsubscribe();
1593 handler(&OnVarArgs::new(value.clone(), args.tags.clone()))
1594 } else {
1595 HandlerResult::Done
1596 }
1597 }))
1598 }
1599
1600 fn on_rsp(&self, mut handler: Handler<OnVarArgs<T>>) -> VarHandle {
1601 if self.is_done() {
1602 return VarHandle::dummy();
1603 }
1604
1605 self.on_new(Box::new(move |args| {
1606 if let zng_var::Response::Done(value) = &args.value {
1607 APP_HANDLER.unsubscribe();
1608 handler(&OnVarArgs::new(value.clone(), args.tags.clone()))
1609 } else {
1610 HandlerResult::Done
1611 }
1612 }))
1613 }
1614}
1615
1616fn var_on_new<T>(var: &Var<T>, handler: Handler<OnVarArgs<T>>, is_preview: bool) -> VarHandle
1617where
1618 T: VarValue,
1619{
1620 if var.capabilities().is_const() {
1621 return VarHandle::dummy();
1622 }
1623
1624 let handler = handler.into_arc();
1625 let (inner_handle_owner, inner_handle) = Handle::new(());
1626 let mut update = VarUpdateId::never();
1627 var.hook(move |args| {
1628 if inner_handle_owner.is_dropped() {
1629 return false;
1630 }
1631
1632 // already scheduled update for this cycle
1633 let u = VARS.update_id();
1634 if update == u {
1635 return true;
1636 }
1637 update = u;
1638
1639 let handle = inner_handle.downgrade();
1640 let value = args.value().clone();
1641 let tags: Vec<_> = args.tags().to_vec();
1642
1643 let update_once: Handler<crate::update::UpdateArgs> = Box::new(clmv!(handler, |_| {
1644 APP_HANDLER.unsubscribe(); // once
1645 APP_HANDLER.with(handle.clone_boxed(), is_preview, || {
1646 handler.call(&OnVarArgs::new(value.clone(), tags.clone()))
1647 })
1648 }));
1649
1650 if is_preview {
1651 UPDATES.on_pre_update(update_once).perm();
1652 } else {
1653 UPDATES.on_update(update_once).perm();
1654 }
1655 true
1656 })
1657}
1658
1659/// Arguments for a var event handler.
1660#[non_exhaustive]
1661pub struct OnVarArgs<T: VarValue> {
1662 /// The new value.
1663 pub value: T,
1664 /// Custom tag objects that where set when the value was modified.
1665 pub tags: Vec<BoxAnyVarValue>,
1666}
1667impl<T: VarValue> OnVarArgs<T> {
1668 /// New from value and custom modify tags.
1669 pub fn new(value: T, tags: Vec<BoxAnyVarValue>) -> Self {
1670 Self { value, tags }
1671 }
1672
1673 /// Reference all custom tag values of type `T`.
1674 pub fn downcast_tags<Ta: VarValue>(&self) -> impl Iterator<Item = &Ta> + '_ {
1675 self.tags.iter().filter_map(|t| (*t).downcast_ref::<Ta>())
1676 }
1677}
1678impl<T: VarValue> Clone for OnVarArgs<T> {
1679 fn clone(&self) -> Self {
1680 Self {
1681 value: self.value.clone(),
1682 tags: self.tags.iter().map(|t| (*t).clone_boxed()).collect(),
1683 }
1684 }
1685}
1686
1687/// Extension methods to layout var values.
1688pub trait VarLayout<T: VarValue> {
1689 /// Compute the pixel value in the current [`LAYOUT`] context.
1690 ///
1691 /// [`LAYOUT`]: zng_layout::context::LAYOUT
1692 fn layout(&self) -> T::Px
1693 where
1694 T: Layout2d;
1695
1696 /// Compute the pixel value in the current [`LAYOUT`] context with `default`.
1697 ///
1698 /// [`LAYOUT`]: zng_layout::context::LAYOUT
1699 fn layout_dft(&self, default: T::Px) -> T::Px
1700 where
1701 T: Layout2d;
1702
1703 /// Compute the pixel value in the current [`LAYOUT`] context ***x*** axis.
1704 ///
1705 /// [`LAYOUT`]: zng_layout::context::LAYOUT
1706 fn layout_x(&self) -> Px
1707 where
1708 T: Layout1d;
1709
1710 /// Compute the pixel value in the current [`LAYOUT`] context ***y*** axis.
1711 ///
1712 /// [`LAYOUT`]: zng_layout::context::LAYOUT
1713 fn layout_y(&self) -> Px
1714 where
1715 T: Layout1d;
1716
1717 /// Compute the pixel value in the current [`LAYOUT`] context ***z*** axis.
1718 ///
1719 /// [`LAYOUT`]: zng_layout::context::LAYOUT
1720 fn layout_z(&self) -> Px
1721 where
1722 T: Layout1d;
1723
1724 /// Compute the pixel value in the current [`LAYOUT`] context ***x*** axis with `default`.
1725 ///
1726 /// [`LAYOUT`]: zng_layout::context::LAYOUT
1727 fn layout_dft_x(&self, default: Px) -> Px
1728 where
1729 T: Layout1d;
1730
1731 /// Compute the pixel value in the current [`LAYOUT`] context ***y*** axis with `default`.
1732 ///
1733 /// [`LAYOUT`]: zng_layout::context::LAYOUT
1734 fn layout_dft_y(&self, default: Px) -> Px
1735 where
1736 T: Layout1d;
1737
1738 /// Compute the pixel value in the current [`LAYOUT`] context ***z*** axis with `default`.
1739 ///
1740 /// [`LAYOUT`]: zng_layout::context::LAYOUT
1741 fn layout_dft_z(&self, default: Px) -> Px
1742 where
1743 T: Layout1d;
1744}
1745impl<T: VarValue> VarLayout<T> for Var<T> {
1746 fn layout(&self) -> <T>::Px
1747 where
1748 T: Layout2d,
1749 {
1750 self.with(|s| s.layout())
1751 }
1752
1753 fn layout_dft(&self, default: <T>::Px) -> <T>::Px
1754 where
1755 T: Layout2d,
1756 {
1757 self.with(move |s| s.layout_dft(default))
1758 }
1759
1760 fn layout_x(&self) -> Px
1761 where
1762 T: Layout1d,
1763 {
1764 self.with(|s| s.layout_x())
1765 }
1766
1767 fn layout_y(&self) -> Px
1768 where
1769 T: Layout1d,
1770 {
1771 self.with(|s| s.layout_y())
1772 }
1773
1774 fn layout_z(&self) -> Px
1775 where
1776 T: Layout1d,
1777 {
1778 self.with(|s| s.layout_z())
1779 }
1780
1781 fn layout_dft_x(&self, default: Px) -> Px
1782 where
1783 T: Layout1d,
1784 {
1785 self.with(move |s| s.layout_dft_x(default))
1786 }
1787
1788 fn layout_dft_y(&self, default: Px) -> Px
1789 where
1790 T: Layout1d,
1791 {
1792 self.with(move |s| s.layout_dft_y(default))
1793 }
1794
1795 fn layout_dft_z(&self, default: Px) -> Px
1796 where
1797 T: Layout1d,
1798 {
1799 self.with(move |s| s.layout_dft_z(default))
1800 }
1801}
1802
1803/// Integrate [`UiTask`] with widget updates.
1804pub trait UiTaskWidget<R> {
1805 /// Create a UI bound future executor.
1806 ///
1807 /// The `task` is inert and must be polled using [`update`] to start, and it must be polled every
1808 /// [`UiNode::update`] after that, in widgets the `target` can be set so that the update requests are received.
1809 ///
1810 /// [`update`]: UiTask::update
1811 /// [`UiNode::update`]: crate::widget::node::UiNode::update
1812 /// [`UiNode::info`]: crate::widget::node::UiNode::info
1813 fn new<F>(target: Option<WidgetId>, task: impl IntoFuture<IntoFuture = F>) -> Self
1814 where
1815 F: Future<Output = R> + Send + 'static;
1816
1817 /// Like [`new`], from an already boxed and pinned future.
1818 ///
1819 /// [`new`]: UiTaskWidget::new
1820 fn new_boxed(target: Option<WidgetId>, task: Pin<Box<dyn Future<Output = R> + Send + 'static>>) -> Self;
1821}
1822impl<R> UiTaskWidget<R> for UiTask<R> {
1823 fn new<F>(target: Option<WidgetId>, task: impl IntoFuture<IntoFuture = F>) -> Self
1824 where
1825 F: Future<Output = R> + Send + 'static,
1826 {
1827 UiTask::new_raw(UPDATES.waker(target), task)
1828 }
1829
1830 fn new_boxed(target: Option<WidgetId>, task: Pin<Box<dyn Future<Output = R> + Send + 'static>>) -> Self {
1831 UiTask::new_raw_boxed(UPDATES.waker(target), task)
1832 }
1833}