leptos_use/
use_breakpoints.rs

1use crate::{use_media_query, use_window};
2use leptos::logging::error;
3use leptos::prelude::*;
4use leptos::reactive::wrappers::read::Signal;
5use paste::paste;
6use std::collections::HashMap;
7use std::fmt::Debug;
8use std::hash::Hash;
9
10/// Reactive viewport breakpoints.
11///
12/// ## Demo
13///
14/// [Link to Demo](https://github.com/Synphonyte/leptos-use/tree/main/examples/use_breakpoints)
15///
16/// ## Usage
17///
18/// ```
19/// # use leptos::prelude::*;
20/// # use leptos_use::{use_breakpoints, BreakpointsTailwind, breakpoints_tailwind};
21/// #
22/// # #[component]
23/// # fn Demo() -> impl IntoView {
24/// #
25/// let screen_width = use_breakpoints(breakpoints_tailwind());
26///
27/// use BreakpointsTailwind::*;
28///
29/// let sm_and_larger = screen_width.ge(Sm);
30/// let larger_than_sm = screen_width.gt(Sm);
31/// let lg_and_smaller = screen_width.le(Lg);
32/// let smaller_than_lg = screen_width.lt(Lg);
33/// #
34/// # view! { }
35/// # }
36/// ```
37///
38/// ## Breakpoints
39///
40/// There are many predefined breakpoints for major UI frameworks. The following are provided.
41///
42/// * [`breakpoints_tailwind`]
43/// * [`breakpoints_bootstrap_v5`]
44/// * [`breakpoints_material`]
45/// * [`breakpoints_ant_design`]
46/// * [`breakpoints_quasar`]
47/// * [`breakpoints_semantic`]
48/// * [`breakpoints_master_css`]
49///
50/// You can also provide your own breakpoints.
51///
52/// ```
53/// # use std::collections::HashMap;
54/// use leptos::prelude::*;
55/// # use leptos_use::use_breakpoints;
56/// #
57/// #[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
58/// enum MyBreakpoints {
59///     Tablet,
60///     Laptop,
61///     Desktop,
62/// }
63///
64/// fn my_breakpoints() -> HashMap<MyBreakpoints, u32> {
65///     use MyBreakpoints::*;
66///
67///     HashMap::from([
68///         (Tablet, 640),
69///         (Laptop, 1024),
70///         (Desktop, 1280),
71///     ])
72/// }
73///
74/// #[component]
75/// fn Demo() -> impl IntoView {
76///     let screen_width = use_breakpoints(my_breakpoints());
77///
78///     use MyBreakpoints::*;
79///
80///     let laptop = screen_width.between(Laptop, Desktop);
81///
82///     view! { }
83/// }
84/// ```
85///
86/// ## Non-reactive methods
87///
88/// For every reactive method there is also a non-reactive variant that is prefixed with `is_`
89///
90/// ```
91/// # use leptos::prelude::*;
92/// # use leptos_use::{use_breakpoints, BreakpointsTailwind, breakpoints_tailwind};
93/// #
94/// # #[component]
95/// # fn Demo() -> impl IntoView {
96/// #
97/// let screen_width = use_breakpoints(breakpoints_tailwind());
98///
99/// use BreakpointsTailwind::*;
100///
101/// let sm_and_larger = screen_width.is_ge(Sm);
102/// let larger_than_sm = screen_width.is_gt(Sm);
103/// let lg_and_smaller = screen_width.is_le(Lg);
104/// let smaller_than_lg = screen_width.is_lt(Lg);
105/// #
106/// # view! { }
107/// # }
108/// ```
109///
110/// ## Server-Side Rendering
111///
112/// Since internally this uses [`fn@crate::use_media_query`], which returns always `false` on the server,
113/// the returned methods also will return `false`.
114pub fn use_breakpoints<K: Eq + Hash + Debug + Clone + Send + Sync>(
115    breakpoints: HashMap<K, u32>,
116) -> UseBreakpointsReturn<K> {
117    UseBreakpointsReturn { breakpoints }
118}
119
120/// Return type of [`use_breakpoints`]
121#[derive(Clone)]
122pub struct UseBreakpointsReturn<K: Eq + Hash + Debug + Clone + Send + Sync> {
123    breakpoints: HashMap<K, u32>,
124}
125
126macro_rules! query_suffix {
127    (>) => {
128        ".1"
129    };
130    (<) => {
131        ".9"
132    };
133    (=) => {
134        ""
135    };
136}
137
138macro_rules! value_expr {
139    ($v:ident, >) => {
140        $v
141    };
142    ($v:ident, <) => {
143        $v - 1
144    };
145    ($v:ident, =) => {
146        $v
147    };
148}
149
150macro_rules! format_media_query {
151    ($cmp:tt, $suffix:tt, $v:ident) => {
152        format!(
153            "({}-width: {}{}px)",
154            $cmp,
155            value_expr!($v, $suffix),
156            query_suffix!($suffix)
157        )
158    };
159}
160
161macro_rules! impl_cmp_reactively {
162    (   #[$attr:meta]
163        $fn:ident, $cmp:tt, $suffix:tt) => {
164        paste! {
165            // Reactive check if
166            #[$attr]
167            pub fn $fn(&self, key: K) -> Signal<bool> {
168                if let Some(value) = self.breakpoints.get(&key) {
169                    use_media_query(format_media_query!($cmp, $suffix, value))
170                } else {
171                    self.not_found_signal(key)
172                }
173            }
174
175            // Static check if
176            #[$attr]
177            pub fn [<is_ $fn>](&self, key: K) -> bool {
178                if let Some(value) = self.breakpoints.get(&key) {
179                    Self::match_(&format_media_query!($cmp, $suffix, value))
180                } else {
181                    self.not_found(key)
182                }
183            }
184        }
185    };
186}
187
188impl<K> UseBreakpointsReturn<K>
189where
190    K: Eq + Hash + Debug + Clone + Send + Sync + 'static,
191{
192    fn match_(query: &str) -> bool {
193        if let Ok(Some(query_list)) = use_window().match_media(query) {
194            return query_list.matches();
195        }
196
197        false
198    }
199
200    fn not_found_signal(&self, key: K) -> Signal<bool> {
201        error!("Breakpoint \"{:?}\" not found", key);
202        Signal::derive(|| false)
203    }
204
205    fn not_found(&self, key: K) -> bool {
206        error!("Breakpoint \"{:?}\" not found", key);
207        false
208    }
209
210    impl_cmp_reactively!(
211        /// `[screen size]` > `key`
212        gt, "min", >
213    );
214    impl_cmp_reactively!(
215        /// `[screen size]` >= `key`
216        ge, "min", =
217    );
218    impl_cmp_reactively!(
219        /// `[screen size]` < `key`
220        lt, "max", <
221    );
222    impl_cmp_reactively!(
223        /// `[screen size]` <= `key`
224        le, "max", =
225    );
226
227    fn between_media_query(min: &u32, max: &u32) -> String {
228        format!("(min-width: {min}px) and (max-width: {}.9px)", max - 1)
229    }
230
231    /// Reactive check if `min_key` <= `[screen size]` <= `max_key`
232    pub fn between(&self, min_key: K, max_key: K) -> Signal<bool> {
233        if let Some(min) = self.breakpoints.get(&min_key) {
234            if let Some(max) = self.breakpoints.get(&max_key) {
235                use_media_query(Self::between_media_query(min, max))
236            } else {
237                self.not_found_signal(max_key)
238            }
239        } else {
240            self.not_found_signal(min_key)
241        }
242    }
243
244    /// Static check if `min_key` <= `[screen size]` <= `max_key`
245    pub fn is_between(&self, min_key: K, max_key: K) -> bool {
246        if let Some(min) = self.breakpoints.get(&min_key) {
247            if let Some(max) = self.breakpoints.get(&max_key) {
248                Self::match_(&Self::between_media_query(min, max))
249            } else {
250                self.not_found(max_key)
251            }
252        } else {
253            self.not_found(min_key)
254        }
255    }
256
257    /// Reactive Vec of all breakpoints that fulfill `[screen size]` >= `key`
258    pub fn current(&self) -> Signal<Vec<K>> {
259        let breakpoints = self.breakpoints.clone();
260        let keys: Vec<_> = breakpoints.keys().cloned().collect();
261
262        let ge = move |key: &K| {
263            let value = breakpoints
264                .get(key)
265                .expect("only used with keys() from the HashMap");
266
267            use_media_query(format_media_query!("min", =, value))
268        };
269
270        let signals: Vec<_> = keys.iter().map(ge.clone()).collect();
271
272        Signal::derive(move || {
273            keys.iter()
274                .cloned()
275                .zip(signals.iter().cloned())
276                .filter_map(|(key, signal)| signal.get().then_some(key))
277                .collect::<Vec<_>>()
278        })
279    }
280}
281
282/// Breakpoint keys for Tailwind V2
283///
284/// See <https://tailwindcss.com/docs/breakpoints>
285#[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
286pub enum BreakpointsTailwind {
287    Sm,
288    Md,
289    Lg,
290    Xl,
291    Xxl,
292}
293
294/// Breakpoint definitions for Tailwind V2
295///
296/// See <https://tailwindcss.com/docs/breakpoints>
297pub fn breakpoints_tailwind() -> HashMap<BreakpointsTailwind, u32> {
298    HashMap::from([
299        (BreakpointsTailwind::Sm, 640),
300        (BreakpointsTailwind::Md, 768),
301        (BreakpointsTailwind::Lg, 1024),
302        (BreakpointsTailwind::Xl, 1280),
303        (BreakpointsTailwind::Xxl, 1536),
304    ])
305}
306
307/// Breakpoint keys for Bootstrap V5
308///
309/// See <https://getbootstrap.com/docs/5.0/layout/breakpoints>
310#[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
311pub enum BreakpointsBootstrapV5 {
312    Sm,
313    Md,
314    Lg,
315    Xl,
316    Xxl,
317}
318
319/// Breakpoint definitions for Bootstrap V5
320///
321/// <https://getbootstrap.com/docs/5.0/layout/breakpoints>
322pub fn breakpoints_bootstrap_v5() -> HashMap<BreakpointsBootstrapV5, u32> {
323    HashMap::from([
324        (BreakpointsBootstrapV5::Sm, 576),
325        (BreakpointsBootstrapV5::Md, 768),
326        (BreakpointsBootstrapV5::Lg, 992),
327        (BreakpointsBootstrapV5::Xl, 1200),
328        (BreakpointsBootstrapV5::Xxl, 1400),
329    ])
330}
331
332/// Breakpoint keys for Material UI V5
333///
334/// See <https://mui.com/material-ui/customization/breakpoints/>
335#[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
336pub enum BreakpointsMaterial {
337    Xs,
338    Sm,
339    Md,
340    Lg,
341    Xl,
342}
343
344/// Breakpoint definitions for Material UI V5
345///
346/// See <https://mui.com/material-ui/customization/breakpoints/>
347pub fn breakpoints_material() -> HashMap<BreakpointsMaterial, u32> {
348    HashMap::from([
349        (BreakpointsMaterial::Xs, 1),
350        (BreakpointsMaterial::Sm, 600),
351        (BreakpointsMaterial::Md, 900),
352        (BreakpointsMaterial::Lg, 1200),
353        (BreakpointsMaterial::Xl, 1536),
354    ])
355}
356
357/// Breakpoint keys for Ant Design
358///
359/// See <https://ant.design/components/layout/#breakpoint-width>
360#[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
361pub enum BreakpointsAntDesign {
362    Xs,
363    Sm,
364    Md,
365    Lg,
366    Xl,
367    Xxl,
368}
369
370/// Breakpoint definitions for Ant Design
371///
372/// See <https://ant.design/components/layout/#breakpoint-width>
373pub fn breakpoints_ant_design() -> HashMap<BreakpointsAntDesign, u32> {
374    HashMap::from([
375        (BreakpointsAntDesign::Xs, 480),
376        (BreakpointsAntDesign::Sm, 576),
377        (BreakpointsAntDesign::Md, 768),
378        (BreakpointsAntDesign::Lg, 992),
379        (BreakpointsAntDesign::Xl, 1200),
380        (BreakpointsAntDesign::Xxl, 1600),
381    ])
382}
383
384/// Breakpoint keys for Quasar V2
385///
386/// See <https://quasar.dev/style/breakpoints>
387#[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
388pub enum BreakpointsQuasar {
389    Xs,
390    Sm,
391    Md,
392    Lg,
393    Xl,
394}
395
396/// Breakpoint definitions for Quasar V2
397///
398/// See <https://quasar.dev/style/breakpoints>
399pub fn breakpoints_quasar() -> HashMap<BreakpointsQuasar, u32> {
400    HashMap::from([
401        (BreakpointsQuasar::Xs, 1),
402        (BreakpointsQuasar::Sm, 600),
403        (BreakpointsQuasar::Md, 1024),
404        (BreakpointsQuasar::Lg, 1440),
405        (BreakpointsQuasar::Xl, 1920),
406    ])
407}
408
409/// Breakpoint keys for Semantic UI
410///
411/// See <https://semantic-ui.com/elements/container.html>
412#[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
413pub enum BreakpointsSemantic {
414    Mobile,
415    Tablet,
416    SmallMonitor,
417    LargeMonitor,
418}
419
420/// Breakpoint definitions for Semantic UI
421///
422/// See <https://semantic-ui.com/elements/container.html>
423pub fn breakpoints_semantic() -> HashMap<BreakpointsSemantic, u32> {
424    HashMap::from([
425        (BreakpointsSemantic::Mobile, 1),
426        (BreakpointsSemantic::Tablet, 768),
427        (BreakpointsSemantic::SmallMonitor, 992),
428        (BreakpointsSemantic::LargeMonitor, 1200),
429    ])
430}
431
432/// Breakpoint keys for Master CSS
433///
434/// See <https://docs.master.co/css/breakpoints>
435#[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
436pub enum BreakpointsMasterCss {
437    Xxxs,
438    Xxs,
439    Xs,
440    Sm,
441    Md,
442    Lg,
443    Xl,
444    Xxl,
445    Xxxl,
446    Xxxxl,
447}
448
449/// Breakpoint definitions for Master CSS
450///
451/// See <https://docs.master.co/css/breakpoints>
452pub fn breakpoints_master_css() -> HashMap<BreakpointsMasterCss, u32> {
453    HashMap::from([
454        (BreakpointsMasterCss::Xxxs, 360),
455        (BreakpointsMasterCss::Xxs, 480),
456        (BreakpointsMasterCss::Xs, 600),
457        (BreakpointsMasterCss::Sm, 768),
458        (BreakpointsMasterCss::Md, 1024),
459        (BreakpointsMasterCss::Lg, 1280),
460        (BreakpointsMasterCss::Xl, 1440),
461        (BreakpointsMasterCss::Xxl, 1600),
462        (BreakpointsMasterCss::Xxxl, 1920),
463        (BreakpointsMasterCss::Xxxxl, 2560),
464    ])
465}