Use an Arena to reuse allocations for listeners
This commit is contained in:
parent
62d655183b
commit
e1ca8e81bb
4 changed files with 191 additions and 49 deletions
124
crates/gpui2/src/arena.rs
Normal file
124
crates/gpui2/src/arena.rs
Normal file
|
@ -0,0 +1,124 @@
|
||||||
|
use std::{
|
||||||
|
alloc,
|
||||||
|
ptr::{self, NonNull},
|
||||||
|
};
|
||||||
|
|
||||||
|
pub struct Arena {
|
||||||
|
start: NonNull<u8>,
|
||||||
|
offset: usize,
|
||||||
|
elements: Vec<ArenaElement>,
|
||||||
|
}
|
||||||
|
|
||||||
|
impl Default for Arena {
|
||||||
|
fn default() -> Self {
|
||||||
|
unsafe {
|
||||||
|
let layout = alloc::Layout::from_size_align(16 * 1024 * 1024, 1).unwrap();
|
||||||
|
let ptr = alloc::alloc(layout);
|
||||||
|
Self {
|
||||||
|
start: NonNull::new_unchecked(ptr),
|
||||||
|
offset: 0,
|
||||||
|
elements: Vec::new(),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
struct ArenaElement {
|
||||||
|
value: NonNull<u8>,
|
||||||
|
drop: unsafe fn(NonNull<u8>),
|
||||||
|
}
|
||||||
|
|
||||||
|
impl Arena {
|
||||||
|
pub fn clear(&mut self) {
|
||||||
|
for element in self.elements.drain(..) {
|
||||||
|
unsafe {
|
||||||
|
(element.drop)(element.value);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
self.offset = 0;
|
||||||
|
}
|
||||||
|
|
||||||
|
#[inline(always)]
|
||||||
|
pub fn alloc<T>(&mut self, value: T) -> ArenaRef<T> {
|
||||||
|
unsafe fn drop<T>(ptr: NonNull<u8>) {
|
||||||
|
std::ptr::drop_in_place(ptr.cast::<T>().as_ptr());
|
||||||
|
}
|
||||||
|
|
||||||
|
unsafe {
|
||||||
|
let layout = alloc::Layout::for_value(&value).pad_to_align();
|
||||||
|
let value_ptr = self.start.as_ptr().add(self.offset).cast::<T>();
|
||||||
|
ptr::write(value_ptr, value);
|
||||||
|
|
||||||
|
let value = NonNull::new_unchecked(value_ptr);
|
||||||
|
self.elements.push(ArenaElement {
|
||||||
|
value: value.cast(),
|
||||||
|
drop: drop::<T>,
|
||||||
|
});
|
||||||
|
self.offset += layout.size();
|
||||||
|
ArenaRef(value)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
pub struct ArenaRef<T: ?Sized>(NonNull<T>);
|
||||||
|
|
||||||
|
impl<T: ?Sized> Copy for ArenaRef<T> {}
|
||||||
|
|
||||||
|
impl<T: ?Sized> Clone for ArenaRef<T> {
|
||||||
|
fn clone(&self) -> Self {
|
||||||
|
Self(self.0)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
impl<T: ?Sized> ArenaRef<T> {
|
||||||
|
pub unsafe fn map<U: ?Sized>(mut self, f: impl FnOnce(&mut T) -> &mut U) -> ArenaRef<U> {
|
||||||
|
let u = f(self.get_mut());
|
||||||
|
ArenaRef(NonNull::new_unchecked(u))
|
||||||
|
}
|
||||||
|
|
||||||
|
pub unsafe fn get_mut(&mut self) -> &mut T {
|
||||||
|
self.0.as_mut()
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
#[cfg(test)]
|
||||||
|
mod tests {
|
||||||
|
use std::{cell::Cell, rc::Rc};
|
||||||
|
|
||||||
|
use super::*;
|
||||||
|
|
||||||
|
#[test]
|
||||||
|
fn test_arena() {
|
||||||
|
let mut arena = Arena::default();
|
||||||
|
let mut a = arena.alloc(1u64);
|
||||||
|
let mut b = arena.alloc(2u32);
|
||||||
|
let mut c = arena.alloc(3u16);
|
||||||
|
let mut d = arena.alloc(4u8);
|
||||||
|
assert_eq!(unsafe { *a.get_mut() }, 1);
|
||||||
|
assert_eq!(unsafe { *b.get_mut() }, 2);
|
||||||
|
assert_eq!(unsafe { *c.get_mut() }, 3);
|
||||||
|
assert_eq!(unsafe { *d.get_mut() }, 4);
|
||||||
|
|
||||||
|
arena.clear();
|
||||||
|
let mut a = arena.alloc(5u64);
|
||||||
|
let mut b = arena.alloc(6u32);
|
||||||
|
let mut c = arena.alloc(7u16);
|
||||||
|
let mut d = arena.alloc(8u8);
|
||||||
|
assert_eq!(unsafe { *a.get_mut() }, 5);
|
||||||
|
assert_eq!(unsafe { *b.get_mut() }, 6);
|
||||||
|
assert_eq!(unsafe { *c.get_mut() }, 7);
|
||||||
|
assert_eq!(unsafe { *d.get_mut() }, 8);
|
||||||
|
|
||||||
|
// Ensure drop gets called.
|
||||||
|
let dropped = Rc::new(Cell::new(false));
|
||||||
|
struct DropGuard(Rc<Cell<bool>>);
|
||||||
|
impl Drop for DropGuard {
|
||||||
|
fn drop(&mut self) {
|
||||||
|
self.0.set(true);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
arena.alloc(DropGuard(dropped.clone()));
|
||||||
|
arena.clear();
|
||||||
|
assert!(dropped.get());
|
||||||
|
}
|
||||||
|
}
|
|
@ -2,6 +2,7 @@
|
||||||
mod action;
|
mod action;
|
||||||
mod app;
|
mod app;
|
||||||
|
|
||||||
|
mod arena;
|
||||||
mod assets;
|
mod assets;
|
||||||
mod color;
|
mod color;
|
||||||
mod element;
|
mod element;
|
||||||
|
|
|
@ -1,6 +1,6 @@
|
||||||
use crate::{
|
use crate::{
|
||||||
Action, ActionRegistry, DispatchPhase, FocusId, KeyBinding, KeyContext, KeyMatch, Keymap,
|
arena::ArenaRef, Action, ActionRegistry, DispatchPhase, FocusId, KeyBinding, KeyContext,
|
||||||
Keystroke, KeystrokeMatcher, WindowContext,
|
KeyMatch, Keymap, Keystroke, KeystrokeMatcher, WindowContext,
|
||||||
};
|
};
|
||||||
use collections::HashMap;
|
use collections::HashMap;
|
||||||
use parking_lot::Mutex;
|
use parking_lot::Mutex;
|
||||||
|
@ -33,12 +33,12 @@ pub(crate) struct DispatchNode {
|
||||||
parent: Option<DispatchNodeId>,
|
parent: Option<DispatchNodeId>,
|
||||||
}
|
}
|
||||||
|
|
||||||
type KeyListener = Rc<dyn Fn(&dyn Any, DispatchPhase, &mut WindowContext)>;
|
type KeyListener = ArenaRef<dyn Fn(&dyn Any, DispatchPhase, &mut WindowContext)>;
|
||||||
|
|
||||||
#[derive(Clone)]
|
#[derive(Clone)]
|
||||||
pub(crate) struct DispatchActionListener {
|
pub(crate) struct DispatchActionListener {
|
||||||
pub(crate) action_type: TypeId,
|
pub(crate) action_type: TypeId,
|
||||||
pub(crate) listener: Rc<dyn Fn(&dyn Any, DispatchPhase, &mut WindowContext)>,
|
pub(crate) listener: ArenaRef<dyn Fn(&dyn Any, DispatchPhase, &mut WindowContext)>,
|
||||||
}
|
}
|
||||||
|
|
||||||
impl DispatchTree {
|
impl DispatchTree {
|
||||||
|
@ -117,7 +117,7 @@ impl DispatchTree {
|
||||||
pub fn on_action(
|
pub fn on_action(
|
||||||
&mut self,
|
&mut self,
|
||||||
action_type: TypeId,
|
action_type: TypeId,
|
||||||
listener: Rc<dyn Fn(&dyn Any, DispatchPhase, &mut WindowContext)>,
|
listener: ArenaRef<dyn Fn(&dyn Any, DispatchPhase, &mut WindowContext)>,
|
||||||
) {
|
) {
|
||||||
self.active_node()
|
self.active_node()
|
||||||
.action_listeners
|
.action_listeners
|
||||||
|
|
|
@ -1,15 +1,17 @@
|
||||||
use crate::{
|
use crate::{
|
||||||
key_dispatch::DispatchActionListener, px, size, transparent_black, Action, AnyDrag, AnyView,
|
arena::{Arena, ArenaRef},
|
||||||
AppContext, AsyncWindowContext, AvailableSpace, Bounds, BoxShadow, Context, Corners,
|
key_dispatch::DispatchActionListener,
|
||||||
CursorStyle, DevicePixels, DispatchNodeId, DispatchTree, DisplayId, Edges, Effect, Entity,
|
px, size, transparent_black, Action, AnyDrag, AnyView, AppContext, AsyncWindowContext,
|
||||||
EntityId, EventEmitter, FileDropEvent, Flatten, FontId, GlobalElementId, GlyphId, Hsla,
|
AvailableSpace, Bounds, BoxShadow, Context, Corners, CursorStyle, DevicePixels, DispatchNodeId,
|
||||||
ImageData, InputEvent, IsZero, KeyBinding, KeyContext, KeyDownEvent, KeystrokeEvent, LayoutId,
|
DispatchTree, DisplayId, Edges, Effect, Entity, EntityId, EventEmitter, FileDropEvent, Flatten,
|
||||||
Model, ModelContext, Modifiers, MonochromeSprite, MouseButton, MouseMoveEvent, MouseUpEvent,
|
FontId, GlobalElementId, GlyphId, Hsla, ImageData, InputEvent, IsZero, KeyBinding, KeyContext,
|
||||||
Path, Pixels, PlatformAtlas, PlatformDisplay, PlatformInputHandler, PlatformWindow, Point,
|
KeyDownEvent, KeystrokeEvent, LayoutId, Model, ModelContext, Modifiers, MonochromeSprite,
|
||||||
PolychromeSprite, PromptLevel, Quad, Render, RenderGlyphParams, RenderImageParams,
|
MouseButton, MouseMoveEvent, MouseUpEvent, Path, Pixels, PlatformAtlas, PlatformDisplay,
|
||||||
RenderSvgParams, ScaledPixels, Scene, SceneBuilder, Shadow, SharedString, Size, Style,
|
PlatformInputHandler, PlatformWindow, Point, PolychromeSprite, PromptLevel, Quad, Render,
|
||||||
SubscriberSet, Subscription, Surface, TaffyLayoutEngine, Task, Underline, UnderlineStyle, View,
|
RenderGlyphParams, RenderImageParams, RenderSvgParams, ScaledPixels, Scene, SceneBuilder,
|
||||||
VisualContext, WeakView, WindowBounds, WindowOptions, SUBPIXEL_VARIANTS,
|
Shadow, SharedString, Size, Style, SubscriberSet, Subscription, Surface, TaffyLayoutEngine,
|
||||||
|
Task, Underline, UnderlineStyle, View, VisualContext, WeakView, WindowBounds, WindowOptions,
|
||||||
|
SUBPIXEL_VARIANTS,
|
||||||
};
|
};
|
||||||
use anyhow::{anyhow, Context as _, Result};
|
use anyhow::{anyhow, Context as _, Result};
|
||||||
use collections::FxHashMap;
|
use collections::FxHashMap;
|
||||||
|
@ -85,7 +87,7 @@ impl DispatchPhase {
|
||||||
}
|
}
|
||||||
|
|
||||||
type AnyObserver = Box<dyn FnMut(&mut WindowContext) -> bool + 'static>;
|
type AnyObserver = Box<dyn FnMut(&mut WindowContext) -> bool + 'static>;
|
||||||
type AnyMouseListener = Box<dyn FnMut(&dyn Any, DispatchPhase, &mut WindowContext) + 'static>;
|
type AnyMouseListener = ArenaRef<dyn FnMut(&dyn Any, DispatchPhase, &mut WindowContext) + 'static>;
|
||||||
type AnyWindowFocusListener = Box<dyn FnMut(&FocusEvent, &mut WindowContext) -> bool + 'static>;
|
type AnyWindowFocusListener = Box<dyn FnMut(&FocusEvent, &mut WindowContext) -> bool + 'static>;
|
||||||
|
|
||||||
struct FocusEvent {
|
struct FocusEvent {
|
||||||
|
@ -268,9 +270,9 @@ pub(crate) struct ElementStateBox {
|
||||||
type_name: &'static str,
|
type_name: &'static str,
|
||||||
}
|
}
|
||||||
|
|
||||||
// #[derive(Default)]
|
|
||||||
pub(crate) struct Frame {
|
pub(crate) struct Frame {
|
||||||
focus: Option<FocusId>,
|
focus: Option<FocusId>,
|
||||||
|
arena: Arena,
|
||||||
pub(crate) element_states: FxHashMap<GlobalElementId, ElementStateBox>,
|
pub(crate) element_states: FxHashMap<GlobalElementId, ElementStateBox>,
|
||||||
mouse_listeners: FxHashMap<TypeId, Vec<(StackingOrder, AnyMouseListener)>>,
|
mouse_listeners: FxHashMap<TypeId, Vec<(StackingOrder, AnyMouseListener)>>,
|
||||||
pub(crate) dispatch_tree: DispatchTree,
|
pub(crate) dispatch_tree: DispatchTree,
|
||||||
|
@ -285,6 +287,7 @@ impl Frame {
|
||||||
fn new(dispatch_tree: DispatchTree) -> Self {
|
fn new(dispatch_tree: DispatchTree) -> Self {
|
||||||
Frame {
|
Frame {
|
||||||
focus: None,
|
focus: None,
|
||||||
|
arena: Arena::default(),
|
||||||
element_states: FxHashMap::default(),
|
element_states: FxHashMap::default(),
|
||||||
mouse_listeners: FxHashMap::default(),
|
mouse_listeners: FxHashMap::default(),
|
||||||
dispatch_tree,
|
dispatch_tree,
|
||||||
|
@ -299,6 +302,7 @@ impl Frame {
|
||||||
fn clear(&mut self) {
|
fn clear(&mut self) {
|
||||||
self.element_states.clear();
|
self.element_states.clear();
|
||||||
self.mouse_listeners.values_mut().for_each(Vec::clear);
|
self.mouse_listeners.values_mut().for_each(Vec::clear);
|
||||||
|
self.arena.clear();
|
||||||
self.dispatch_tree.clear();
|
self.dispatch_tree.clear();
|
||||||
self.depth_map.clear();
|
self.depth_map.clear();
|
||||||
}
|
}
|
||||||
|
@ -818,25 +822,23 @@ impl<'a> WindowContext<'a> {
|
||||||
/// Register a mouse event listener on the window for the next frame. The type of event
|
/// Register a mouse event listener on the window for the next frame. The type of event
|
||||||
/// is determined by the first parameter of the given listener. When the next frame is rendered
|
/// is determined by the first parameter of the given listener. When the next frame is rendered
|
||||||
/// the listener will be cleared.
|
/// the listener will be cleared.
|
||||||
///
|
|
||||||
/// This is a fairly low-level method, so prefer using event handlers on elements unless you have
|
|
||||||
/// a specific need to register a global listener.
|
|
||||||
pub fn on_mouse_event<Event: 'static>(
|
pub fn on_mouse_event<Event: 'static>(
|
||||||
&mut self,
|
&mut self,
|
||||||
mut handler: impl FnMut(&Event, DispatchPhase, &mut WindowContext) + 'static,
|
mut handler: impl FnMut(&Event, DispatchPhase, &mut WindowContext) + 'static,
|
||||||
) {
|
) {
|
||||||
let order = self.window.next_frame.z_index_stack.clone();
|
let order = self.window.next_frame.z_index_stack.clone();
|
||||||
|
let handler = self.window.next_frame.arena.alloc(
|
||||||
|
move |event: &dyn Any, phase: DispatchPhase, cx: &mut WindowContext<'_>| {
|
||||||
|
handler(event.downcast_ref().unwrap(), phase, cx)
|
||||||
|
},
|
||||||
|
);
|
||||||
|
let handler = unsafe { handler.map(|handler| handler as _) };
|
||||||
self.window
|
self.window
|
||||||
.next_frame
|
.next_frame
|
||||||
.mouse_listeners
|
.mouse_listeners
|
||||||
.entry(TypeId::of::<Event>())
|
.entry(TypeId::of::<Event>())
|
||||||
.or_default()
|
.or_default()
|
||||||
.push((
|
.push((order, handler))
|
||||||
order,
|
|
||||||
Box::new(move |event: &dyn Any, phase, cx| {
|
|
||||||
handler(event.downcast_ref().unwrap(), phase, cx)
|
|
||||||
}),
|
|
||||||
))
|
|
||||||
}
|
}
|
||||||
|
|
||||||
/// Register a key event listener on the window for the next frame. The type of event
|
/// Register a key event listener on the window for the next frame. The type of event
|
||||||
|
@ -847,16 +849,17 @@ impl<'a> WindowContext<'a> {
|
||||||
/// a specific need to register a global listener.
|
/// a specific need to register a global listener.
|
||||||
pub fn on_key_event<Event: 'static>(
|
pub fn on_key_event<Event: 'static>(
|
||||||
&mut self,
|
&mut self,
|
||||||
handler: impl Fn(&Event, DispatchPhase, &mut WindowContext) + 'static,
|
listener: impl Fn(&Event, DispatchPhase, &mut WindowContext) + 'static,
|
||||||
) {
|
) {
|
||||||
self.window
|
let listener = self.window.next_frame.arena.alloc(
|
||||||
.next_frame
|
move |event: &dyn Any, phase, cx: &mut WindowContext<'_>| {
|
||||||
.dispatch_tree
|
|
||||||
.on_key_event(Rc::new(move |event, phase, cx| {
|
|
||||||
if let Some(event) = event.downcast_ref::<Event>() {
|
if let Some(event) = event.downcast_ref::<Event>() {
|
||||||
handler(event, phase, cx)
|
listener(event, phase, cx)
|
||||||
}
|
}
|
||||||
}));
|
},
|
||||||
|
);
|
||||||
|
let listener = unsafe { listener.map(|handler| handler as _) };
|
||||||
|
self.window.next_frame.dispatch_tree.on_key_event(listener);
|
||||||
}
|
}
|
||||||
|
|
||||||
/// Register an action listener on the window for the next frame. The type of action
|
/// Register an action listener on the window for the next frame. The type of action
|
||||||
|
@ -868,12 +871,14 @@ impl<'a> WindowContext<'a> {
|
||||||
pub fn on_action(
|
pub fn on_action(
|
||||||
&mut self,
|
&mut self,
|
||||||
action_type: TypeId,
|
action_type: TypeId,
|
||||||
handler: impl Fn(&dyn Any, DispatchPhase, &mut WindowContext) + 'static,
|
listener: impl Fn(&dyn Any, DispatchPhase, &mut WindowContext) + 'static,
|
||||||
) {
|
) {
|
||||||
self.window.next_frame.dispatch_tree.on_action(
|
let listener = self.window.next_frame.arena.alloc(listener);
|
||||||
action_type,
|
let listener = unsafe { listener.map(|handler| handler as _) };
|
||||||
Rc::new(move |action, phase, cx| handler(action, phase, cx)),
|
self.window
|
||||||
);
|
.next_frame
|
||||||
|
.dispatch_tree
|
||||||
|
.on_action(action_type, listener);
|
||||||
}
|
}
|
||||||
|
|
||||||
pub fn is_action_available(&self, action: &dyn Action) -> bool {
|
pub fn is_action_available(&self, action: &dyn Action) -> bool {
|
||||||
|
@ -1274,10 +1279,16 @@ impl<'a> WindowContext<'a> {
|
||||||
cx.with_key_dispatch(Some(KeyContext::default()), None, |_, cx| {
|
cx.with_key_dispatch(Some(KeyContext::default()), None, |_, cx| {
|
||||||
for (action_type, action_listeners) in &cx.app.global_action_listeners {
|
for (action_type, action_listeners) in &cx.app.global_action_listeners {
|
||||||
for action_listener in action_listeners.iter().cloned() {
|
for action_listener in action_listeners.iter().cloned() {
|
||||||
cx.window.next_frame.dispatch_tree.on_action(
|
let listener = cx.window.next_frame.arena.alloc(
|
||||||
*action_type,
|
move |action: &dyn Any, phase, cx: &mut WindowContext<'_>| {
|
||||||
Rc::new(move |action, phase, cx| action_listener(action, phase, cx)),
|
action_listener(action, phase, cx)
|
||||||
)
|
},
|
||||||
|
);
|
||||||
|
let listener = unsafe { listener.map(|listener| listener as _) };
|
||||||
|
cx.window
|
||||||
|
.next_frame
|
||||||
|
.dispatch_tree
|
||||||
|
.on_action(*action_type, listener)
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -1460,6 +1471,7 @@ impl<'a> WindowContext<'a> {
|
||||||
// Capture phase, events bubble from back to front. Handlers for this phase are used for
|
// Capture phase, events bubble from back to front. Handlers for this phase are used for
|
||||||
// special purposes, such as detecting events outside of a given Bounds.
|
// special purposes, such as detecting events outside of a given Bounds.
|
||||||
for (_, handler) in &mut handlers {
|
for (_, handler) in &mut handlers {
|
||||||
|
let handler = unsafe { handler.get_mut() };
|
||||||
handler(event, DispatchPhase::Capture, self);
|
handler(event, DispatchPhase::Capture, self);
|
||||||
if !self.app.propagate_event {
|
if !self.app.propagate_event {
|
||||||
break;
|
break;
|
||||||
|
@ -1469,6 +1481,7 @@ impl<'a> WindowContext<'a> {
|
||||||
// Bubble phase, where most normal handlers do their work.
|
// Bubble phase, where most normal handlers do their work.
|
||||||
if self.app.propagate_event {
|
if self.app.propagate_event {
|
||||||
for (_, handler) in handlers.iter_mut().rev() {
|
for (_, handler) in handlers.iter_mut().rev() {
|
||||||
|
let handler = unsafe { handler.get_mut() };
|
||||||
handler(event, DispatchPhase::Bubble, self);
|
handler(event, DispatchPhase::Bubble, self);
|
||||||
if !self.app.propagate_event {
|
if !self.app.propagate_event {
|
||||||
break;
|
break;
|
||||||
|
@ -1518,7 +1531,8 @@ impl<'a> WindowContext<'a> {
|
||||||
context_stack.push(context);
|
context_stack.push(context);
|
||||||
}
|
}
|
||||||
|
|
||||||
for key_listener in node.key_listeners.clone() {
|
for mut key_listener in node.key_listeners.clone() {
|
||||||
|
let key_listener = unsafe { key_listener.get_mut() };
|
||||||
key_listener(event, DispatchPhase::Capture, self);
|
key_listener(event, DispatchPhase::Capture, self);
|
||||||
if !self.propagate_event {
|
if !self.propagate_event {
|
||||||
return;
|
return;
|
||||||
|
@ -1530,7 +1544,8 @@ impl<'a> WindowContext<'a> {
|
||||||
for node_id in dispatch_path.iter().rev() {
|
for node_id in dispatch_path.iter().rev() {
|
||||||
// Handle low level key events
|
// Handle low level key events
|
||||||
let node = self.window.rendered_frame.dispatch_tree.node(*node_id);
|
let node = self.window.rendered_frame.dispatch_tree.node(*node_id);
|
||||||
for key_listener in node.key_listeners.clone() {
|
for mut key_listener in node.key_listeners.clone() {
|
||||||
|
let key_listener = unsafe { key_listener.get_mut() };
|
||||||
key_listener(event, DispatchPhase::Bubble, self);
|
key_listener(event, DispatchPhase::Bubble, self);
|
||||||
if !self.propagate_event {
|
if !self.propagate_event {
|
||||||
return;
|
return;
|
||||||
|
@ -1582,11 +1597,12 @@ impl<'a> WindowContext<'a> {
|
||||||
let node = self.window.rendered_frame.dispatch_tree.node(*node_id);
|
let node = self.window.rendered_frame.dispatch_tree.node(*node_id);
|
||||||
for DispatchActionListener {
|
for DispatchActionListener {
|
||||||
action_type,
|
action_type,
|
||||||
listener,
|
mut listener,
|
||||||
} in node.action_listeners.clone()
|
} in node.action_listeners.clone()
|
||||||
{
|
{
|
||||||
let any_action = action.as_any();
|
let any_action = action.as_any();
|
||||||
if action_type == any_action.type_id() {
|
if action_type == any_action.type_id() {
|
||||||
|
let listener = unsafe { listener.get_mut() };
|
||||||
listener(any_action, DispatchPhase::Capture, self);
|
listener(any_action, DispatchPhase::Capture, self);
|
||||||
if !self.propagate_event {
|
if !self.propagate_event {
|
||||||
return;
|
return;
|
||||||
|
@ -1599,12 +1615,13 @@ impl<'a> WindowContext<'a> {
|
||||||
let node = self.window.rendered_frame.dispatch_tree.node(*node_id);
|
let node = self.window.rendered_frame.dispatch_tree.node(*node_id);
|
||||||
for DispatchActionListener {
|
for DispatchActionListener {
|
||||||
action_type,
|
action_type,
|
||||||
listener,
|
mut listener,
|
||||||
} in node.action_listeners.clone()
|
} in node.action_listeners.clone()
|
||||||
{
|
{
|
||||||
let any_action = action.as_any();
|
let any_action = action.as_any();
|
||||||
if action_type == any_action.type_id() {
|
if action_type == any_action.type_id() {
|
||||||
self.propagate_event = false; // Actions stop propagation by default during the bubble phase
|
self.propagate_event = false; // Actions stop propagation by default during the bubble phase
|
||||||
|
let listener = unsafe { listener.get_mut() };
|
||||||
listener(any_action, DispatchPhase::Bubble, self);
|
listener(any_action, DispatchPhase::Bubble, self);
|
||||||
if !self.propagate_event {
|
if !self.propagate_event {
|
||||||
return;
|
return;
|
||||||
|
@ -2593,13 +2610,13 @@ impl<'a, V: 'static> ViewContext<'a, V> {
|
||||||
pub fn on_action(
|
pub fn on_action(
|
||||||
&mut self,
|
&mut self,
|
||||||
action_type: TypeId,
|
action_type: TypeId,
|
||||||
handler: impl Fn(&mut V, &dyn Any, DispatchPhase, &mut ViewContext<V>) + 'static,
|
listener: impl Fn(&mut V, &dyn Any, DispatchPhase, &mut ViewContext<V>) + 'static,
|
||||||
) {
|
) {
|
||||||
let handle = self.view().clone();
|
let handle = self.view().clone();
|
||||||
self.window_cx
|
self.window_cx
|
||||||
.on_action(action_type, move |action, phase, cx| {
|
.on_action(action_type, move |action, phase, cx| {
|
||||||
handle.update(cx, |view, cx| {
|
handle.update(cx, |view, cx| {
|
||||||
handler(view, action, phase, cx);
|
listener(view, action, phase, cx);
|
||||||
})
|
})
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
|
Loading…
Add table
Add a link
Reference in a new issue