zng_app/widget/
builder.rs

1//! Widget and property builder types.
2
3use crate::{
4    handler::{ArcHandler, Handler, HandlerExt},
5    widget::node::IntoUiNode,
6};
7use std::{
8    any::{Any, TypeId},
9    collections::{HashMap, hash_map},
10    fmt, ops,
11    sync::Arc,
12};
13
14#[doc(hidden)]
15pub use zng_var::{var_getter, var_state};
16
17///<span data-del-macro-root></span> New [`SourceLocation`] that represents the location you call this macro.
18///
19/// This value is used by widget info to mark the property and `when` block declaration source code.
20#[macro_export]
21macro_rules! source_location {
22    () => {
23        $crate::widget::builder::SourceLocation::new(std::file!(), std::line!(), std::column!())
24    };
25}
26#[doc(inline)]
27pub use crate::source_location;
28
29/// A location in source-code.
30///
31/// This value is used by widget info to mark the property and `when` block declaration source code.
32///
33/// Use [`source_location!`] to construct.
34#[derive(Debug, Clone, Copy, PartialEq, Eq, Hash, serde::Serialize, serde::Deserialize)]
35#[non_exhaustive]
36pub struct SourceLocation {
37    /// [`std::file!`]
38    pub file: &'static str,
39    /// [`std::line!`]
40    pub line: u32,
41    /// [`std::column!`]
42    pub column: u32,
43}
44
45impl SourceLocation {
46    #[doc(hidden)]
47    pub fn new(file: &'static str, line: u32, column: u32) -> Self {
48        Self { file, line, column }
49    }
50}
51impl fmt::Display for SourceLocation {
52    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
53        write!(f, "{}:{}:{}", self.file, self.line, self.column)
54    }
55}
56
57#[doc(hidden)]
58pub struct WgtInfo;
59impl WidgetExt for WgtInfo {
60    fn ext_property__(&mut self, _: Box<dyn PropertyArgs>) {
61        panic!("WgtInfo is for extracting info only")
62    }
63
64    fn ext_property_unset__(&mut self, _: PropertyId) {
65        panic!("WgtInfo is for extracting info only")
66    }
67}
68
69///<span data-del-macro-root></span> New [`PropertyId`] that represents the type and name.
70///
71/// # Syntax
72///
73/// * `path::property`: Gets the ID for the property function.
74/// * `Self::property`: Gets the ID for the property method on the widget.
75///
76/// # Examples
77///
78/// ```
79/// # use zng_app::{*, widget::{node::*, builder::*, property, widget}};
80/// # use zng_var::*;
81/// # pub mod path {
82/// # use super::*;
83/// # #[property(CONTEXT)]
84/// # pub fn foo(child: impl IntoUiNode, bar: impl IntoValue<bool>) -> UiNode {
85/// # child.into_node()
86/// # }
87/// # }
88/// # #[widget($crate::FooWgt)]
89/// # pub struct FooWgt(zng_app::widget::base::WidgetBase);
90/// # #[property(CONTEXT, widget_impl(FooWgt))]
91/// # pub fn bar(child: impl IntoUiNode, bar: impl IntoValue<bool>) -> UiNode {
92/// # child.into_node()
93/// # }
94/// # fn main() {
95/// let foo_id = property_id!(path::foo);
96/// let bar_id = property_id!(bar);
97///
98/// assert_ne!(foo_id, bar_id);
99/// # }
100/// ```
101#[macro_export]
102macro_rules! property_id {
103    ($($tt:tt)*) => {
104        $crate::widget::property_meta!($($tt)*).id()
105    }
106}
107#[doc(inline)]
108pub use crate::property_id;
109
110///<span data-del-macro-root></span> New [`PropertyInfo`] from property path.
111///
112/// # Syntax
113///
114/// * `path::property`: Gets the info for the property function.
115/// * `Self::property`: Gets the info for the property method on the widget.
116///
117/// # Examples
118///
119/// ```
120/// # use zng_app::{*, widget::{node::*, builder::*, property}};
121/// # use zng_var::*;
122/// # pub mod path {
123/// # use super::*;
124/// #[property(CONTEXT)]
125/// pub fn foo(child: impl IntoUiNode, bar: impl IntoValue<bool>) -> UiNode {
126///     // ..
127///     # child.into_node()
128/// }
129/// # }
130/// # fn main() {
131/// #
132///
133/// assert_eq!(property_info!(path::foo).inputs[0].name, "bar");
134/// # }
135/// ```
136#[macro_export]
137macro_rules! property_info {
138    ($($property:ident)::+ <$($generics:ty),*>) => {
139        $crate::widget::property_meta!($($property)::+).info::<$($generics),*>()
140    };
141    ($($tt:tt)*) => {
142        $crate::widget::property_meta!($($tt)*).info()
143    }
144}
145#[doc(inline)]
146pub use crate::property_info;
147
148///<span data-del-macro-root></span> Gets the strong input storage types from a property path.
149///
150/// See [`PropertyInputTypes<Tuple>`] for more details.
151///
152/// # Syntax
153///
154/// * `property::path`: Gets the input types for the property function.
155/// * `Self::property`: Gets the input types for the property method on the widget.
156#[macro_export]
157macro_rules! property_input_types {
158    ($($tt:tt)*) => {
159        $crate::widget::property_meta!($($tt)*).input_types()
160    }
161}
162#[doc(inline)]
163pub use crate::property_input_types;
164
165///<span data-del-macro-root></span> New [`Box<PropertyArgs>`](PropertyArgs) box from a property and value.
166///
167/// # Syntax
168///
169/// The syntax is similar to a property assign in a widget.
170///
171/// * `property::path = <value>;` - Args for the property function.
172/// * `property::path;` - Args for property with input of the same name, `path` here.
173///
174/// The `<value>` is the standard property init expression or named fields patterns that are used in widget assigns.
175///
176/// * `property = "value-0", "value-1";` - Unnamed args.
177/// * `property = { value_0: "value-0", value_1: "value-1" }` - Named args.
178///
179/// # Panics
180///
181/// Panics if `unset!` is used as property value.
182#[macro_export]
183macro_rules! property_args {
184    ($($property:ident)::+ = $($value:tt)*) => {
185        {
186            $crate::widget::builder::PropertyArgsGetter! {
187                $($property)::+ = $($value)*
188            }
189        }
190    };
191    ($($property:ident)::+ ::<$($generics:ty),*> = $($value:tt)*) => {
192        {
193            $crate::widget::builder::PropertyArgsGetter! {
194                $($property)::+ ::<$($generics),*> = $($value)*
195            }
196        }
197    };
198    ($property:ident $(;)?) => {
199        {
200            $crate::widget::builder::PropertyArgsGetter! {
201                $property
202            }
203        }
204    }
205}
206#[doc(inline)]
207pub use crate::property_args;
208
209///<span data-del-macro-root></span> Gets the [`WidgetType`] info of a widget.
210#[macro_export]
211macro_rules! widget_type {
212    ($($widget:ident)::+) => {
213        $($widget)::+::widget_type()
214    };
215}
216use parking_lot::Mutex;
217#[doc(inline)]
218pub use widget_type;
219use zng_app_context::context_local;
220use zng_app_proc_macros::widget;
221use zng_txt::{Txt, formatx};
222use zng_unique_id::{IdEntry, IdMap, IdSet, unique_id_32};
223use zng_var::{
224    AnyVar, AnyVarValue, AnyWhenVarBuilder, ContextInitHandle, IntoValue, IntoVar, Var, VarValue, WeakContextInitHandle, any_const_var,
225    const_var, contextual_var, impl_from_and_into_var,
226};
227
228use super::{
229    base::{WidgetBase, WidgetExt},
230    node::{ArcNode, FillUiNode, UiNode, WhenUiNodeBuilder, with_new_context_init_id},
231};
232
233#[doc(hidden)]
234#[widget($crate::widget::builder::PropertyArgsGetter)]
235pub struct PropertyArgsGetter(WidgetBase);
236impl PropertyArgsGetter {
237    pub fn widget_build(&mut self) -> Box<dyn PropertyArgs> {
238        let mut wgt = self.widget_take();
239        if !wgt.p.items.is_empty() {
240            if wgt.p.items.len() > 1 {
241                tracing::error!("properties ignored, `property_args!` only collects args for first property");
242            }
243            match wgt.p.items.remove(0).item {
244                WidgetItem::Property { args, .. } => args,
245                WidgetItem::Intrinsic { .. } => unreachable!(),
246            }
247        } else if wgt.unset.is_empty() {
248            panic!("missing property");
249        } else {
250            panic!("cannot use `unset!` in `property_args!`")
251        }
252    }
253}
254
255/// Represents the sort index of a property or intrinsic node in a widget instance.
256///
257/// Each node "wraps" the next one, so the sort defines `(context#0 (context#1 (event (size (border..)))))`.
258#[derive(Clone, Copy, PartialEq, Eq, PartialOrd, Ord, serde::Serialize, serde::Deserialize)]
259pub struct NestPosition {
260    /// The major position.
261    pub group: NestGroup,
262    /// Extra sorting within items of the same group.
263    pub index: u16,
264}
265impl NestPosition {
266    /// Default index used for intrinsic nodes, is `u16::MAX / 3`.
267    pub const INTRINSIC_INDEX: u16 = u16::MAX / 3;
268
269    /// Default index used for properties, is `INTRINSIC_INDEX * 2`.
270    pub const PROPERTY_INDEX: u16 = Self::INTRINSIC_INDEX * 2;
271
272    /// New position for property.
273    pub fn property(group: NestGroup) -> Self {
274        NestPosition {
275            group,
276            index: Self::PROPERTY_INDEX,
277        }
278    }
279
280    /// New position for intrinsic node.
281    pub fn intrinsic(group: NestGroup) -> Self {
282        NestPosition {
283            group,
284            index: Self::INTRINSIC_INDEX,
285        }
286    }
287}
288impl fmt::Debug for NestPosition {
289    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
290        struct IndexName(u16);
291        impl fmt::Debug for IndexName {
292            fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
293                match self.0 {
294                    NestPosition::INTRINSIC_INDEX => write!(f, "INTRINSIC_INDEX"),
295                    NestPosition::PROPERTY_INDEX => write!(f, "PROPERTY_INDEX"),
296                    i => write!(f, "{i}"),
297                }
298            }
299        }
300
301        f.debug_struct("NestPosition")
302            .field("group", &self.group)
303            .field("index", &IndexName(self.index))
304            .finish()
305    }
306}
307
308macro_rules! nest_group_items {
309    () => {
310        /// Minimal nest position, property is outside even context properties and is only inside the widget node.
311        ///
312        /// This is rarely used, prefer using `CONTEXT-n` if you must have a property outside the widget context.
313        pub const WIDGET: NestGroup = NestGroup(0);
314
315        /// Property defines a contextual value or variable.
316        ///
317        /// Usually these properties don't define behavior, they just configure the widget. A common pattern
318        /// is defining all widget config as context vars, that are all used by a widget intrinsic node.
319        ///
320        /// These properties are not expected to affect layout or render, if they do some errors may be logged by the default widget base.
321        pub const CONTEXT: NestGroup = NestGroup(NestGroup::NEXT_GROUP);
322        /// Property defines an event handler, or state monitor, they are placed inside all context properties, so can be configured
323        /// by context, but are still outside of the layout and render nodes.
324        ///
325        /// Event handlers can be notified before or after the inner child delegation, if handled before the event is said to be *preview*.
326        /// Implementers can use this intrinsic feature of the UI tree to interrupt notification for child properties and widgets.
327        ///
328        /// These properties are not expected to affect layout or render, if they do some errors may be logged by the default widget base.
329        pub const EVENT: NestGroup = NestGroup(NestGroup::CONTEXT.0 + NestGroup::NEXT_GROUP);
330        /// Property defines the position and size of the widget inside the space made available by the parent widget.
331        ///
332        /// These properties must accumulatively affect the measure and layout, they must avoid rendering. The computed layout is
333        /// usually rendered by the widget as a single transform, the layout properties don't need to render transforms.
334        pub const LAYOUT: NestGroup = NestGroup(NestGroup::EVENT.0 + NestGroup::NEXT_GROUP);
335
336        /// Property strongly enforces a widget size.
337        ///
338        /// Usually the widget final size is a side-effect of all the layout properties, but some properties may enforce a size, they
339        /// can use this group to ensure that they are inside the other layout properties.
340        pub const SIZE: NestGroup = NestGroup(NestGroup::LAYOUT.0 + NestGroup::NEXT_GROUP);
341
342        /// Minimal widget visual position, any property or node can render, but usually only properties inside
343        /// this position render. For example, borders will only render correctly inside this nest position.
344        ///
345        /// This is rarely used, prefer using `BORDER-n` to declare properties that are visually outside the bounds, only
346        /// use this node for intrinsics that define some inner context or service for the visual properties.
347        pub const WIDGET_INNER: NestGroup = NestGroup(NestGroup::SIZE.0 + NestGroup::NEXT_GROUP);
348
349        /// Property renders a border visual.
350        ///
351        /// Borders are strictly coordinated, see the [`border`] module for more details. All nodes of this group
352        /// may render at will, the renderer is already configured to apply the final layout and size.
353        ///
354        /// [`border`]: crate::widget::border
355        pub const BORDER: NestGroup = NestGroup(NestGroup::WIDGET_INNER.0 + NestGroup::NEXT_GROUP);
356        /// Property defines a visual of the widget.
357        ///
358        /// This is the main render group, it usually defines things like a background fill, but it can render over child nodes simply
359        /// by choosing to render after the render is delegated to the inner child.
360        pub const FILL: NestGroup = NestGroup(NestGroup::BORDER.0 + NestGroup::NEXT_GROUP);
361        /// Property defines contextual value or variable for the inner child or children widgets. Config set here does not affect
362        /// the widget where it is set, it only affects the descendants.
363        pub const CHILD_CONTEXT: NestGroup = NestGroup(NestGroup::FILL.0 + NestGroup::NEXT_GROUP);
364        /// Property defines the layout and size of the child or children widgets. These properties don't affect the layout
365        /// of the widget where they are set. Some properties are functionally the same, only changing their effect depending on their
366        /// group, the `margin` and `padding` properties are like this, `margin` is `LAYOUT` and `padding` is `CHILD_LAYOUT`.
367        pub const CHILD_LAYOUT: NestGroup = NestGroup(NestGroup::CHILD_CONTEXT.0 + NestGroup::NEXT_GROUP);
368
369        /// Maximum nest position, property is inside all others and only wraps the widget child node.
370        ///
371        /// Properties that insert child nodes may use this group, properties that only affect the child layout and want
372        /// to be inside other child layout should use `CHILD_LAYOUT+n` instead.
373        pub const CHILD: NestGroup = NestGroup(u16::MAX);
374    };
375}
376
377#[doc(hidden)]
378pub mod nest_group_items {
379    // properties import this const items in their nest group expr, unfortunately we can't import associated const items, so
380    // they are duplicated here.
381
382    use super::NestGroup;
383
384    nest_group_items!();
385}
386
387/// Property nest position group.
388///
389/// Each group has `u16::MAX / 9` in between, custom groups can be created using the +/- operations, `SIZE+1` is
390/// still outside `BORDER`, but slightly inside `SIZE`.
391///
392/// See [`NestPosition`] for more details.
393#[derive(Clone, Copy, PartialEq, Eq, PartialOrd, Ord)]
394pub struct NestGroup(u16);
395impl NestGroup {
396    const NEXT_GROUP: u16 = u16::MAX / 10;
397
398    nest_group_items!();
399
400    /// All groups, from outermost([`WIDGET`]) to innermost([`CHILD`]).
401    ///
402    /// [`WIDGET`]: Self::WIDGET
403    /// [`CHILD`]: Self::CHILD
404    pub const ITEMS: [Self; 11] = [
405        Self::WIDGET,
406        Self::CONTEXT,
407        Self::EVENT,
408        Self::LAYOUT,
409        Self::SIZE,
410        Self::WIDGET_INNER,
411        Self::BORDER,
412        Self::FILL,
413        Self::CHILD_CONTEXT,
414        Self::CHILD_LAYOUT,
415        Self::CHILD,
416    ];
417
418    fn exact_name(self) -> &'static str {
419        if self.0 == Self::WIDGET.0 {
420            "WIDGET"
421        } else if self.0 == Self::CONTEXT.0 {
422            "CONTEXT"
423        } else if self.0 == Self::EVENT.0 {
424            "EVENT"
425        } else if self.0 == Self::LAYOUT.0 {
426            "LAYOUT"
427        } else if self.0 == Self::SIZE.0 {
428            "SIZE"
429        } else if self.0 == Self::WIDGET_INNER.0 {
430            "WIDGET_INNER"
431        } else if self.0 == Self::BORDER.0 {
432            "BORDER"
433        } else if self.0 == Self::FILL.0 {
434            "FILL"
435        } else if self.0 == Self::CHILD_CONTEXT.0 {
436            "CHILD_CONTEXT"
437        } else if self.0 == Self::CHILD_LAYOUT.0 {
438            "CHILD_LAYOUT"
439        } else if self.0 == Self::CHILD.0 {
440            "CHILD"
441        } else {
442            ""
443        }
444    }
445
446    /// Group name.
447    pub fn name(self) -> Txt {
448        let name = self.exact_name();
449        if name.is_empty() {
450            let closest = Self::ITEMS.into_iter().min_by_key(|i| (self.0 as i32 - i.0 as i32).abs()).unwrap();
451            let diff = self.0 as i32 - closest.0 as i32;
452
453            let name = closest.exact_name();
454            debug_assert!(!name.is_empty());
455
456            formatx!("{closest}{diff:+}")
457        } else {
458            Txt::from_static(name)
459        }
460    }
461}
462impl fmt::Debug for NestGroup {
463    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
464        if f.alternate() {
465            write!(f, "NestGroup::")?;
466        }
467        write!(f, "{}", self.name())
468    }
469}
470impl fmt::Display for NestGroup {
471    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
472        write!(f, "{}", self.name())
473    }
474}
475impl ops::Add<i16> for NestGroup {
476    type Output = Self;
477
478    fn add(self, rhs: i16) -> Self::Output {
479        let r = (self.0 as i32) + rhs as i32;
480
481        Self(r.clamp(0, u16::MAX as i32) as u16)
482    }
483}
484impl ops::Sub<i16> for NestGroup {
485    type Output = Self;
486
487    fn sub(self, rhs: i16) -> Self::Output {
488        let r = (self.0 as i32) - rhs as i32;
489
490        Self(r.clamp(0, u16::MAX as i32) as u16)
491    }
492}
493impl ops::AddAssign<i16> for NestGroup {
494    fn add_assign(&mut self, rhs: i16) {
495        *self = *self + rhs;
496    }
497}
498impl ops::SubAssign<i16> for NestGroup {
499    fn sub_assign(&mut self, rhs: i16) {
500        *self = *self - rhs;
501    }
502}
503#[test]
504fn nest_group_spacing() {
505    let mut expected = NestGroup::NEXT_GROUP;
506    for g in &NestGroup::ITEMS[1..NestGroup::ITEMS.len() - 1] {
507        assert_eq!(expected, g.0);
508        expected += NestGroup::NEXT_GROUP;
509    }
510    assert_eq!(expected, (u16::MAX / 10) * 10); // 65530
511}
512#[derive(serde::Deserialize)]
513#[serde(untagged)]
514enum NestGroupSerde<'s> {
515    Named(&'s str),
516    Unnamed(u16),
517}
518impl serde::Serialize for NestGroup {
519    fn serialize<S>(&self, serializer: S) -> Result<S::Ok, S::Error>
520    where
521        S: serde::Serializer,
522    {
523        if serializer.is_human_readable() {
524            self.name().serialize(serializer)
525        } else {
526            self.0.serialize(serializer)
527        }
528    }
529}
530impl<'de> serde::Deserialize<'de> for NestGroup {
531    fn deserialize<D>(deserializer: D) -> Result<Self, D::Error>
532    where
533        D: serde::Deserializer<'de>,
534    {
535        use serde::de::Error;
536
537        match NestGroupSerde::deserialize(deserializer)? {
538            NestGroupSerde::Named(n) => match n.parse() {
539                Ok(g) => Ok(g),
540                Err(e) => Err(D::Error::custom(e)),
541            },
542            NestGroupSerde::Unnamed(i) => Ok(NestGroup(i)),
543        }
544    }
545}
546impl std::str::FromStr for NestGroup {
547    type Err = String;
548
549    fn from_str(s: &str) -> Result<Self, Self::Err> {
550        let mut name = s;
551        let mut add = 0i16;
552
553        if let Some((n, a)) = s.split_once('+') {
554            add = a.parse().map_err(|e| format!("{e}"))?;
555            name = n;
556        } else if let Some((n, s)) = s.split_once('-') {
557            add = -s.parse().map_err(|e| format!("{e}"))?;
558            name = n;
559        }
560
561        match name {
562            "WIDGET" => Ok(NestGroup::WIDGET + add),
563            "CONTEXT" => Ok(NestGroup::CONTEXT + add),
564            "EVENT" => Ok(NestGroup::EVENT + add),
565            "LAYOUT" => Ok(NestGroup::LAYOUT + add),
566            "SIZE" => Ok(NestGroup::SIZE + add),
567            "BORDER" => Ok(NestGroup::BORDER + add),
568            "FILL" => Ok(NestGroup::FILL + add),
569            "CHILD_CONTEXT" => Ok(NestGroup::CHILD_CONTEXT + add),
570            "CHILD_LAYOUT" => Ok(NestGroup::CHILD_LAYOUT + add),
571            "CHILD" => Ok(NestGroup::CHILD + add),
572            ukn => Err(format!("unknown nest group {ukn:?}")),
573        }
574    }
575}
576
577/// Kind of property input.
578#[derive(PartialEq, Eq, Debug, Clone, Copy, serde::Serialize, serde::Deserialize)]
579pub enum InputKind {
580    /// Input is `impl IntoVar<T>`, build value is `Var<T>`.
581    Var,
582    /// Input is `impl IntoValue<T>`, build value is `T`.
583    Value,
584    /// Input is `impl IntoUiNode`, build value is `ArcNode`.
585    UiNode,
586    /// Input is `impl Handler<A>`, build value is `ArcHandler<A>`.
587    Handler,
588}
589
590/// Represents a type erased [`ArcHandler<A>`].
591pub trait AnyArcHandler: Any {
592    /// Access to `dyn Any` methods.
593    fn as_any(&self) -> &dyn Any;
594
595    /// Access to `Box<dyn Any>` methods.
596    fn into_any(self: Box<Self>) -> Box<dyn Any>;
597
598    /// Clone the handler reference.
599    fn clone_boxed(&self) -> Box<dyn AnyArcHandler>;
600}
601impl<A: Clone + 'static> AnyArcHandler for ArcHandler<A> {
602    fn clone_boxed(&self) -> Box<dyn AnyArcHandler> {
603        Box::new(self.clone())
604    }
605
606    fn as_any(&self) -> &dyn Any {
607        self
608    }
609
610    fn into_any(self: Box<Self>) -> Box<dyn Any> {
611        self
612    }
613}
614
615/// A `when` builder for [`AnyArcHandler`] values.
616///
617/// This builder is used to generate a composite handler that redirects to active `when` matched property values.
618pub struct AnyWhenArcHandlerBuilder {
619    default: Box<dyn AnyArcHandler>,
620    conditions: Vec<(Var<bool>, Box<dyn AnyArcHandler>)>,
621}
622impl AnyWhenArcHandlerBuilder {
623    /// New from default value.
624    pub fn new(default: Box<dyn AnyArcHandler>) -> Self {
625        Self {
626            default,
627            conditions: vec![],
628        }
629    }
630
631    /// Push a conditional handler.
632    pub fn push(&mut self, condition: Var<bool>, handler: Box<dyn AnyArcHandler>) {
633        self.conditions.push((condition, handler));
634    }
635
636    /// Build the handler.
637    pub fn build<A: Clone + 'static>(self) -> ArcHandler<A> {
638        match self.default.into_any().downcast::<ArcHandler<A>>() {
639            Ok(default) => {
640                let mut conditions = Vec::with_capacity(self.conditions.len());
641                for (c, h) in self.conditions {
642                    match h.into_any().downcast::<ArcHandler<A>>() {
643                        Ok(h) => conditions.push((c, *h)),
644                        Err(_) => continue,
645                    }
646                }
647                let handler: Handler<A> = Box::new(move |args: &A| {
648                    for (c, h) in &conditions {
649                        if c.get() {
650                            return h.call(args);
651                        }
652                    }
653                    default.call(args)
654                });
655                handler.into_arc()
656            }
657            Err(_) => panic!("unexpected build type in widget handler when builder"),
658        }
659    }
660}
661
662/// Property attribute build actions that must be applied to property args.
663///
664/// See [`PropertyNewArgs::attributes`] for more details.
665pub type PropertyAttributes = Vec<Vec<Box<dyn AnyPropertyAttribute>>>;
666
667/// Data for property build actions associated with when condition assigns.
668///
669/// See [`PropertyNewArgs::attributes_when_data`] for more details.
670pub type PropertyAttributesWhenData = Vec<Vec<Option<PropertyAttributeWhenData>>>;
671
672/// Args for [`PropertyInfo::new`] closure.
673#[non_exhaustive]
674pub struct PropertyNewArgs {
675    /// Values for each input in the same order they appear in [`PropertyInfo::inputs`], types must match
676    /// the input kind and type, the function panics if the types don't match or not all inputs are provided.
677    ///
678    /// The expected types for each [`InputKind`] are:
679    ///
680    /// | Kind          | Expected Type
681    /// |---------------|-------------------------------------------------
682    /// | [`Var`]       | `Box<AnyVar>` or `Box<AnyWhenVarBuilder>`
683    /// | [`Value`]     | `Box<T>`
684    /// | [`UiNode`]    | `Box<ArcNode>` or `Box<WhenUiNodeBuilder>`
685    /// | [`Handler`]   | `Box<ArcHandler<A>>` or `Box<AnyWhenArcHandlerBuilder>`
686    ///
687    /// The new function will downcast and unbox the args.
688    ///
689    /// [`Var`]: InputKind::Var
690    /// [`Value`]: InputKind::Value
691    /// [`UiNode`]: InputKind::UiNode
692    /// [`Handler`]: InputKind::Handler
693    pub args: Vec<Box<dyn Any>>,
694
695    /// The property attribute build actions can be empty or each item must contain one builder for each input in the same order they
696    /// appear in [`PropertyInfo::inputs`], the function panics if the types don't match or not all inputs are provided.
697    ///
698    /// The expected types for each [`InputKind`] are:
699    ///
700    /// | Kind          | Expected Type
701    /// |---------------|-------------------------------------------------
702    /// | [`Var`]       | `Box<PropertyAttribute<Var<T>>>`
703    /// | [`Value`]     | `Box<PropertyAttribute<BoxAnyVarValue>>`
704    /// | [`UiNode`]    | `Box<PropertyAttribute<ArcNode>>`
705    /// | [`Handler`]   | `Box<PropertyAttribute<ArcHandler<A>>>`
706    ///
707    /// The new function will downcast and unbox the args.
708    ///
709    /// [`Var`]: InputKind::Var
710    /// [`Value`]: InputKind::Value
711    /// [`UiNode`]: InputKind::UiNode
712    /// [`Handler`]: InputKind::Handler
713    pub attributes: PropertyAttributes,
714
715    /// When build action data for each [`attributes`].
716    ///
717    /// If not empty, each item is the [`PropertyAttributeArgs::when_conditions_data`] for each action.
718    ///
719    /// [`attributes`]: Self::attributes
720    pub attributes_when_data: PropertyAttributesWhenData,
721}
722
723/// Property info.
724///
725/// You can use the [`property_info!`] macro to retrieve a property's info.
726#[derive(Debug, Clone)]
727pub struct PropertyInfo {
728    /// Property nest position group.
729    pub group: NestGroup,
730    /// Property modifies the widget builder, like a widget build action.
731    ///
732    /// No standalone implementation is provided, instantiating does not add a node, just logs an error and returns the child.
733    pub build_action: bool,
734
735    /// Unique ID that identifies the property implementation.
736    pub id: PropertyId,
737    /// Property name.
738    pub name: &'static str,
739
740    /// Property declaration location.
741    pub location: SourceLocation,
742
743    /// New default property args.
744    ///
745    /// This is `Some(_)` only if the `#[property(_, default(..))]` was set in the property declaration.
746    pub default: Option<fn() -> Box<dyn PropertyArgs>>,
747
748    /// New property args from dynamically typed args.
749    ///
750    /// # Instance
751    ///
752    /// This function outputs property args, not a property node instance.
753    /// You can use [`PropertyArgs::instantiate`] on the output to generate a property node from the args. If the
754    /// property is known at compile time you can use [`property_args!`] to generate args instead, and you can just
755    /// call the property function directly to instantiate a node.
756    ///
757    pub new: fn(PropertyNewArgs) -> Box<dyn PropertyArgs>,
758
759    /// Property inputs info.
760    pub inputs: Box<[PropertyInput]>,
761
762    #[doc(hidden)] // #[property] generates instantiation in external contexts, so can't mark `#[non_exhaustive]`.
763    pub _non_exhaustive: (),
764}
765impl PropertyInfo {
766    /// Gets the index that can be used to get a named property input value in [`PropertyArgs`].
767    pub fn input_idx(&self, name: &str) -> Option<usize> {
768        self.inputs.iter().position(|i| i.name == name)
769    }
770}
771
772/// Property input info.
773#[derive(Debug, Clone)]
774pub struct PropertyInput {
775    /// Input name.
776    pub name: &'static str,
777    /// Input kind.
778    pub kind: InputKind,
779
780    /// Type as defined by kind.
781    ///
782    /// The type ID each `kind` are:
783    ///
784    /// | Kind          | `TypeId::of`
785    /// |---------------|-------------------------------------------------
786    /// | [`Var`]       | `T` of `Var<T>`
787    /// | [`Value`]     | `T`
788    /// | [`UiNode`]    | `UiNode`
789    /// | [`Handler`]   | `A` of `Handler<A>`
790    ///
791    /// [`Var`]: InputKind::Var
792    /// [`Value`]: InputKind::Value
793    /// [`UiNode`]: InputKind::UiNode
794    /// [`Handler`]: InputKind::Handler
795    pub ty: TypeId,
796    /// Type name of [`ty`].
797    ///
798    /// [`ty`]: Self::ty
799    pub ty_name: &'static str,
800
801    #[doc(hidden)] // #[property] generates instantiation in external contexts, so can't mark `#[non_exhaustive]`.
802    pub _non_exhaustive: (),
803}
804impl PropertyInput {
805    /// Shorter [`ty_name`].
806    ///
807    /// [`ty_name`]: Self::ty_name
808    pub fn short_ty_name(&self) -> Txt {
809        pretty_type_name::pretty_type_name_str(self.ty_name).into()
810    }
811
812    /// Short type name with `Var<{}>` and `Handler<{}>` included.
813    pub fn actual_ty_name(&self) -> Txt {
814        match self.kind {
815            InputKind::Var => formatx!("Var<{}>", self.short_ty_name()),
816            InputKind::Handler => formatx!("Handler<{}>", self.short_ty_name()),
817            InputKind::Value => self.short_ty_name(),
818            InputKind::UiNode => self.short_ty_name(),
819        }
820    }
821
822    /// Text that depicts how the property input is written.
823    ///
824    /// | Kind          |
825    /// |---------------|-------------------------------------------------
826    /// | [`Var`]       | `"impl IntoVar<{short_ty_name}>"`
827    /// | [`Value`]     | `"impl IntoValue<{short_ty_name}>"`
828    /// | [`UiNode`]    | `impl IntoUiNode`
829    /// | [`Handler`]   | `"Handler<{short_ty_name}>"`
830    ///
831    /// [`Var`]: InputKind::Var
832    /// [`Value`]: InputKind::Value
833    /// [`UiNode`]: InputKind::UiNode
834    /// [`Handler`]: InputKind::Handler
835    pub fn input_ty_name(&self) -> Txt {
836        match self.kind {
837            InputKind::Var => formatx!("impl IntoVar<{}>", self.short_ty_name()),
838            InputKind::Value => formatx!("impl IntoValue<{}>", self.short_ty_name()),
839            InputKind::UiNode => Txt::from_static("impl IntoUiNode"),
840            InputKind::Handler => formatx!("Handler<{}>", self.short_ty_name()),
841        }
842    }
843}
844
845/// Represents a property instantiation request.
846pub trait PropertyArgs: Send + Sync {
847    /// Clones the arguments.
848    fn clone_boxed(&self) -> Box<dyn PropertyArgs>;
849
850    /// Property info.
851    fn property(&self) -> PropertyInfo;
852
853    /// Gets a [`InputKind::Var`].
854    fn var(&self, i: usize) -> &AnyVar {
855        panic_input(&self.property(), i, InputKind::Var)
856    }
857
858    /// Gets a [`InputKind::Value`].
859    fn value(&self, i: usize) -> &dyn AnyVarValue {
860        panic_input(&self.property(), i, InputKind::Value)
861    }
862
863    /// Gets a [`InputKind::UiNode`].
864    fn ui_node(&self, i: usize) -> &ArcNode {
865        panic_input(&self.property(), i, InputKind::UiNode)
866    }
867
868    /// Gets a [`InputKind::Handler`].
869    ///
870    /// Is an `ArcHandler<A>`.
871    fn handler(&self, i: usize) -> &dyn AnyArcHandler {
872        panic_input(&self.property(), i, InputKind::Handler)
873    }
874
875    /// Apply the build action property from the args.
876    ///
877    /// if the property is not [`PropertyInfo::build_action`] does nothing.
878    fn build_action(&self, wgt: &mut WidgetBuilding);
879
880    /// Create a property instance from args clone or taken.
881    ///
882    /// If the property is [`PropertyInfo::build_action`] the `child` is returned unchanged.
883    fn instantiate(&self, child: UiNode) -> UiNode;
884}
885impl dyn PropertyArgs + '_ {
886    /// Unique ID.
887    pub fn id(&self) -> PropertyId {
888        self.property().id
889    }
890
891    /// Gets a strongly typed [`value`].
892    ///
893    /// Panics if the type does not match.
894    ///
895    /// [`value`]: PropertyArgs::value
896    pub fn downcast_value<T>(&self, i: usize) -> &T
897    where
898        T: VarValue,
899    {
900        self.value(i).downcast_ref::<T>().expect("cannot downcast value to type")
901    }
902    /// Gets a strongly typed [`var`].
903    ///
904    /// Panics if the variable value type does not match.
905    ///
906    /// [`var`]: PropertyArgs::var
907    pub fn downcast_var<T>(&self, i: usize) -> Var<T>
908    where
909        T: VarValue,
910    {
911        self.var(i)
912            .clone()
913            .downcast::<T>()
914            .unwrap_or_else(|_| panic!("cannot downcast var to type"))
915    }
916
917    /// Gets a strongly typed [`handler`].
918    ///
919    /// Panics if the args type does not match.
920    ///
921    /// [`handler`]: PropertyArgs::handler
922    pub fn downcast_handler<A>(&self, i: usize) -> &ArcHandler<A>
923    where
924        A: 'static + Clone,
925    {
926        self.handler(i)
927            .as_any()
928            .downcast_ref::<ArcHandler<A>>()
929            .expect("cannot downcast handler to type")
930    }
931
932    /// Gets the property input as a debug variable.
933    ///
934    /// If the input is a variable the returned variable will update with it, if not it is a static print.
935    ///
936    /// Note that you must call this in the widget context to get the correct value.
937    pub fn live_debug(&self, i: usize) -> Var<Txt> {
938        let p = self.property();
939        match p.inputs[i].kind {
940            InputKind::Var => self.var(i).map_debug(false),
941            InputKind::Value => const_var(formatx!("{:?}", self.value(i))),
942            InputKind::UiNode => const_var(Txt::from_static("UiNode")),
943            InputKind::Handler => const_var(formatx!("Handler<{}>", p.inputs[i].short_ty_name())),
944        }
945    }
946
947    /// Gets the property input current value as a debug text.
948    ///
949    /// Note that you must call this in the widget context to get the correct value.
950    pub fn debug(&self, i: usize) -> Txt {
951        let p = self.property();
952        match p.inputs[i].kind {
953            InputKind::Var => formatx!("{:?}", self.var(i).get()),
954            InputKind::Value => formatx!("{:?}", self.value(i)),
955            InputKind::UiNode => Txt::from_static("UiNode"),
956            InputKind::Handler => formatx!("Handler<{}>", p.inputs[i].short_ty_name()),
957        }
958    }
959
960    /// Call [`new`] with the same instance info and args, but with the `build_actions` and `build_actions_when_data`.
961    ///
962    /// [`new`]: PropertyInfo::new
963    pub fn new_build(&self, attributes: PropertyAttributes, attributes_when_data: PropertyAttributesWhenData) -> Box<dyn PropertyArgs> {
964        let p = self.property();
965
966        let mut args: Vec<Box<dyn Any>> = Vec::with_capacity(p.inputs.len());
967        for (i, input) in p.inputs.iter().enumerate() {
968            match input.kind {
969                InputKind::Var => args.push(Box::new(self.var(i).clone())),
970                InputKind::Value => args.push(Box::new(self.value(i).clone_boxed())),
971                InputKind::UiNode => args.push(Box::new(self.ui_node(i).clone())),
972                InputKind::Handler => args.push(self.handler(i).clone_boxed().into_any()),
973            }
974        }
975
976        (p.new)(PropertyNewArgs {
977            args,
978            attributes,
979            attributes_when_data,
980        })
981    }
982}
983
984#[doc(hidden)]
985pub fn panic_input(info: &PropertyInfo, i: usize, kind: InputKind) -> ! {
986    if i > info.inputs.len() {
987        panic!("index out of bounds, the input len is {}, but the index is {i}", info.inputs.len())
988    } else if info.inputs[i].kind != kind {
989        panic!(
990            "invalid input request `{:?}`, but `{}` is `{:?}`",
991            kind, info.inputs[i].name, info.inputs[i].kind
992        )
993    } else {
994        panic!("invalid input `{}`", info.inputs[i].name)
995    }
996}
997
998#[doc(hidden)]
999pub fn var_to_args<T: VarValue>(var: impl IntoVar<T>) -> Var<T> {
1000    var.into_var()
1001}
1002
1003#[doc(hidden)]
1004pub fn value_to_args<T: VarValue>(value: impl IntoValue<T>) -> T {
1005    value.into()
1006}
1007
1008#[doc(hidden)]
1009pub fn ui_node_to_args(node: impl IntoUiNode) -> ArcNode {
1010    ArcNode::new(node)
1011}
1012
1013#[doc(hidden)]
1014pub fn handler_to_args<A: Clone + 'static>(handler: Handler<A>) -> ArcHandler<A> {
1015    handler.into_arc()
1016}
1017
1018#[doc(hidden)]
1019pub fn iter_input_attributes<'a>(
1020    attributes: &'a PropertyAttributes,
1021    data: &'a PropertyAttributesWhenData,
1022    index: usize,
1023) -> impl Iterator<Item = (&'a dyn AnyPropertyAttribute, &'a [Option<PropertyAttributeWhenData>])> {
1024    let mut attributes = attributes.iter();
1025    let mut data = data.iter();
1026
1027    std::iter::from_fn(move || {
1028        let action = &*attributes.next()?[index];
1029        let data = if let Some(data) = data.next() { &data[..] } else { &[] };
1030
1031        Some((action, data))
1032    })
1033}
1034
1035fn apply_attributes<'a, I: Any + Send>(
1036    mut item: I,
1037    mut attributes: impl Iterator<Item = (&'a dyn AnyPropertyAttribute, &'a [Option<PropertyAttributeWhenData>])>,
1038) -> I {
1039    if let Some((attribute, data)) = attributes.next() {
1040        let attribute = attribute
1041            .as_any()
1042            .downcast_ref::<PropertyAttribute<I>>()
1043            .expect("property attribute build action type did not match expected var type");
1044
1045        item = attribute.build(PropertyAttributeArgs {
1046            input: item,
1047            when_conditions_data: data,
1048        });
1049    }
1050    item
1051}
1052
1053#[doc(hidden)]
1054pub fn new_dyn_var<'a, T: VarValue>(
1055    inputs: &mut std::vec::IntoIter<Box<dyn Any>>,
1056    attributes: impl Iterator<Item = (&'a dyn AnyPropertyAttribute, &'a [Option<PropertyAttributeWhenData>])>,
1057) -> Var<T> {
1058    let item = inputs.next().expect("missing input");
1059
1060    let item = match item.downcast::<AnyWhenVarBuilder>() {
1061        Ok(builder) => builder.into_typed::<T>().build(),
1062        Err(item) => {
1063            let any = *item.downcast::<AnyVar>().expect("input did not match expected var types");
1064            any.downcast::<T>().expect("input did not match expected var types")
1065        }
1066    };
1067
1068    apply_attributes(item, attributes)
1069}
1070
1071#[doc(hidden)]
1072pub fn new_dyn_ui_node<'a>(
1073    inputs: &mut std::vec::IntoIter<Box<dyn Any>>,
1074    attributes: impl Iterator<Item = (&'a dyn AnyPropertyAttribute, &'a [Option<PropertyAttributeWhenData>])>,
1075) -> ArcNode {
1076    let item = inputs.next().expect("missing input");
1077
1078    let item = match item.downcast::<WhenUiNodeBuilder>() {
1079        Ok(builder) => ArcNode::new(builder.build()),
1080        Err(item) => *item.downcast::<ArcNode>().expect("input did not match expected UiNode types"),
1081    };
1082
1083    apply_attributes(item, attributes)
1084}
1085
1086#[doc(hidden)]
1087pub fn new_dyn_handler<'a, A: Clone + 'static>(
1088    inputs: &mut std::vec::IntoIter<Box<dyn Any>>,
1089    attributes: impl Iterator<Item = (&'a dyn AnyPropertyAttribute, &'a [Option<PropertyAttributeWhenData>])>,
1090) -> ArcHandler<A> {
1091    let item = inputs.next().expect("missing input");
1092
1093    let item = match item.downcast::<AnyWhenArcHandlerBuilder>() {
1094        Ok(builder) => builder.build(),
1095        Err(item) => *item
1096            .downcast::<ArcHandler<A>>()
1097            .expect("input did not match expected Handler types"),
1098    };
1099
1100    apply_attributes(item, attributes)
1101}
1102
1103#[doc(hidden)]
1104pub fn new_dyn_other<'a, T: Any + Send>(
1105    inputs: &mut std::vec::IntoIter<Box<dyn Any>>,
1106    attributes: impl Iterator<Item = (&'a dyn AnyPropertyAttribute, &'a [Option<PropertyAttributeWhenData>])>,
1107) -> T {
1108    let item = *inputs
1109        .next()
1110        .expect("missing input")
1111        .downcast::<T>()
1112        .expect("input did not match expected var type");
1113
1114    apply_attributes(item, attributes)
1115}
1116
1117/// Error value used in a reference to an [`UiNode`] property input is made in `when` expression.
1118///
1119/// Only variables and values can be referenced in `when` expression.
1120#[derive(Clone, PartialEq)]
1121pub struct UiNodeInWhenExprError;
1122impl fmt::Debug for UiNodeInWhenExprError {
1123    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1124        write!(f, "{self}")
1125    }
1126}
1127impl fmt::Display for UiNodeInWhenExprError {
1128    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1129        write!(f, "cannot ref `UiNode` in when expression, only var and value properties allowed")
1130    }
1131}
1132impl std::error::Error for UiNodeInWhenExprError {}
1133
1134/// Error value used in a reference to an [`Handler`] property input is made in `when` expression.
1135///
1136/// Only variables and values can be referenced in `when` expression.
1137#[derive(Clone, PartialEq)]
1138pub struct HandlerInWhenExprError;
1139impl fmt::Debug for HandlerInWhenExprError {
1140    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1141        write!(f, "{self}")
1142    }
1143}
1144impl fmt::Display for HandlerInWhenExprError {
1145    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1146        write!(
1147            f,
1148            "cannot ref `Handler<A>` in when expression, only var and value properties allowed"
1149        )
1150    }
1151}
1152impl std::error::Error for HandlerInWhenExprError {}
1153
1154/*
1155
1156 WIDGET
1157
1158*/
1159
1160/// Value that indicates the override importance of a property instance, higher overrides lower.
1161#[derive(Clone, Copy, PartialEq, Eq, Hash, Debug, PartialOrd, Ord)]
1162pub struct Importance(pub u32);
1163impl Importance {
1164    /// Importance of default values defined in the widget declaration.
1165    pub const WIDGET: Importance = Importance(1000);
1166    /// Importance of values defined in the widget instantiation.
1167    pub const INSTANCE: Importance = Importance(1000 * 10);
1168}
1169impl_from_and_into_var! {
1170    fn from(imp: u32) -> Importance {
1171        Importance(imp)
1172    }
1173}
1174
1175unique_id_32! {
1176    /// Unique ID of a property implementation.
1177    pub struct PropertyId;
1178}
1179zng_unique_id::impl_unique_id_bytemuck!(PropertyId);
1180impl fmt::Debug for PropertyId {
1181    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1182        f.debug_tuple("PropertyId").field(&self.get()).finish()
1183    }
1184}
1185
1186/// Unique identifier of a widget type.
1187///
1188/// Equality and hash is defined by the `type_id` only.
1189///
1190/// Widgets generated by `#[widget]` have an associated function that returns the type, `Foo::widget_type()`.
1191#[derive(Clone, Copy, Debug)]
1192#[non_exhaustive]
1193pub struct WidgetType {
1194    /// Widget type ID.
1195    pub type_id: TypeId,
1196    /// The widget public macro path.
1197    pub path: &'static str,
1198    /// Source code location.
1199    pub location: SourceLocation,
1200}
1201impl WidgetType {
1202    #[doc(hidden)]
1203    pub fn new(type_id: TypeId, path: &'static str, location: SourceLocation) -> Self {
1204        Self { type_id, path, location }
1205    }
1206
1207    /// Get the last part of the path.
1208    pub fn name(&self) -> &'static str {
1209        self.path.rsplit_once(':').map(|(_, n)| n).unwrap_or(self.path)
1210    }
1211}
1212impl PartialEq for WidgetType {
1213    fn eq(&self, other: &Self) -> bool {
1214        self.type_id == other.type_id
1215    }
1216}
1217impl Eq for WidgetType {}
1218impl std::hash::Hash for WidgetType {
1219    fn hash<H: std::hash::Hasher>(&self, state: &mut H) {
1220        self.type_id.hash(state);
1221    }
1222}
1223
1224/// Represents what member and how it was accessed in a [`WhenInput`].
1225#[derive(Clone, Copy, Debug)]
1226pub enum WhenInputMember {
1227    /// Member was accessed by name.
1228    Named(&'static str),
1229    /// Member was accessed by index.
1230    Index(usize),
1231}
1232
1233/// Input var read in a `when` condition expression.
1234#[derive(Clone)]
1235pub struct WhenInput {
1236    /// Property.
1237    pub property: PropertyId,
1238    /// What member and how it was accessed for this input.
1239    pub member: WhenInputMember,
1240    /// Input var.
1241    pub var: WhenInputVar,
1242    /// Constructor that generates the default property instance.
1243    pub property_default: Option<fn() -> Box<dyn PropertyArgs>>,
1244
1245    #[doc(hidden)] // constructed by #[property] code generated in external contexts.
1246    pub _non_exhaustive: (),
1247}
1248impl fmt::Debug for WhenInput {
1249    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1250        f.debug_struct("WhenInput")
1251            .field("property", &self.property)
1252            .field("member", &self.member)
1253            .finish_non_exhaustive()
1254    }
1255}
1256
1257context_local! {
1258    // ContextInitHandle used to identify the widget scope the when inputs must use
1259    static WHEN_INPUT_CONTEXT_INIT_ID: ContextInitHandle = ContextInitHandle::no_context();
1260}
1261
1262/// Represents a [`WhenInput`] variable that can be rebound.
1263#[derive(Clone)]
1264pub struct WhenInputVar {
1265    var: Arc<Mutex<Vec<(WeakContextInitHandle, AnyVar)>>>,
1266}
1267impl WhenInputVar {
1268    /// New input setter and input var.
1269    ///
1270    /// Trying to use the input var outside of the widget will panic.
1271    pub fn new<T: VarValue>() -> (Self, Var<T>) {
1272        let arc = Arc::new(Mutex::new(vec![]));
1273        (
1274            WhenInputVar { var: arc.clone() },
1275            contextual_var(move || {
1276                let mut data = arc.lock();
1277
1278                let current_id = WHEN_INPUT_CONTEXT_INIT_ID.get();
1279                let current_id = current_id.downgrade();
1280
1281                let mut r = None;
1282                data.retain(|(id, val)| {
1283                    let retain = id.is_alive();
1284                    if retain && id == &current_id {
1285                        r = Some(val.clone());
1286                    }
1287                    retain
1288                });
1289                match r {
1290                    Some(r) => r,
1291                    None => {
1292                        // value not set for this when-input in this context
1293                        if !data.is_empty() {
1294                            // has value for other contexts at least, use that to not crash
1295                            let last = data.len() - 1;
1296                            let last = &data[last];
1297                            tracing::error!(
1298                                "when input not inited for context {:?}, using value from {:?} to avoid crash",
1299                                current_id,
1300                                last.0
1301                            );
1302                            last.1.clone()
1303                        } else {
1304                            // has no value, cannot avoid crash
1305                            panic!("when input not inited for context {current_id:?}")
1306                        }
1307                    }
1308                }
1309                .downcast()
1310                .expect("incorrect when input var type")
1311            }),
1312        )
1313    }
1314
1315    fn set(&self, handle: WeakContextInitHandle, var: AnyVar) {
1316        let mut data = self.var.lock();
1317
1318        if let Some(i) = data.iter().position(|(i, _)| i == &handle) {
1319            data[i].1 = var;
1320        } else {
1321            data.push((handle, var));
1322        }
1323    }
1324}
1325
1326type PropertyAttributeWhenData = Arc<dyn Any + Send + Sync>;
1327type PropertyAttributeWhenDefault = Arc<dyn Fn() -> Vec<Box<dyn AnyPropertyAttribute>> + Send + Sync>;
1328
1329/// Data for a property attribute associated with an [`WhenInfo`].
1330#[derive(Clone)]
1331#[non_exhaustive]
1332pub struct PropertyAttributeWhen {
1333    /// Data for all inputs.
1334    pub data: PropertyAttributeWhenData,
1335    /// Closure that generates the default attribute actions, used when the final widget has no attribute instance.
1336    ///
1337    /// The closure must generate an action that behaves like the attribute is not present and then activates when the condition data activates.
1338    ///
1339    /// If the final widget has no action and all when data for it has no default, the data is ignored.
1340    pub default: Option<PropertyAttributeWhenDefault>,
1341}
1342impl PropertyAttributeWhen {
1343    /// New from strongly typed values.
1344    pub fn new<D, F>(data: D, default_action: F) -> Self
1345    where
1346        D: Any + Send + Sync + 'static,
1347        F: Fn() -> Vec<Box<dyn AnyPropertyAttribute>> + Send + Sync + 'static,
1348    {
1349        Self {
1350            data: Arc::new(data),
1351            default: Some(Arc::new(default_action)),
1352        }
1353    }
1354
1355    /// New from data, is only used if the action is provided by another data or the widget builder.
1356    pub fn new_no_default(data: impl Any + Send + Sync + 'static) -> Self {
1357        Self {
1358            data: Arc::new(data),
1359            default: None,
1360        }
1361    }
1362}
1363
1364/// Represents a `when` block in a widget.
1365#[derive(Clone)]
1366#[non_exhaustive]
1367pub struct WhenInfo {
1368    /// Properties referenced in the when condition expression.
1369    ///
1370    /// They are type erased `Var<T>` instances that are *late-inited*, other variable references (`*#{var}`) are embedded in
1371    /// the build expression and cannot be modified. Note that the [`state`] sticks to the first *late-inited* vars that it uses,
1372    /// the variable only updates after clone, this cloning happens naturally when instantiating a widget more then once.
1373    ///
1374    /// [`state`]: Self::state
1375    pub inputs: Box<[WhenInput]>,
1376
1377    /// Output of the when expression.
1378    ///
1379    /// Panics if used outside of the widget context.
1380    pub state: Var<bool>,
1381
1382    /// Properties assigned in the `when` block, in the build widget they are joined with the default value and assigns
1383    /// from other `when` blocks into a single property instance set to `when_var!` inputs.
1384    pub assigns: Vec<Box<dyn PropertyArgs>>,
1385
1386    /// Data associated with the when condition in the attribute.
1387    pub attributes_data: Vec<((PropertyId, &'static str), PropertyAttributeWhen)>,
1388
1389    /// The condition expression code.
1390    pub expr: &'static str,
1391
1392    /// When declaration location.
1393    pub location: SourceLocation,
1394}
1395impl fmt::Debug for WhenInfo {
1396    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1397        struct DebugBuildActions<'a>(&'a WhenInfo);
1398        impl fmt::Debug for DebugBuildActions<'_> {
1399            fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1400                f.debug_list().entries(self.0.attributes_data.iter().map(|(k, _)| k)).finish()
1401            }
1402        }
1403
1404        f.debug_struct("WhenInfo")
1405            .field("inputs", &self.inputs)
1406            .field("state", &self.state.get_debug(false))
1407            .field("assigns", &self.assigns)
1408            .field("attributes_data", &DebugBuildActions(self))
1409            .field("expr", &self.expr)
1410            .finish()
1411    }
1412}
1413impl Clone for Box<dyn PropertyArgs> {
1414    fn clone(&self) -> Self {
1415        PropertyArgs::clone_boxed(&**self)
1416    }
1417}
1418impl fmt::Debug for &dyn PropertyArgs {
1419    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1420        f.debug_struct("dyn PropertyArgs")
1421            .field("property", &self.property())
1422            .finish_non_exhaustive()
1423    }
1424}
1425impl fmt::Debug for Box<dyn PropertyArgs> {
1426    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1427        f.debug_struct("dyn PropertyArgs")
1428            .field("property", &self.property())
1429            .finish_non_exhaustive()
1430    }
1431}
1432
1433#[derive(Clone)]
1434struct WidgetItemPositioned {
1435    position: NestPosition,
1436    insert_idx: u32,
1437    item: WidgetItem,
1438}
1439impl WidgetItemPositioned {
1440    fn sort_key(&self) -> (NestPosition, u32) {
1441        (self.position, self.insert_idx)
1442    }
1443}
1444
1445#[derive(Clone, Debug)]
1446struct WhenItemPositioned {
1447    importance: Importance,
1448    insert_idx: u32,
1449    when: WhenInfo,
1450}
1451impl WhenItemPositioned {
1452    fn sort_key(&self) -> (Importance, u32) {
1453        (self.importance, self.insert_idx)
1454    }
1455}
1456
1457enum WidgetItem {
1458    Property {
1459        importance: Importance,
1460        args: Box<dyn PropertyArgs>,
1461        captured: bool,
1462    },
1463    Intrinsic {
1464        name: &'static str,
1465        new: Box<dyn FnOnce(UiNode) -> UiNode + Send + Sync>,
1466    },
1467}
1468impl Clone for WidgetItem {
1469    fn clone(&self) -> Self {
1470        match self {
1471            Self::Property {
1472                importance,
1473                args,
1474                captured,
1475            } => Self::Property {
1476                importance: *importance,
1477                captured: *captured,
1478                args: args.clone(),
1479            },
1480            Self::Intrinsic { .. } => unreachable!("only WidgetBuilder clones, and it does not insert intrinsic"),
1481        }
1482    }
1483}
1484
1485// [(PropertyId, "attribute-key") => (Importance, Vec<{action for each input}>)]
1486type PropertyAttributesMap = HashMap<(PropertyId, &'static str), (Importance, Vec<Box<dyn AnyPropertyAttribute>>)>;
1487type PropertyAttributesVec = Vec<((PropertyId, &'static str), (Importance, Vec<Box<dyn AnyPropertyAttribute>>))>;
1488
1489/// Widget instance builder.
1490pub struct WidgetBuilder {
1491    widget_type: WidgetType,
1492
1493    insert_idx: u32,
1494    p: WidgetBuilderProperties,
1495    unset: HashMap<PropertyId, Importance>,
1496
1497    whens: Vec<WhenItemPositioned>,
1498    when_insert_idx: u32,
1499
1500    p_attributes: PropertyAttributesMap,
1501    p_attributes_unset: HashMap<(PropertyId, &'static str), Importance>,
1502
1503    build_actions: Vec<Arc<Mutex<dyn FnMut(&mut WidgetBuilding) + Send>>>,
1504
1505    custom_build: Option<Arc<Mutex<dyn FnMut(WidgetBuilder) -> UiNode + Send>>>,
1506}
1507impl Clone for WidgetBuilder {
1508    fn clone(&self) -> Self {
1509        Self {
1510            widget_type: self.widget_type,
1511            p: WidgetBuilderProperties { items: self.items.clone() },
1512            p_attributes: self.p_attributes.clone(),
1513            insert_idx: self.insert_idx,
1514            unset: self.unset.clone(),
1515            p_attributes_unset: self.p_attributes_unset.clone(),
1516            whens: self.whens.clone(),
1517            when_insert_idx: self.when_insert_idx,
1518            build_actions: self.build_actions.clone(),
1519            custom_build: self.custom_build.clone(),
1520        }
1521    }
1522}
1523impl fmt::Debug for WidgetBuilder {
1524    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1525        struct PropertiesDebug<'a>(&'a WidgetBuilderProperties);
1526        impl fmt::Debug for PropertiesDebug<'_> {
1527            fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1528                f.debug_list().entries(self.0.properties()).finish()
1529            }
1530        }
1531        f.debug_struct("WidgetBuilder")
1532            .field("widget_type", &self.widget_type)
1533            .field("properties", &PropertiesDebug(&self.p))
1534            .field("unset", &self.unset)
1535            .field("whens", &self.whens)
1536            .field("build_actions.len", &self.build_actions.len())
1537            .field("is_custom_build", &self.is_custom_build())
1538            .finish()
1539    }
1540}
1541impl WidgetBuilder {
1542    /// New empty default.
1543    pub fn new(widget: WidgetType) -> Self {
1544        Self {
1545            widget_type: widget,
1546            p: WidgetBuilderProperties { items: Default::default() },
1547            insert_idx: 0,
1548            unset: Default::default(),
1549            whens: Default::default(),
1550            p_attributes: Default::default(),
1551            p_attributes_unset: Default::default(),
1552            when_insert_idx: 0,
1553            build_actions: Default::default(),
1554            custom_build: Default::default(),
1555        }
1556    }
1557
1558    /// The widget that started this builder.
1559    pub fn widget_type(&self) -> WidgetType {
1560        self.widget_type
1561    }
1562
1563    /// Insert/override a property.
1564    ///
1565    /// You can use the [`property_args!`] macro to collect args for a property.
1566    pub fn push_property(&mut self, importance: Importance, args: Box<dyn PropertyArgs>) {
1567        let pos = NestPosition::property(args.property().group);
1568        self.push_property_positioned(importance, pos, args);
1569    }
1570
1571    /// Insert property with custom nest position.
1572    pub fn push_property_positioned(&mut self, importance: Importance, position: NestPosition, args: Box<dyn PropertyArgs>) {
1573        self.push_property_positioned_impl(importance, position, args, false)
1574    }
1575    fn push_property_positioned_impl(
1576        &mut self,
1577        importance: Importance,
1578        position: NestPosition,
1579        args: Box<dyn PropertyArgs>,
1580        captured: bool,
1581    ) {
1582        let insert_idx = self.insert_idx;
1583        self.insert_idx = insert_idx.wrapping_add(1);
1584
1585        let property_id = args.id();
1586        if let Some(i) = self.p.property_index(property_id) {
1587            match &self.p.items[i].item {
1588                WidgetItem::Property { importance: imp, .. } => {
1589                    if *imp <= importance {
1590                        // override
1591                        self.p.items[i] = WidgetItemPositioned {
1592                            position,
1593                            insert_idx,
1594                            item: WidgetItem::Property {
1595                                importance,
1596                                args,
1597                                captured,
1598                            },
1599                        };
1600                    }
1601                }
1602                WidgetItem::Intrinsic { .. } => unreachable!(),
1603            }
1604        } else {
1605            if let Some(imp) = self.unset.get(&property_id)
1606                && *imp >= importance
1607            {
1608                return; // unset blocks.
1609            }
1610            self.p.items.push(WidgetItemPositioned {
1611                position,
1612                insert_idx,
1613                item: WidgetItem::Property {
1614                    importance,
1615                    args,
1616                    captured,
1617                },
1618            });
1619        }
1620    }
1621
1622    /// Insert a `when` block.
1623    pub fn push_when(&mut self, importance: Importance, mut when: WhenInfo) {
1624        let insert_idx = self.when_insert_idx;
1625        self.when_insert_idx = insert_idx.wrapping_add(1);
1626
1627        when.assigns.retain(|a| {
1628            if let Some(imp) = self.unset.get(&a.id()) {
1629                *imp < importance
1630            } else {
1631                true
1632            }
1633        });
1634
1635        if !when.assigns.is_empty() {
1636            self.whens.push(WhenItemPositioned {
1637                importance,
1638                insert_idx,
1639                when,
1640            });
1641        }
1642    }
1643
1644    /// Insert a `name = unset!;` property.
1645    pub fn push_unset(&mut self, importance: Importance, property_id: PropertyId) {
1646        let check;
1647        match self.unset.entry(property_id) {
1648            hash_map::Entry::Occupied(mut e) => {
1649                let i = e.get_mut();
1650                check = *i < importance;
1651                *i = importance;
1652            }
1653            hash_map::Entry::Vacant(e) => {
1654                check = true;
1655                e.insert(importance);
1656            }
1657        }
1658
1659        if check {
1660            if let Some(i) = self.p.property_index(property_id) {
1661                match &self.p.items[i].item {
1662                    WidgetItem::Property { importance: imp, .. } => {
1663                        if *imp <= importance {
1664                            self.p.items.swap_remove(i);
1665                        }
1666                    }
1667                    WidgetItem::Intrinsic { .. } => unreachable!(),
1668                }
1669            }
1670
1671            self.whens.retain_mut(|w| {
1672                if w.importance <= importance {
1673                    w.when.assigns.retain(|a| a.id() != property_id);
1674                    !w.when.assigns.is_empty()
1675                } else {
1676                    true
1677                }
1678            });
1679        }
1680    }
1681
1682    /// Add or override custom builder actions that are called to finalize the inputs for a property.
1683    ///
1684    /// The `importance` overrides previous build action of the same name and property. The `input_actions` vec must
1685    /// contain one action for each property input.
1686    pub fn push_property_attribute(
1687        &mut self,
1688        property_id: PropertyId,
1689        attribute_name: &'static str,
1690        importance: Importance,
1691        input_actions: Vec<Box<dyn AnyPropertyAttribute>>,
1692    ) {
1693        match self.p_attributes.entry((property_id, attribute_name)) {
1694            hash_map::Entry::Occupied(mut e) => {
1695                if e.get().0 < importance {
1696                    e.insert((importance, input_actions));
1697                }
1698            }
1699            hash_map::Entry::Vacant(e) => {
1700                if let Some(imp) = self.p_attributes_unset.get(&(property_id, attribute_name))
1701                    && *imp >= importance
1702                {
1703                    // blocked by unset
1704                    return;
1705                }
1706                e.insert((importance, input_actions));
1707            }
1708        }
1709    }
1710
1711    /// Insert a [property attribute] filter.
1712    ///
1713    /// [property attribute]: Self::push_property_attribute
1714    pub fn push_unset_property_attribute(&mut self, property_id: PropertyId, attribute_name: &'static str, importance: Importance) {
1715        let mut check = false;
1716        match self.p_attributes_unset.entry((property_id, attribute_name)) {
1717            hash_map::Entry::Occupied(mut e) => {
1718                if *e.get() < importance {
1719                    e.insert(importance);
1720                    check = true;
1721                }
1722            }
1723            hash_map::Entry::Vacant(e) => {
1724                e.insert(importance);
1725                check = true;
1726            }
1727        }
1728        if check {
1729            self.p_attributes.retain(|_, (imp, _)| *imp > importance);
1730        }
1731    }
1732
1733    /// Remove all registered property attributes.
1734    pub fn clear_property_attributes(&mut self) {
1735        self.p_attributes.clear();
1736    }
1737
1738    /// Add an `action` closure that is called every time this builder or a clone of it builds a widget instance.
1739    pub fn push_build_action(&mut self, action: impl FnMut(&mut WidgetBuilding) + Send + 'static) {
1740        self.build_actions.push(Arc::new(Mutex::new(action)))
1741    }
1742
1743    /// Remove all registered build actions.
1744    pub fn clear_build_actions(&mut self) {
1745        self.build_actions.clear();
1746    }
1747
1748    /// Returns `true` if a custom build handler is registered.
1749    pub fn is_custom_build(&self) -> bool {
1750        self.custom_build.is_some()
1751    }
1752
1753    /// Set a `build` closure to run instead of [`default_build`] when [`build`] is called.
1754    ///
1755    /// Overrides the previous custom build, if any was set.
1756    ///
1757    /// [`build`]: Self::build
1758    /// [`default_build`]: Self::default_build
1759    pub fn set_custom_build(&mut self, build: impl FnMut(WidgetBuilder) -> UiNode + Send + 'static) {
1760        self.custom_build = Some(Arc::new(Mutex::new(build)));
1761    }
1762
1763    /// Remove the custom build handler, if any was set.
1764    pub fn clear_custom_build(&mut self) {
1765        self.custom_build = None;
1766    }
1767
1768    /// Apply `other` over `self`.
1769    ///
1770    /// All properties, unsets, whens, build actions and custom build of `other` are inserted in `self`,
1771    /// override importance rules apply, `other` items only replace `self` items if they have the
1772    /// same or greater importance.
1773    ///
1774    /// Note that properties of the same position index from `other` are pushed after properties of the
1775    /// same position in `self`, this means that fill properties of `other` will render *over* fill properties
1776    /// of `self`.
1777    pub fn extend(&mut self, other: WidgetBuilder) {
1778        self.extend_important(other, Importance(0));
1779    }
1780    /// Like [`extend`], but only uses items from `other` that have importance `>=min_importance`.
1781    ///
1782    /// [`extend`]: Self::extend
1783    pub fn extend_important(&mut self, other: WidgetBuilder, min_importance: Importance) {
1784        for (id, imp) in other.unset {
1785            if imp >= min_importance {
1786                self.push_unset(imp, id);
1787            }
1788        }
1789
1790        for ((id, name), imp) in other.p_attributes_unset {
1791            if imp >= min_importance {
1792                self.push_unset_property_attribute(id, name, imp);
1793            }
1794        }
1795
1796        for WidgetItemPositioned { position, item, .. } in other.p.items {
1797            match item {
1798                WidgetItem::Property {
1799                    importance,
1800                    args,
1801                    captured,
1802                } => {
1803                    if importance >= min_importance {
1804                        self.push_property_positioned_impl(importance, position, args, captured);
1805                    }
1806                }
1807                WidgetItem::Intrinsic { .. } => unreachable!(),
1808            }
1809        }
1810
1811        for w in other.whens {
1812            if w.importance >= min_importance {
1813                self.push_when(w.importance, w.when);
1814            }
1815        }
1816
1817        for ((id, name), (imp, action)) in other.p_attributes {
1818            if imp >= min_importance {
1819                self.push_property_attribute(id, name, imp, action);
1820            }
1821        }
1822
1823        for act in other.build_actions {
1824            self.build_actions.push(act);
1825        }
1826
1827        if let Some(c) = other.custom_build {
1828            self.custom_build = Some(c);
1829        }
1830    }
1831
1832    /// If any property is present in the builder.
1833    pub fn has_properties(&self) -> bool {
1834        !self.p.items.is_empty()
1835    }
1836
1837    /// If any unset filter is present in the builder.
1838    pub fn has_unsets(&self) -> bool {
1839        !self.unset.is_empty()
1840    }
1841
1842    /// If any when block is present in the builder.
1843    pub fn has_whens(&self) -> bool {
1844        !self.whens.is_empty()
1845    }
1846
1847    /// Move all `properties` to a new builder.
1848    ///
1849    /// The properties are removed from `self`, any `when` assign is also moved, properties used in [`WhenInput`] that
1850    /// affect the properties are cloned or moved into the new builder.
1851    ///
1852    /// Note that properties can depend on others in the widget contextually, this is not preserved on split-off.
1853    pub fn split_off(&mut self, properties: impl IntoIterator<Item = PropertyId>, out: &mut WidgetBuilder) {
1854        self.split_off_impl(properties.into_iter().collect(), out)
1855    }
1856    fn split_off_impl(&mut self, properties: IdSet<PropertyId>, out: &mut WidgetBuilder) {
1857        let mut found = 0;
1858
1859        // move properties
1860        let mut i = 0;
1861        while i < self.items.len() && found < properties.len() {
1862            match &self.items[i].item {
1863                WidgetItem::Property { args, .. } if properties.contains(&args.id()) => match self.items.swap_remove(i) {
1864                    WidgetItemPositioned {
1865                        position,
1866                        item: WidgetItem::Property { importance, args, .. },
1867                        ..
1868                    } => {
1869                        out.push_property_positioned(importance, position, args);
1870                        found += 1;
1871                    }
1872                    _ => unreachable!(),
1873                },
1874                _ => {
1875                    i += 1;
1876                    continue;
1877                }
1878            }
1879        }
1880
1881        i = 0;
1882        while i < self.whens.len() {
1883            // move when assigns
1884            let mut ai = 0;
1885            let mut moved_assigns = vec![];
1886            while ai < self.whens[i].when.assigns.len() {
1887                if properties.contains(&self.whens[i].when.assigns[ai].id()) {
1888                    let args = self.whens[i].when.assigns.remove(ai);
1889                    moved_assigns.push(args);
1890                } else {
1891                    ai += 1;
1892                }
1893            }
1894
1895            if !moved_assigns.is_empty() {
1896                let out_imp;
1897                let out_when;
1898                if self.whens[i].when.assigns.is_empty() {
1899                    // moved all assigns from block, move block
1900                    let WhenItemPositioned { importance, mut when, .. } = self.whens.remove(i);
1901                    when.assigns = moved_assigns;
1902
1903                    out_imp = importance;
1904                    out_when = when;
1905                } else {
1906                    // when block still used, clone block header for moved assigns.
1907                    let WhenItemPositioned { importance, when, .. } = &self.whens[i];
1908                    out_imp = *importance;
1909                    out_when = WhenInfo {
1910                        inputs: when.inputs.clone(),
1911                        state: when.state.clone(),
1912                        assigns: moved_assigns,
1913                        attributes_data: when.attributes_data.clone(),
1914                        expr: when.expr,
1915                        location: when.location,
1916                    };
1917
1918                    i += 1;
1919                };
1920
1921                // clone when input properties that are "manually" set.
1922                for input in out_when.inputs.iter() {
1923                    if let Some(i) = self.property_index(input.property) {
1924                        match &self.items[i] {
1925                            WidgetItemPositioned {
1926                                position,
1927                                item: WidgetItem::Property { importance, args, .. },
1928                                ..
1929                            } => {
1930                                out.push_property_positioned(*importance, *position, args.clone());
1931                            }
1932                            _ => unreachable!(),
1933                        }
1934                    }
1935                }
1936
1937                out.push_when(out_imp, out_when);
1938            } else {
1939                i += 1;
1940            }
1941        }
1942
1943        // move unsets
1944        for id in properties {
1945            if let Some(imp) = self.unset.remove(&id) {
1946                out.push_unset(imp, id);
1947            }
1948        }
1949    }
1950
1951    /// Instantiate the widget.
1952    ///
1953    /// If a custom build is set it is run, unless it is already running, otherwise the [`default_build`] is called.
1954    ///
1955    /// [`default_build`]: Self::default_build
1956    pub fn build(self) -> UiNode {
1957        if let Some(custom) = self.custom_build.clone() {
1958            match custom.try_lock() {
1959                Some(mut c) => c(self),
1960                None => self.default_build(),
1961            }
1962        } else {
1963            self.default_build()
1964        }
1965    }
1966
1967    /// Instantiate the widget.
1968    ///
1969    /// Runs all build actions, but ignores custom build.
1970    pub fn default_build(self) -> UiNode {
1971        #[cfg(feature = "inspector")]
1972        let builder = self.clone();
1973
1974        let mut building = WidgetBuilding {
1975            #[cfg(feature = "inspector")]
1976            builder: Some(builder),
1977            #[cfg(feature = "trace_widget")]
1978            trace_widget: true,
1979            #[cfg(feature = "trace_wgt_item")]
1980            trace_wgt_item: true,
1981
1982            widget_type: self.widget_type,
1983            p: self.p,
1984            child: None,
1985            build_action_property: None,
1986        };
1987
1988        let mut p_attributes = self.p_attributes.into_iter().collect();
1989
1990        let mut when_init_context_handle = None;
1991
1992        if !self.whens.is_empty() {
1993            let handle = ContextInitHandle::new();
1994            building.build_whens(self.whens, handle.downgrade(), &mut p_attributes);
1995            when_init_context_handle = Some(handle);
1996        }
1997
1998        if !p_attributes.is_empty() {
1999            building.build_p_attributes(p_attributes);
2000        }
2001
2002        for action in self.build_actions {
2003            (action.lock())(&mut building);
2004        }
2005
2006        building.run_build_action_properties();
2007
2008        building.build(when_init_context_handle)
2009    }
2010}
2011impl ops::Deref for WidgetBuilder {
2012    type Target = WidgetBuilderProperties;
2013
2014    fn deref(&self) -> &Self::Target {
2015        &self.p
2016    }
2017}
2018impl ops::DerefMut for WidgetBuilder {
2019    fn deref_mut(&mut self) -> &mut Self::Target {
2020        &mut self.p
2021    }
2022}
2023
2024/// Represents a finalizing [`WidgetBuilder`].
2025///
2026/// Widgets can register a [build action] to get access to this on build, build action properties also receive it as their first argument.
2027/// Build actions provides an opportunity to remove or capture the final properties of a widget, after they have all been resolved
2028/// and `when` assigns generated. Build actions can also define the child node and insert intrinsic nodes.
2029///
2030/// [build action]: WidgetBuilder::push_build_action
2031pub struct WidgetBuilding {
2032    #[cfg(feature = "inspector")]
2033    builder: Option<WidgetBuilder>,
2034    #[cfg(feature = "trace_widget")]
2035    trace_widget: bool,
2036    #[cfg(feature = "trace_wgt_item")]
2037    trace_wgt_item: bool,
2038
2039    widget_type: WidgetType,
2040    p: WidgetBuilderProperties,
2041    child: Option<UiNode>,
2042
2043    build_action_property: Option<PropertyInfo>,
2044}
2045impl WidgetBuilding {
2046    /// The widget that started this builder.
2047    pub fn widget_type(&self) -> WidgetType {
2048        self.widget_type
2049    }
2050
2051    /// If an innermost node is defined.
2052    ///
2053    /// If `false` by the end of build the [`FillUiNode`] is used as the innermost node.
2054    pub fn has_child(&self) -> bool {
2055        self.child.is_some()
2056    }
2057
2058    /// Set/replace the innermost node of the widget.
2059    pub fn set_child(&mut self, node: impl IntoUiNode) {
2060        self.child = Some(node.into_node());
2061    }
2062
2063    /// Don't insert the inspector node and inspector metadata on build.
2064    ///
2065    /// The inspector metadata is inserted by default when `feature="inspector"` is active.
2066    #[cfg(feature = "inspector")]
2067    pub fn disable_inspector(&mut self) {
2068        self.builder = None;
2069    }
2070
2071    /// Don't insert the widget trace node on build.
2072    ///
2073    /// The trace node is inserted by default when `feature="trace_widget"` is active.
2074    #[cfg(feature = "trace_widget")]
2075    pub fn disable_trace_widget(&mut self) {
2076        self.trace_widget = false;
2077    }
2078
2079    /// Don't insert property/intrinsic trace nodes on build.
2080    ///
2081    /// The trace nodes is inserted by default when `feature="trace_wgt_item"` is active.
2082    #[cfg(feature = "trace_wgt_item")]
2083    pub fn disable_trace_wgt_item(&mut self) {
2084        self.trace_wgt_item = false;
2085    }
2086
2087    /// Insert intrinsic node, that is a core functionality node of the widget that cannot be overridden.
2088    ///
2089    /// The `name` is used for inspector/trace only, intrinsic nodes are not deduplicated.
2090    pub fn push_intrinsic(
2091        &mut self,
2092        group: NestGroup,
2093        name: &'static str,
2094        intrinsic: impl FnOnce(UiNode) -> UiNode + Send + Sync + 'static,
2095    ) {
2096        self.push_intrinsic_positioned(NestPosition::intrinsic(group), name, intrinsic)
2097    }
2098
2099    /// Insert intrinsic node with custom nest position.
2100    ///
2101    /// The `name` is used for inspector/trace only, intrinsic nodes are not deduplicated.
2102    pub fn push_intrinsic_positioned(
2103        &mut self,
2104        position: NestPosition,
2105        name: &'static str,
2106        intrinsic: impl FnOnce(UiNode) -> UiNode + Send + Sync + 'static,
2107    ) {
2108        self.items.push(WidgetItemPositioned {
2109            position,
2110            insert_idx: u32::MAX,
2111            item: WidgetItem::Intrinsic {
2112                name,
2113                new: Box::new(intrinsic),
2114            },
2115        });
2116    }
2117
2118    /// Removes the property.
2119    ///
2120    /// Note that if the property can already be captured by another widget component.
2121    pub fn remove_property(&mut self, property_id: PropertyId) -> Option<BuilderProperty> {
2122        if let Some(i) = self.property_index(property_id) {
2123            match self.items.swap_remove(i) {
2124                WidgetItemPositioned {
2125                    position,
2126                    item:
2127                        WidgetItem::Property {
2128                            importance,
2129                            args,
2130                            captured,
2131                        },
2132                    ..
2133                } => Some(BuilderProperty {
2134                    importance,
2135                    position,
2136                    args,
2137                    captured,
2138                }),
2139                _ => unreachable!(),
2140            }
2141        } else {
2142            None
2143        }
2144    }
2145
2146    /// Flags the property as captured and returns a reference to it.
2147    ///
2148    /// Note that captured properties are not instantiated in the final build, but they also are not removed like *unset*.
2149    /// A property can be "captured" more then once, and if the `"inspector"` feature is enabled they can be inspected.
2150    pub fn capture_property(&mut self, property_id: PropertyId) -> Option<BuilderPropertyRef<'_>> {
2151        self.capture_property_impl(property_id)
2152    }
2153
2154    /// Flags the property as captured and downcast the input var.
2155    pub fn capture_var<T>(&mut self, property_id: PropertyId) -> Option<Var<T>>
2156    where
2157        T: VarValue,
2158    {
2159        let p = self.capture_property(property_id)?;
2160        let var = p.args.downcast_var::<T>(0).clone();
2161        Some(var)
2162    }
2163
2164    /// Flags the property as captured and downcast the input var, or calls `or_else` to generate a fallback.
2165    pub fn capture_var_or_else<T, F>(&mut self, property_id: PropertyId, or_else: impl FnOnce() -> F) -> Var<T>
2166    where
2167        T: VarValue,
2168        F: IntoVar<T>,
2169    {
2170        match self.capture_var::<T>(property_id) {
2171            Some(var) => var,
2172            None => or_else().into_var(),
2173        }
2174    }
2175
2176    /// Flags the property as captured and downcast the input var, returns a new one with the default value.
2177    pub fn capture_var_or_default<T>(&mut self, property_id: PropertyId) -> Var<T>
2178    where
2179        T: VarValue + Default,
2180    {
2181        self.capture_var_or_else(property_id, T::default)
2182    }
2183
2184    /// Flags the property as captured and get the input node.
2185    pub fn capture_ui_node(&mut self, property_id: PropertyId) -> Option<UiNode> {
2186        let p = self.capture_property(property_id)?;
2187        let node = p.args.ui_node(0).take_on_init();
2188        Some(node)
2189    }
2190
2191    /// Flags the property as captured and get the input node, or calls `or_else` to generate a fallback node.
2192    pub fn capture_ui_node_or_else(&mut self, property_id: PropertyId, or_else: impl FnOnce() -> UiNode) -> UiNode {
2193        match self.capture_ui_node(property_id) {
2194            Some(u) => u,
2195            None => or_else(),
2196        }
2197    }
2198
2199    /// Flags the property as captured and get the input node, or [`UiNode::nil`] if the property is not found.
2200    pub fn capture_ui_node_or_nil(&mut self, property_id: PropertyId) -> UiNode {
2201        self.capture_ui_node_or_else(property_id, UiNode::nil)
2202    }
2203
2204    /// Flags the property as captured and downcast the input handler.
2205    pub fn capture_handler<A: Clone + 'static>(&mut self, property_id: PropertyId) -> Option<ArcHandler<A>> {
2206        let p = self.capture_property(property_id)?;
2207        let handler = p.args.downcast_handler::<A>(0).clone();
2208        Some(handler)
2209    }
2210
2211    /// Identifies the current running build action property.
2212    pub fn build_action_property(&mut self) -> Option<&PropertyInfo> {
2213        self.build_action_property.as_ref()
2214    }
2215
2216    /// If is running a [`build_action_property`] and is building with debug assertions logs an error that
2217    /// explains the property will not work on the widget because it was not captured.
2218    ///
2219    /// [`build_action_property`]: Self::build_action_property
2220    pub fn expect_property_capture(&mut self) {
2221        #[cfg(debug_assertions)]
2222        if let Some(p_name) = self.build_action_property().map(|p| p.name) {
2223            tracing::error!(
2224                "capture only property `{}` is not captured in `{}!`, it will have no effect",
2225                p_name,
2226                self.widget_type.name()
2227            );
2228        }
2229    }
2230
2231    fn build_whens(
2232        &mut self,
2233        mut whens: Vec<WhenItemPositioned>,
2234        when_init_context_id: WeakContextInitHandle,
2235        attributes: &mut PropertyAttributesVec,
2236    ) {
2237        whens.sort_unstable_by_key(|w| w.sort_key());
2238
2239        struct Input<'a> {
2240            input: &'a WhenInput,
2241            item_idx: usize,
2242        }
2243        let mut inputs = vec![];
2244
2245        struct Assign {
2246            item_idx: usize,
2247            builder: Vec<Box<dyn Any>>,
2248            when_count: usize,
2249            /// map of key:action set in the property, in at least one when, and value:Vec of data for each when in order and
2250            /// Option of default action.
2251            attrs_data: HashMap<&'static str, (Vec<Option<PropertyAttributeWhenData>>, Option<PropertyAttributeWhenDefault>)>,
2252        }
2253        let mut assigns = IdMap::default();
2254
2255        // rev so that the last when overrides others, the WhenVar returns the first true condition.
2256        'when: for WhenItemPositioned { when, .. } in whens.iter().rev() {
2257            // bind inputs.
2258            let valid_inputs = inputs.len();
2259            let valid_items = self.p.items.len();
2260            for input in when.inputs.iter() {
2261                if let Some(i) = self.property_index(input.property) {
2262                    inputs.push(Input { input, item_idx: i })
2263                } else if let Some(default) = input.property_default {
2264                    let args = default();
2265                    self.p.items.push(WidgetItemPositioned {
2266                        position: NestPosition::property(args.property().group),
2267                        insert_idx: u32::MAX,
2268                        item: WidgetItem::Property {
2269                            importance: Importance::WIDGET,
2270                            args,
2271                            captured: false,
2272                        },
2273                    });
2274                    inputs.push(Input {
2275                        input,
2276                        item_idx: self.p.items.len() - 1,
2277                    });
2278                } else {
2279                    inputs.truncate(valid_inputs);
2280                    self.p.items.truncate(valid_items);
2281                    continue 'when;
2282                }
2283            }
2284
2285            let mut any_assign = false;
2286            // collect assigns.
2287            'assign: for assign in when.assigns.iter() {
2288                let id = assign.id();
2289                let assign_info;
2290                let i;
2291                if let Some(idx) = self.property_index(id) {
2292                    assign_info = assign.property();
2293                    i = idx;
2294                } else if let Some(default) = assign.property().default {
2295                    let args = default();
2296                    assign_info = args.property();
2297                    i = self.p.items.len();
2298                    self.p.items.push(WidgetItemPositioned {
2299                        position: NestPosition::property(args.property().group),
2300                        insert_idx: u32::MAX,
2301                        item: WidgetItem::Property {
2302                            importance: Importance::WIDGET,
2303                            args,
2304                            captured: false,
2305                        },
2306                    });
2307                } else {
2308                    tracing::warn!(
2309                        "property `{}` ignored, it is only set in `when` block and has no default value",
2310                        assign.property().name
2311                    );
2312                    continue;
2313                }
2314
2315                any_assign = true;
2316
2317                let default_args = match &self.items[i].item {
2318                    WidgetItem::Property { args, .. } => args,
2319                    WidgetItem::Intrinsic { .. } => unreachable!(),
2320                };
2321                let info = default_args.property();
2322
2323                for (default_info, assign_info) in info.inputs.iter().zip(assign_info.inputs.iter()) {
2324                    if default_info.ty != assign_info.ty {
2325                        // can happen with generic properties.
2326                        continue 'assign;
2327                    }
2328                }
2329
2330                let entry = match assigns.entry(id) {
2331                    IdEntry::Occupied(e) => e.into_mut(),
2332                    IdEntry::Vacant(e) => e.insert(Assign {
2333                        item_idx: i,
2334                        builder: info
2335                            .inputs
2336                            .iter()
2337                            .enumerate()
2338                            .map(|(i, input)| match input.kind {
2339                                InputKind::Var => Box::new(AnyWhenVarBuilder::new(default_args.var(i).clone())) as _,
2340                                InputKind::UiNode => Box::new(WhenUiNodeBuilder::new(default_args.ui_node(i).take_on_init())) as _,
2341                                InputKind::Handler => Box::new(AnyWhenArcHandlerBuilder::new(default_args.handler(i).clone_boxed())) as _,
2342                                InputKind::Value => panic!("can only assign vars in when blocks"),
2343                            })
2344                            .collect(),
2345                        when_count: 0,
2346                        attrs_data: Default::default(),
2347                    }),
2348                };
2349                entry.when_count += 1;
2350
2351                for (i, (input, entry)) in info.inputs.iter().zip(entry.builder.iter_mut()).enumerate() {
2352                    match input.kind {
2353                        InputKind::Var => {
2354                            let entry = entry.downcast_mut::<AnyWhenVarBuilder>().unwrap();
2355                            let value = assign.var(i).clone();
2356                            entry.push(when.state.clone(), value);
2357                        }
2358                        InputKind::UiNode => {
2359                            let entry = entry.downcast_mut::<WhenUiNodeBuilder>().unwrap();
2360                            let node = assign.ui_node(i).take_on_init();
2361                            entry.push(when.state.clone(), node);
2362                        }
2363                        InputKind::Handler => {
2364                            let entry = entry.downcast_mut::<AnyWhenArcHandlerBuilder>().unwrap();
2365                            let handler = assign.handler(i).clone_boxed();
2366                            entry.push(when.state.clone(), handler);
2367                        }
2368                        InputKind::Value => panic!("cannot assign `Value` in when blocks"),
2369                    }
2370                }
2371
2372                for ((property_id, attr_key), action) in &when.attributes_data {
2373                    if *property_id == id {
2374                        match entry.attrs_data.entry(*attr_key) {
2375                            hash_map::Entry::Occupied(mut e) => {
2376                                let e = e.get_mut();
2377                                for _ in e.0.len()..(entry.when_count - 1) {
2378                                    e.0.push(None);
2379                                }
2380                                e.0.push(Some(action.data.clone()));
2381                                if action.default.is_some() && e.1.is_none() {
2382                                    e.1.clone_from(&action.default);
2383                                }
2384                            }
2385                            hash_map::Entry::Vacant(e) => {
2386                                let mut a = Vec::with_capacity(entry.when_count);
2387                                for _ in 0..(entry.when_count - 1) {
2388                                    a.push(None);
2389                                }
2390                                a.push(Some(action.data.clone()));
2391                                e.insert((a, action.default.clone()));
2392                            }
2393                        }
2394                    }
2395                }
2396            }
2397
2398            if !any_assign {
2399                inputs.truncate(valid_inputs);
2400                self.p.items.truncate(valid_items);
2401            }
2402        }
2403
2404        for Input { input, item_idx } in inputs {
2405            let args = match &self.items[item_idx].item {
2406                WidgetItem::Property { args, .. } => args,
2407                WidgetItem::Intrinsic { .. } => unreachable!(),
2408            };
2409            let info = args.property();
2410
2411            let member_i = match input.member {
2412                WhenInputMember::Named(name) => info.input_idx(name).expect("when ref named input not found"),
2413                WhenInputMember::Index(i) => i,
2414            };
2415
2416            let actual = match info.inputs[member_i].kind {
2417                InputKind::Var => args.var(member_i).clone(),
2418                InputKind::Value => any_const_var(args.value(member_i).clone_boxed()),
2419                _ => panic!("can only ref var or values in when expr"),
2420            };
2421            input.var.set(when_init_context_id.clone(), actual);
2422        }
2423
2424        for (
2425            _,
2426            Assign {
2427                item_idx,
2428                builder,
2429                when_count,
2430                attrs_data: mut actions_data,
2431            },
2432        ) in assigns
2433        {
2434            let args = match &mut self.items[item_idx].item {
2435                WidgetItem::Property { args, .. } => args,
2436                WidgetItem::Intrinsic { .. } => unreachable!(),
2437            };
2438
2439            let mut attrs = vec![];
2440            let mut attrs_data = vec![];
2441            if !attributes.is_empty() {
2442                let p_id = args.id();
2443                while let Some(i) = attributes.iter().position(|((id, _), _)| *id == p_id) {
2444                    let ((_, action_key), (_, a)) = attributes.swap_remove(i);
2445                    attrs.push(a);
2446
2447                    if let Some(data) = actions_data.remove(action_key) {
2448                        let mut data = data.clone();
2449                        for _ in data.0.len()..when_count {
2450                            data.0.push(None);
2451                        }
2452                        attrs_data.push(data.0);
2453                    }
2454                }
2455            }
2456
2457            for (_, (mut data, default)) in actions_data {
2458                if let Some(default) = default {
2459                    let action = default();
2460                    for _ in data.len()..when_count {
2461                        data.push(None);
2462                    }
2463
2464                    attrs.push(action);
2465                    attrs_data.push(data);
2466                }
2467            }
2468
2469            *args = (args.property().new)(PropertyNewArgs {
2470                args: builder,
2471                attributes: attrs,
2472                attributes_when_data: attrs_data,
2473            });
2474        }
2475    }
2476
2477    fn build_p_attributes(&mut self, mut attributes: PropertyAttributesVec) {
2478        while !attributes.is_empty() {
2479            let ((p_id, _), (_, a)) = attributes.swap_remove(0);
2480            let mut attrs = vec![a];
2481
2482            while let Some(i) = attributes.iter().position(|((id, _), _)| *id == p_id) {
2483                let (_, (_, a)) = attributes.swap_remove(i);
2484                attrs.push(a);
2485            }
2486
2487            if let Some(i) = self.property_index(p_id) {
2488                match &mut self.items[i].item {
2489                    WidgetItem::Property { args, .. } => *args = args.new_build(attrs, vec![]),
2490                    WidgetItem::Intrinsic { .. } => unreachable!(),
2491                }
2492            }
2493        }
2494    }
2495
2496    fn run_build_action_properties(&mut self) {
2497        if self.items.is_empty() {
2498            return;
2499        }
2500
2501        // sort by group, index and insert index.
2502        self.items.sort_unstable_by_key(|b| b.sort_key());
2503
2504        let mut any = false;
2505        let mut i = self.items.len();
2506        loop {
2507            i -= 1;
2508            if let WidgetItem::Property { args, captured, .. } = &self.p.items[i].item
2509                && !captured
2510            {
2511                let p = args.property();
2512                if p.build_action {
2513                    any = true;
2514                    self.build_action_property = Some(p);
2515                    args.clone_boxed().build_action(self);
2516                    self.build_action_property = None;
2517                }
2518            }
2519            if i == 0 {
2520                break;
2521            }
2522        }
2523
2524        if any {
2525            self.items.sort_unstable_by_key(|b| b.sort_key());
2526        }
2527    }
2528
2529    fn build(mut self, when_init_context_handle: Option<ContextInitHandle>) -> UiNode {
2530        #[cfg(feature = "inspector")]
2531        let mut inspector_items = Vec::with_capacity(self.p.items.len());
2532
2533        let mut node = self.child.take().unwrap_or_else(|| FillUiNode.into_node());
2534        for WidgetItemPositioned { position, item, .. } in self.p.items.into_iter().rev() {
2535            match item {
2536                WidgetItem::Property { args, captured, .. } => {
2537                    if !captured {
2538                        node = args.instantiate(node);
2539
2540                        #[cfg(feature = "trace_wgt_item")]
2541                        if self.trace_wgt_item {
2542                            let name = args.property().name;
2543                            node = node.trace(move |mtd| crate::update::UpdatesTrace::property_span(name, mtd.mtd_name()));
2544                        }
2545                    }
2546
2547                    #[cfg(feature = "inspector")]
2548                    {
2549                        if args.property().inputs.iter().any(|i| matches!(i.kind, InputKind::Var)) {
2550                            node = crate::widget::inspector::actualize_var_info(node, args.id());
2551                        }
2552
2553                        inspector_items.push(crate::widget::inspector::InstanceItem::Property { args, captured });
2554                    }
2555                }
2556                #[allow(unused_variables)] // depends on cfg
2557                WidgetItem::Intrinsic { new, name } => {
2558                    node = new(node);
2559                    #[cfg(feature = "trace_wgt_item")]
2560                    if self.trace_wgt_item {
2561                        node = node.trace(move |mtd| crate::update::UpdatesTrace::intrinsic_span(name, mtd.mtd_name()));
2562                    }
2563
2564                    #[cfg(feature = "inspector")]
2565                    inspector_items.push(crate::widget::inspector::InstanceItem::Intrinsic {
2566                        group: position.group,
2567                        name,
2568                    });
2569
2570                    #[cfg(not(feature = "inspector"))]
2571                    let _ = position;
2572                }
2573            }
2574        }
2575
2576        #[cfg(feature = "inspector")]
2577        if let Some(builder) = self.builder {
2578            node = crate::widget::inspector::insert_widget_builder_info(
2579                node,
2580                crate::widget::inspector::InspectorInfo {
2581                    builder,
2582                    items: inspector_items.into_boxed_slice(),
2583                    actual_vars: crate::widget::inspector::InspectorActualVars::default(),
2584                },
2585            );
2586        }
2587
2588        #[cfg(feature = "trace_widget")]
2589        if self.trace_widget {
2590            let name = self.widget_type.name();
2591            node = node.trace(move |op| crate::update::UpdatesTrace::widget_span(crate::widget::WIDGET.id(), name, op.mtd_name()));
2592        }
2593
2594        // ensure `when` reuse works, by forcing input refresh on (re)init.
2595        node = with_new_context_init_id(node);
2596
2597        if let Some(handle) = when_init_context_handle {
2598            // ensure shared/cloned when input expressions work.
2599            let mut handle = Some(Arc::new(handle));
2600            node = crate::widget::node::match_node(node, move |c, op| {
2601                WHEN_INPUT_CONTEXT_INIT_ID.with_context(&mut handle, || c.op(op));
2602            });
2603        }
2604
2605        node
2606    }
2607}
2608impl ops::Deref for WidgetBuilding {
2609    type Target = WidgetBuilderProperties;
2610
2611    fn deref(&self) -> &Self::Target {
2612        &self.p
2613    }
2614}
2615impl ops::DerefMut for WidgetBuilding {
2616    fn deref_mut(&mut self) -> &mut Self::Target {
2617        &mut self.p
2618    }
2619}
2620
2621/// Represents a property removed from [`WidgetBuilding`].
2622#[derive(Debug)]
2623#[non_exhaustive]
2624pub struct BuilderProperty {
2625    /// Property importance at the time of removal.
2626    pub importance: Importance,
2627    /// Property group and index at the time of removal.
2628    pub position: NestPosition,
2629    /// Property args.
2630    pub args: Box<dyn PropertyArgs>,
2631    /// If the property was *captured* before removal.
2632    pub captured: bool,
2633}
2634
2635/// Represents a property in [`WidgetBuilder`] or [`WidgetBuilding`].
2636#[derive(Debug)]
2637#[non_exhaustive]
2638pub struct BuilderPropertyRef<'a> {
2639    /// Property current importance.
2640    pub importance: Importance,
2641    /// Property current group and index.
2642    pub position: NestPosition,
2643    /// Property args.
2644    pub args: &'a dyn PropertyArgs,
2645    /// If the property was *captured*.
2646    ///
2647    /// This can only be `true` in [`WidgetBuilding`].
2648    pub captured: bool,
2649}
2650
2651/// Represents a mutable reference to property in [`WidgetBuilder`] or [`WidgetBuilding`].
2652#[derive(Debug)]
2653#[non_exhaustive]
2654pub struct BuilderPropertyMut<'a> {
2655    /// Property current importance.
2656    pub importance: &'a mut Importance,
2657    /// Property current group and index.
2658    pub position: &'a mut NestPosition,
2659    /// Property args.
2660    pub args: &'a mut Box<dyn PropertyArgs>,
2661    /// If the property was *captured*.
2662    ///
2663    /// This can only be `true` in [`WidgetBuilding`].
2664    pub captured: &'a mut bool,
2665}
2666
2667/// Direct property access in [`WidgetBuilder`] and [`WidgetBuilding`].
2668pub struct WidgetBuilderProperties {
2669    items: Vec<WidgetItemPositioned>,
2670}
2671impl WidgetBuilderProperties {
2672    /// Reference the property, if it is present.
2673    pub fn property(&self, property_id: PropertyId) -> Option<BuilderPropertyRef<'_>> {
2674        match self.property_index(property_id) {
2675            Some(i) => match &self.items[i].item {
2676                WidgetItem::Property {
2677                    importance,
2678                    args,
2679                    captured,
2680                } => Some(BuilderPropertyRef {
2681                    importance: *importance,
2682                    position: self.items[i].position,
2683                    args: &**args,
2684                    captured: *captured,
2685                }),
2686                WidgetItem::Intrinsic { .. } => unreachable!(),
2687            },
2688            None => None,
2689        }
2690    }
2691
2692    /// Modify the property, if it is present.
2693    pub fn property_mut(&mut self, property_id: PropertyId) -> Option<BuilderPropertyMut<'_>> {
2694        match self.property_index(property_id) {
2695            Some(i) => match &mut self.items[i] {
2696                WidgetItemPositioned {
2697                    position,
2698                    item:
2699                        WidgetItem::Property {
2700                            importance,
2701                            args,
2702                            captured,
2703                        },
2704                    ..
2705                } => Some(BuilderPropertyMut {
2706                    importance,
2707                    position,
2708                    args,
2709                    captured,
2710                }),
2711                _ => unreachable!(),
2712            },
2713            None => None,
2714        }
2715    }
2716
2717    /// Iterate over the current properties.
2718    ///
2719    /// The properties may not be sorted in the correct order if the builder has never built.
2720    pub fn properties(&self) -> impl Iterator<Item = BuilderPropertyRef<'_>> {
2721        self.items.iter().filter_map(|it| match &it.item {
2722            WidgetItem::Intrinsic { .. } => None,
2723            WidgetItem::Property {
2724                importance,
2725                args,
2726                captured,
2727            } => Some(BuilderPropertyRef {
2728                importance: *importance,
2729                position: it.position,
2730                args: &**args,
2731                captured: *captured,
2732            }),
2733        })
2734    }
2735
2736    /// iterate over mutable references to the current properties.
2737    pub fn properties_mut(&mut self) -> impl Iterator<Item = BuilderPropertyMut<'_>> {
2738        self.items.iter_mut().filter_map(|it| match &mut it.item {
2739            WidgetItem::Intrinsic { .. } => None,
2740            WidgetItem::Property {
2741                importance,
2742                args,
2743                captured,
2744            } => Some(BuilderPropertyMut {
2745                importance,
2746                position: &mut it.position,
2747                args,
2748                captured,
2749            }),
2750        })
2751    }
2752
2753    /// Flags the property as captured and downcast the input value.
2754    ///
2755    /// Unlike other property kinds you can capture values in the [`WidgetBuilder`], note that the value may not
2756    /// the final value, unless you are capturing on build.
2757    ///
2758    /// Other property kinds can only be captured in [`WidgetBuilding`] as
2759    /// their values strongly depend on the final `when` blocks that are only applied after building starts.
2760    pub fn capture_value<T>(&mut self, property_id: PropertyId) -> Option<T>
2761    where
2762        T: VarValue,
2763    {
2764        let p = self.capture_property_impl(property_id)?;
2765        let value = p.args.downcast_value::<T>(0).clone();
2766        Some(value)
2767    }
2768
2769    /// Flags the property as captured and downcast the input value, or calls `or_else` to generate the value.
2770    pub fn capture_value_or_else<T>(&mut self, property_id: PropertyId, or_else: impl FnOnce() -> T) -> T
2771    where
2772        T: VarValue,
2773    {
2774        match self.capture_value(property_id) {
2775            Some(v) => v,
2776            None => or_else(),
2777        }
2778    }
2779
2780    /// Flags the property as captured and downcast the input value, or returns the default value.
2781    pub fn capture_value_or_default<T>(&mut self, property_id: PropertyId) -> T
2782    where
2783        T: VarValue + Default,
2784    {
2785        self.capture_value_or_else(property_id, T::default)
2786    }
2787
2788    fn capture_property_impl(&mut self, property_id: PropertyId) -> Option<BuilderPropertyRef<'_>> {
2789        if let Some(i) = self.property_index(property_id) {
2790            match &mut self.items[i] {
2791                WidgetItemPositioned {
2792                    position,
2793                    item:
2794                        WidgetItem::Property {
2795                            importance,
2796                            args,
2797                            captured,
2798                        },
2799                    ..
2800                } => {
2801                    *captured = true;
2802                    Some(BuilderPropertyRef {
2803                        importance: *importance,
2804                        position: *position,
2805                        args: &**args,
2806                        captured: *captured,
2807                    })
2808                }
2809                _ => unreachable!(),
2810            }
2811        } else {
2812            None
2813        }
2814    }
2815
2816    fn property_index(&self, property_id: PropertyId) -> Option<usize> {
2817        self.items.iter().position(|it| match &it.item {
2818            WidgetItem::Property { args, .. } => args.id() == property_id,
2819            WidgetItem::Intrinsic { .. } => false,
2820        })
2821    }
2822}
2823
2824/// Represents any [`PropertyAttribute<I>`].
2825pub trait AnyPropertyAttribute: crate::private::Sealed + Any + Send + Sync {
2826    /// As any.
2827    fn as_any(&self) -> &dyn Any;
2828
2829    /// Clone the attribute action into a new box.
2830    fn clone_boxed(&self) -> Box<dyn AnyPropertyAttribute>;
2831}
2832
2833/// Arguments for [`PropertyAttribute<I>`] build action.
2834#[non_exhaustive]
2835pub struct PropertyAttributeArgs<'a, I: Any + Send> {
2836    /// The property input value.
2837    pub input: I,
2838    /// The [`PropertyAttributeWhen::data`] for each when assign that affects `input` in the order that `input` was generated.
2839    ///
2840    /// Items are `None` for when assigns that do not have associated build action data.
2841    pub when_conditions_data: &'a [Option<PropertyAttributeWhenData>],
2842}
2843
2844/// Represents a custom build action targeting a property input that is applied after `when` is build.
2845///
2846/// The type `I` depends on the input kind:
2847///
2848/// The expected types for each [`InputKind`] are:
2849///
2850/// | Kind          | Expected Type
2851/// |---------------|-------------------------------------------------
2852/// | [`Var`]       | `Var<T>`
2853/// | [`Value`]     | `T`
2854/// | [`UiNode`]    | `ArcNode`
2855/// | [`Handler`]   | `ArcHandler<A>`
2856///
2857/// [`Var`]: InputKind::Var
2858/// [`Value`]: InputKind::Value
2859/// [`UiNode`]: InputKind::UiNode
2860/// [`Handler`]: InputKind::Handler
2861pub struct PropertyAttribute<I: Any + Send>(Arc<Mutex<dyn FnMut(PropertyAttributeArgs<I>) -> I + Send>>);
2862impl<I: Any + Send> crate::private::Sealed for PropertyAttribute<I> {}
2863impl<I: Any + Send> Clone for PropertyAttribute<I> {
2864    fn clone(&self) -> Self {
2865        Self(self.0.clone())
2866    }
2867}
2868impl<I: Any + Send> AnyPropertyAttribute for PropertyAttribute<I> {
2869    fn clone_boxed(&self) -> Box<dyn AnyPropertyAttribute> {
2870        Box::new(self.clone())
2871    }
2872
2873    fn as_any(&self) -> &dyn Any {
2874        self
2875    }
2876}
2877impl<I: Any + Send> PropertyAttribute<I> {
2878    /// New property attribute build action.
2879    pub fn new(build: impl FnMut(PropertyAttributeArgs<I>) -> I + Send + 'static) -> Self {
2880        Self(Arc::new(Mutex::new(build)))
2881    }
2882
2883    /// New build action that just pass the input.
2884    pub fn no_op() -> Self {
2885        Self::new(|i| i.input)
2886    }
2887
2888    /// Run the build action on a input.
2889    pub fn build(&self, args: PropertyAttributeArgs<I>) -> I {
2890        (self.0.lock())(args)
2891    }
2892}
2893impl Clone for Box<dyn AnyPropertyAttribute> {
2894    fn clone(&self) -> Self {
2895        self.clone_boxed()
2896    }
2897}
2898
2899/// Represents the strong types of each input of a property.
2900///
2901/// # Examples
2902///
2903/// The example uses [`property_input_types!`] to collect the types and compares it to a manually generated types. Note
2904/// that the type is a tuple even if there is only one input.
2905///
2906/// ```
2907/// # use zng_app::{*, widget::{node::*, builder::*, property}};
2908/// # use zng_var::*;
2909/// # use std::any::Any;
2910/// #[property(CONTEXT)]
2911/// pub fn foo(child: impl IntoUiNode, bar: impl IntoVar<bool>) -> UiNode {
2912///     # child.into_node()
2913/// }
2914///
2915/// # fn main() {
2916/// assert_eq!(
2917///     property_input_types!(foo).type_id(),
2918///     PropertyInputTypes::<(Var<bool>,)>::unit().type_id(),
2919/// );
2920/// # }
2921/// ```
2922///
2923/// You can use the collected types in advanced code generation, such as attribute proc-macros targeting property assigns in widgets.
2924/// The next example demonstrates a trait that uses auto-deref to convert a trait bound to a `bool`:
2925///
2926/// ```
2927/// # use zng_app::{*, widget::{node::*, builder::*, property}};
2928/// # use zng_var::*;
2929/// #[property(CONTEXT)]
2930/// pub fn foo(child: impl IntoUiNode, bar: impl IntoVar<bool>) -> UiNode {
2931///     # child.into_node()
2932/// }
2933///
2934/// trait SingleBoolVar {
2935///     fn is_single_bool_var(self) -> bool;
2936/// }
2937///
2938/// // match
2939/// impl<'a> SingleBoolVar for &'a PropertyInputTypes<(Var<bool>,)> {
2940///     fn is_single_bool_var(self) -> bool {
2941///         true
2942///     }
2943/// }
2944///
2945/// // fallback impl
2946/// impl<T: Send + 'static> SingleBoolVar for PropertyInputTypes<T> {
2947///     fn is_single_bool_var(self) -> bool {
2948///         false
2949///     }
2950/// }
2951///
2952/// # fn main() {
2953/// assert!((&property_input_types!(foo)).is_single_bool_var());
2954/// # }
2955/// ```
2956///
2957/// Learn more about how this trick works and limitations
2958/// [here](https://github.com/dtolnay/case-studies/blob/master/autoref-specialization/README.md).
2959pub struct PropertyInputTypes<Tuple>(std::marker::PhantomData<Tuple>);
2960impl<Tuple> PropertyInputTypes<Tuple> {
2961    /// Unit value.
2962    pub const fn unit() -> Self {
2963        Self(std::marker::PhantomData)
2964    }
2965}
2966impl<Tuple> Clone for PropertyInputTypes<Tuple> {
2967    fn clone(&self) -> Self {
2968        *self
2969    }
2970}
2971impl<Tuple> Copy for PropertyInputTypes<Tuple> {}
2972// SAFETY: PhantomData
2973unsafe impl<Tuple> Send for PropertyInputTypes<Tuple> {}
2974unsafe impl<Tuple> Sync for PropertyInputTypes<Tuple> {}