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
119
120
121
122
123
124
125
126
127
128
129
//! Breadcrumb component — navigation breadcrumb trail showing hierarchy.
use maud::{html, Markup};
/// Breadcrumb item with label and optional href
#[derive(Debug, Clone)]
pub struct BreadcrumbItem {
/// Display text for the breadcrumb
pub label: String,
/// Optional href (None for current page, the last item)
pub href: Option<String>,
}
/// Breadcrumb rendering properties
#[derive(Debug, Clone)]
pub struct Props {
/// List of breadcrumb items (last item has no href)
pub items: Vec<BreadcrumbItem>,
/// Separator character (default "/")
pub separator: Option<String>,
}
impl Default for Props {
fn default() -> Self {
Self {
items: Vec::new(),
separator: None,
}
}
}
/// Render breadcrumb navigation
pub fn render(props: Props) -> Markup {
let sep = props.separator.as_deref().unwrap_or("/");
html! {
nav class="mui-breadcrumb" aria-label="Breadcrumb" {
ol class="mui-breadcrumb__list" {
@for (idx, item) in props.items.iter().enumerate() {
@if idx > 0 {
li class="mui-breadcrumb__separator" aria-hidden="true" {
(sep)
}
}
@if item.href.is_some() {
li class="mui-breadcrumb__item" {
a href=(item.href.as_ref().unwrap()) {
(item.label)
}
}
} @else {
li class="mui-breadcrumb__item mui-breadcrumb__item--current" aria-current="page" {
span { (item.label) }
}
}
}
}
}
}
}
/// Showcase all breadcrumb use cases
pub fn showcase() -> Markup {
html! {
div.mui-showcase__grid {
div {
p.mui-showcase__caption { "Default separator" }
(render(Props {
items: vec![
BreadcrumbItem {
label: "Home".into(),
href: Some("/".into()),
},
BreadcrumbItem {
label: "Components".into(),
href: Some("/docs/components".into()),
},
BreadcrumbItem {
label: "Breadcrumb".into(),
href: None,
},
],
separator: None,
}))
}
div {
p.mui-showcase__caption { "Product navigation" }
(render(Props {
items: vec![
BreadcrumbItem {
label: "Home".into(),
href: Some("/".into()),
},
BreadcrumbItem {
label: "Products".into(),
href: Some("/products".into()),
},
BreadcrumbItem {
label: "Phones".into(),
href: Some("/products/phones".into()),
},
BreadcrumbItem {
label: "iPhone 15 Pro".into(),
href: None,
},
],
separator: Some("\u{203a}".into()),
}))
}
div {
p.mui-showcase__caption { "Two levels" }
(render(Props {
items: vec![
BreadcrumbItem {
label: "Docs".into(),
href: Some("/docs".into()),
},
BreadcrumbItem {
label: "Getting Started".into(),
href: None,
},
],
separator: None,
}))
}
}
}
}