1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
use crate::{api::prelude::*, proc_macros::*};
#[derive(Debug, Copy, Clone)]
enum Action {
Press(Mouse),
Release(Mouse),
Scroll(Point),
}
#[derive(Default, AsAny)]
pub struct MouseBehaviorState {
action: Option<Action>,
has_delta: bool,
target: Entity,
}
impl MouseBehaviorState {
fn action(&mut self, action: Action) {
self.action = Some(action);
}
}
impl State for MouseBehaviorState {
fn init(&mut self, _: &mut Registry, ctx: &mut Context) {
self.target = (*mouse_behavior(ctx.widget()).target()).into();
}
fn update(&mut self, _: &mut Registry, ctx: &mut Context) {
if !mouse_behavior(ctx.widget()).enabled() {
return;
}
if let Some(action) = self.action {
match action {
Action::Press(_) => {
ctx.get_widget(self.target).set("pressed", true);
toggle_flag("pressed", &mut ctx.get_widget(self.target));
}
Action::Release(p) => {
if !*mouse_behavior(ctx.widget()).pressed() {
self.action = None;
return;
}
ctx.get_widget(self.target).set("pressed", false);
toggle_flag("pressed", &mut ctx.get_widget(self.target));
if check_mouse_condition(p.position, &ctx.widget()) {
let parent = ctx.entity_of_parent().unwrap();
ctx.push_event_by_entity(
ClickEvent {
position: p.position,
},
parent,
)
}
}
Action::Scroll(p) => {
mouse_behavior(ctx.widget()).set_position(p);
self.has_delta = true;
}
};
ctx.get_widget(self.target).update(false);
self.action = None;
}
}
fn update_post_layout(&mut self, _: &mut Registry, ctx: &mut Context) {
if self.has_delta {
mouse_behavior(ctx.widget()).set_delta(Point::default());
self.has_delta = false;
}
}
}
widget!(
MouseBehavior<MouseBehaviorState>: MouseHandler {
target: u32,
pressed: bool,
delta: Point
}
);
impl Template for MouseBehavior {
fn template(self, id: Entity, _: &mut BuildContext) -> Self {
self.name("MouseBehavior")
.delta(0.0)
.pressed(false)
.on_mouse_down(move |states, m| {
states
.get_mut::<MouseBehaviorState>(id)
.action(Action::Press(m));
false
})
.on_mouse_up(move |states, m| {
states
.get_mut::<MouseBehaviorState>(id)
.action(Action::Release(m));
false
})
.on_scroll(move |states, p| {
states
.get_mut::<MouseBehaviorState>(id)
.action(Action::Scroll(p));
false
})
}
}