1use freya_core::prelude::*;
2use thiserror::Error;
3use torin::{
4 content::Content,
5 prelude::{
6 Area,
7 Direction,
8 Length,
9 },
10 size::Size,
11};
12
13use crate::{
14 get_theme,
15 theming::component_themes::{
16 ResizableHandleTheme,
17 ResizableHandleThemePartial,
18 },
19};
20
21#[derive(PartialEq, Clone, Copy, Debug)]
23pub enum PanelSize {
24 Pixels(Length),
26 Percentage(Length),
28}
29
30impl PanelSize {
31 pub fn px(v: f32) -> Self {
32 Self::Pixels(Length::new(v))
33 }
34
35 pub fn percent(v: f32) -> Self {
36 Self::Percentage(Length::new(v))
37 }
38
39 pub fn value(&self) -> f32 {
40 match self {
41 Self::Pixels(v) | Self::Percentage(v) => v.get(),
42 }
43 }
44
45 fn to_layout_size(self, value: f32) -> Size {
47 match self {
48 Self::Pixels(_) => Size::px(value),
49 Self::Percentage(_) => Size::flex(value),
50 }
51 }
52
53 fn max_size(&self) -> f32 {
55 match self {
56 Self::Pixels(_) => f32::MAX,
57 Self::Percentage(_) => 100.,
58 }
59 }
60
61 fn flex_scale(&self, flex_factor: f32) -> f32 {
63 match self {
64 Self::Pixels(_) => 1.0,
65 Self::Percentage(_) => flex_factor,
66 }
67 }
68}
69
70#[derive(Error, Debug)]
71pub enum ResizableError {
72 #[error("Panel does not exist")]
73 PanelNotFound,
74}
75
76#[derive(Clone, Copy, Debug)]
77pub struct Panel {
78 pub size: f32,
79 pub initial_size: f32,
80 pub min_size: f32,
81 pub sizing: PanelSize,
82 pub id: usize,
83}
84
85#[derive(Default)]
86pub struct ResizableContext {
87 pub panels: Vec<Panel>,
88 pub direction: Direction,
89}
90
91impl ResizableContext {
92 pub const HANDLE_SIZE: f32 = 4.0;
93
94 pub fn direction(&self) -> Direction {
95 self.direction
96 }
97
98 pub fn panels(&mut self) -> &mut Vec<Panel> {
99 &mut self.panels
100 }
101
102 pub fn push_panel(&mut self, panel: Panel, order: Option<usize>) {
103 if matches!(panel.sizing, PanelSize::Percentage(_)) {
105 let mut buffer = panel.size;
106
107 for panel in self
108 .panels
109 .iter_mut()
110 .filter(|p| matches!(p.sizing, PanelSize::Percentage(_)))
111 {
112 let resized_sized = (panel.initial_size - panel.size).min(buffer);
113
114 if resized_sized >= 0. {
115 panel.size = (panel.size - resized_sized).max(panel.min_size);
116 let new_resized_sized = panel.initial_size - panel.size;
117 buffer -= new_resized_sized;
118 }
119 }
120 }
121
122 match order {
123 Some(order) if order < self.panels.len() => self.panels.insert(order, panel),
124 _ => self.panels.push(panel),
125 }
126 }
127
128 pub fn remove_panel(&mut self, id: usize) -> Result<(), ResizableError> {
129 let removed_panel = self
130 .panels
131 .iter()
132 .copied()
133 .find(|p| p.id == id)
134 .ok_or(ResizableError::PanelNotFound)?;
135 self.panels.retain(|e| e.id != id);
136
137 if matches!(removed_panel.sizing, PanelSize::Percentage(_)) {
139 let mut buffer = removed_panel.size;
140
141 for panel in self
142 .panels
143 .iter_mut()
144 .filter(|p| matches!(p.sizing, PanelSize::Percentage(_)))
145 {
146 let resized_sized = (panel.initial_size - panel.size).min(buffer);
147
148 panel.size = (panel.size + resized_sized).max(panel.min_size);
149 let new_resized_sized = panel.initial_size - panel.size;
150 buffer -= new_resized_sized;
151 }
152 }
153
154 Ok(())
155 }
156
157 pub fn apply_resize(
158 &mut self,
159 panel_index: usize,
160 pixel_distance: f32,
161 container_size: f32,
162 ) -> bool {
163 let mut changed_panels = false;
164
165 let handle_space = self.panels.len().saturating_sub(1) as f32 * Self::HANDLE_SIZE;
167 let (px_total, flex_total) =
168 self.panels
169 .iter()
170 .fold((0.0, 0.0), |(px, flex): (f32, f32), p| match p.sizing {
171 PanelSize::Pixels(_) => (px + p.size, flex),
172 PanelSize::Percentage(_) => (px, flex + p.size),
173 });
174 let flex_factor = flex_total / (container_size - px_total - handle_space).max(1.0);
175
176 let abs_distance = pixel_distance.abs();
177 let (behind_range, forward_range) = if pixel_distance >= 0. {
178 (0..panel_index, panel_index..self.panels.len())
179 } else {
180 (panel_index..self.panels.len(), 0..panel_index)
181 };
182
183 let mut acc_pixels = 0.0;
184
185 for panel in self.panels[forward_range].iter_mut() {
187 let old_size = panel.size;
188 let scale = panel.sizing.flex_scale(flex_factor);
189 let new_size =
190 (panel.size - abs_distance * scale).clamp(panel.min_size, panel.sizing.max_size());
191 changed_panels |= panel.size != new_size;
192 panel.size = new_size;
193 acc_pixels -= (new_size - old_size) / scale.max(f32::MIN_POSITIVE);
194
195 if old_size > panel.min_size {
196 break;
197 }
198 }
199
200 if let Some(panel) = self.panels[behind_range].last_mut() {
202 let scale = panel.sizing.flex_scale(flex_factor);
203 let new_size =
204 (panel.size + acc_pixels * scale).clamp(panel.min_size, panel.sizing.max_size());
205 changed_panels |= panel.size != new_size;
206 panel.size = new_size;
207 }
208
209 changed_panels
210 }
211
212 pub fn reset(&mut self) {
213 for panel in &mut self.panels {
214 panel.size = panel.initial_size;
215 }
216 }
217}
218
219#[cfg_attr(feature = "docs",
243 doc = embed_doc_image::embed_image!("resizable_container", "images/gallery_resizable_container.png"),
244)]
245#[derive(PartialEq, Clone)]
246pub struct ResizableContainer {
247 direction: Direction,
248 panels: Vec<ResizablePanel>,
249 controller: Option<Writable<ResizableContext>>,
250}
251
252impl Default for ResizableContainer {
253 fn default() -> Self {
254 Self::new()
255 }
256}
257
258impl ResizableContainer {
259 pub fn new() -> Self {
260 Self {
261 direction: Direction::Vertical,
262 panels: vec![],
263 controller: None,
264 }
265 }
266
267 pub fn direction(mut self, direction: Direction) -> Self {
268 self.direction = direction;
269 self
270 }
271
272 pub fn panel(mut self, panel: impl Into<Option<ResizablePanel>>) -> Self {
273 if let Some(panel) = panel.into() {
274 self.panels.push(panel);
275 }
276 self
277 }
278
279 pub fn panels_iter(mut self, panels: impl Iterator<Item = ResizablePanel>) -> Self {
280 self.panels.extend(panels);
281 self
282 }
283
284 pub fn controller(mut self, controller: impl Into<Writable<ResizableContext>>) -> Self {
285 self.controller = Some(controller.into());
286 self
287 }
288}
289
290impl Component for ResizableContainer {
291 fn render(&self) -> impl IntoElement {
292 let mut size = use_state(Area::default);
293 use_provide_context(|| size);
294
295 let direction = use_reactive(&self.direction);
296 use_provide_context(|| {
297 self.controller.clone().unwrap_or_else(|| {
298 let mut state = State::create(ResizableContext {
299 direction: self.direction,
300 ..Default::default()
301 });
302
303 Effect::create_sync_with_gen(move |current_gen| {
304 let direction = direction();
305 if current_gen > 0 {
306 state.write().direction = direction;
307 }
308 });
309
310 state.into_writable()
311 })
312 });
313
314 rect()
315 .direction(self.direction)
316 .on_sized(move |e: Event<SizedEventData>| size.set(e.area))
317 .expanded()
318 .content(Content::flex())
319 .children(self.panels.iter().enumerate().flat_map(|(i, e)| {
320 if i > 0 {
321 vec![ResizableHandle::new(i).into(), e.clone().into()]
322 } else {
323 vec![e.clone().into()]
324 }
325 }))
326 }
327}
328
329#[derive(PartialEq, Clone)]
330pub struct ResizablePanel {
331 key: DiffKey,
332 initial_size: PanelSize,
333 min_size: Option<f32>,
334 children: Vec<Element>,
335 order: Option<usize>,
336}
337
338impl KeyExt for ResizablePanel {
339 fn write_key(&mut self) -> &mut DiffKey {
340 &mut self.key
341 }
342}
343
344impl ChildrenExt for ResizablePanel {
345 fn get_children(&mut self) -> &mut Vec<Element> {
346 &mut self.children
347 }
348}
349
350impl ResizablePanel {
351 pub fn new(initial_size: PanelSize) -> Self {
352 Self {
353 key: DiffKey::None,
354 initial_size,
355 min_size: None,
356 children: vec![],
357 order: None,
358 }
359 }
360
361 pub fn initial_size(mut self, initial_size: PanelSize) -> Self {
362 self.initial_size = initial_size;
363 self
364 }
365
366 pub fn min_size(mut self, min_size: impl Into<f32>) -> Self {
368 self.min_size = Some(min_size.into());
369 self
370 }
371
372 pub fn order(mut self, order: impl Into<usize>) -> Self {
373 self.order = Some(order.into());
374 self
375 }
376}
377
378impl Component for ResizablePanel {
379 fn render(&self) -> impl IntoElement {
380 let registry = use_consume::<Writable<ResizableContext>>();
381
382 let initial_value = self.initial_size.value();
383 let id = use_hook({
384 let mut registry = registry.clone();
385 move || {
386 let id = UseId::<ResizableContext>::get_in_hook();
387 let panel = Panel {
388 initial_size: initial_value,
389 size: initial_value,
390 min_size: self.min_size.unwrap_or(initial_value * 0.25),
391 sizing: self.initial_size,
392 id,
393 };
394 registry.write().push_panel(panel, self.order);
395 id
396 }
397 });
398
399 use_drop({
400 let mut registry = registry.clone();
401 move || {
402 let _ = registry.write().remove_panel(id);
403 }
404 });
405
406 let registry = registry.read();
407 let index = registry
408 .panels
409 .iter()
410 .position(|e| e.id == id)
411 .unwrap_or_default();
412
413 let Panel { size, sizing, .. } = registry.panels[index];
414 let main_size = sizing.to_layout_size(size);
415
416 let (width, height) = match registry.direction {
417 Direction::Horizontal => (main_size, Size::fill()),
418 Direction::Vertical => (Size::fill(), main_size),
419 };
420
421 rect()
422 .a11y_role(AccessibilityRole::Pane)
423 .width(width)
424 .height(height)
425 .overflow(Overflow::Clip)
426 .children(self.children.clone())
427 }
428
429 fn render_key(&self) -> DiffKey {
430 self.key.clone().or(self.default_key())
431 }
432}
433
434#[derive(Debug, Default, PartialEq, Clone, Copy)]
436pub enum HandleStatus {
437 #[default]
439 Idle,
440 Hovering,
442}
443
444#[derive(PartialEq)]
445pub struct ResizableHandle {
446 panel_index: usize,
447 pub(crate) theme: Option<ResizableHandleThemePartial>,
449}
450
451impl ResizableHandle {
452 pub fn new(panel_index: usize) -> Self {
453 Self {
454 panel_index,
455 theme: None,
456 }
457 }
458}
459
460impl Component for ResizableHandle {
461 fn render(&self) -> impl IntoElement {
462 let ResizableHandleTheme {
463 background,
464 hover_background,
465 corner_radius,
466 } = get_theme!(&self.theme, resizable_handle);
467 let mut size = use_state(Area::default);
468 let mut clicking = use_state(|| false);
469 let mut status = use_state(HandleStatus::default);
470 let registry = use_consume::<Writable<ResizableContext>>();
471 let container_size = use_consume::<State<Area>>();
472 let mut allow_resizing = use_state(|| false);
473
474 let panel_index = self.panel_index;
475 let direction = registry.read().direction;
476
477 use_drop(move || {
478 if *status.peek() == HandleStatus::Hovering {
479 Cursor::set(CursorIcon::default());
480 }
481 });
482
483 let cursor = match direction {
484 Direction::Horizontal => CursorIcon::ColResize,
485 _ => CursorIcon::RowResize,
486 };
487
488 let on_pointer_leave = move |_| {
489 *status.write() = HandleStatus::Idle;
490 if !clicking() {
491 Cursor::set(CursorIcon::default());
492 }
493 };
494
495 let on_pointer_enter = move |_| {
496 *status.write() = HandleStatus::Hovering;
497 Cursor::set(cursor);
498 };
499
500 let on_capture_global_pointer_move = {
501 let mut registry = registry;
502 move |e: Event<PointerEventData>| {
503 if *clicking.read() {
504 e.prevent_default();
505
506 if !*allow_resizing.read() {
507 return;
508 }
509
510 let coords = e.global_location();
511 let handle = size.read();
512 let container = container_size.read();
513 let mut registry = registry.write();
514
515 let (pixel_displacement, container_axis_size) = match registry.direction {
516 Direction::Horizontal => {
517 (coords.x as f32 - handle.min_x(), container.width())
518 }
519 Direction::Vertical => {
520 (coords.y as f32 - handle.min_y(), container.height())
521 }
522 };
523
524 let changed_panels =
525 registry.apply_resize(panel_index, pixel_displacement, container_axis_size);
526
527 if changed_panels {
528 allow_resizing.set(false);
529 }
530 }
531 }
532 };
533
534 let on_pointer_down = move |e: Event<PointerEventData>| {
535 e.stop_propagation();
536 e.prevent_default();
537 clicking.set(true);
538 };
539
540 let on_global_pointer_press = move |_: Event<PointerEventData>| {
541 if *clicking.read() {
542 if *status.peek() != HandleStatus::Hovering {
543 Cursor::set(CursorIcon::default());
544 }
545 clicking.set(false);
546 }
547 };
548
549 let handle_size = Size::px(ResizableContext::HANDLE_SIZE);
550 let (width, height) = match direction {
551 Direction::Horizontal => (handle_size, Size::fill()),
552 Direction::Vertical => (Size::fill(), handle_size),
553 };
554
555 let background = match *status.read() {
556 HandleStatus::Idle if !*clicking.read() => background,
557 _ => hover_background,
558 };
559
560 rect()
561 .width(width)
562 .height(height)
563 .background(background)
564 .corner_radius(corner_radius)
565 .on_sized(move |e: Event<SizedEventData>| {
566 size.set(e.area);
567 allow_resizing.set(true);
568 })
569 .on_pointer_down(on_pointer_down)
570 .on_global_pointer_press(on_global_pointer_press)
571 .on_pointer_enter(on_pointer_enter)
572 .on_capture_global_pointer_move(on_capture_global_pointer_move)
573 .on_pointer_leave(on_pointer_leave)
574 }
575}