-
-
Notifications
You must be signed in to change notification settings - Fork 4.5k
Expand file tree
/
Copy pathsystem_fonts.rs
More file actions
96 lines (89 loc) · 3.59 KB
/
system_fonts.rs
File metadata and controls
96 lines (89 loc) · 3.59 KB
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
//! This example displays a scrollable list of all available system fonts.
//! Demonstrates querying system fonts via `FontCx`.
use bevy::{
diagnostic::FrameTimeDiagnosticsPlugin, input::mouse::MouseScrollUnit, prelude::*, text::FontCx,
};
fn main() {
let mut app = App::new();
app.add_plugins((DefaultPlugins, FrameTimeDiagnosticsPlugin::default()))
.add_systems(Startup, setup);
app.run();
}
fn setup(mut commands: Commands, mut font_system: ResMut<FontCx>) {
let mut families: Vec<String> = font_system
.0
.collection
.family_names()
.map(ToOwned::to_owned)
.collect();
families.sort_unstable();
families.dedup();
let family_count = families.len();
commands.spawn(Camera2d);
commands
.spawn((
Node {
flex_direction: FlexDirection::Column,
width: percent(100),
height: percent(100),
align_items: AlignItems::Center,
row_gap: px(10.),
..default()
},
BackgroundColor(Color::srgb(0.1, 0.1, 0.1)),
))
.with_children(move |builder| {
builder.spawn(Text::new(format!(
"Total available fonts: {}",
family_count,
)));
builder
.spawn(Node {
flex_direction: FlexDirection::Column,
row_gap: px(6),
overflow: Overflow::scroll_y(),
align_items: AlignItems::Stretch,
..default()
})
.with_children(|builder| {
for family in families {
let font = FontSource::Family(family.clone().into());
builder.spawn((
Node {
display: Display::Grid,
grid_template_columns: vec![
GridTrack::flex(1.),
GridTrack::flex(1.),
],
padding: px(6).all(),
column_gap: px(50.),
..default()
},
BackgroundColor(Color::srgb(0.2, 0.2, 0.25)),
children![
(
Text::new(&family),
TextFont { font, ..default() },
TextLayout::new_with_no_wrap()
),
(Text::new(family), TextLayout::new_with_no_wrap()),
],
));
}
})
.observe(
|on_scroll: On<Pointer<Scroll>>,
mut query: Query<(&mut ScrollPosition, &ComputedNode)>| {
if let Ok((mut scroll_position, node)) = query.get_mut(on_scroll.entity) {
let dy = match on_scroll.unit {
MouseScrollUnit::Line => on_scroll.y * 20.,
MouseScrollUnit::Pixel => on_scroll.y,
};
let range = (node.content_size.y - node.size.y).max(0.)
* node.inverse_scale_factor;
scroll_position.y = (scroll_position.y - dy).clamp(0., range);
}
},
);
});
}