Newer
Older
use bevy::{
ecs::component::{ComponentHooks, StorageType},
prelude::*,
window::PrimaryWindow,
};
use cosmic_text::{Attrs, AttrsOwned, Buffer, Edit, FontSystem, Metrics, Shaping};
#[derive(SystemSet, Debug, Clone, PartialEq, Eq, Hash)]
pub struct BufferSet;
pub(crate) struct BufferPlugin;
impl Plugin for BufferPlugin {
fn build(&self, app: &mut App) {
app.add_systems(
First,
(
add_font_system,
set_initial_scale,
set_redraw,
set_editor_redraw,
swap_target_handle,
)
.chain(),
);
}
}
pub trait BufferExtras {
fn get_text(&self) -> String;
}
impl BufferExtras for Buffer {
/// Retrieves the text content from a buffer.
///
/// # Arguments
///
/// * none, takes the rust magic ref to self
///
/// # Returns
///
fn get_text(&self) -> String {
let mut text = String::new();
let line_count = self.lines.len();
for (i, line) in self.lines.iter().enumerate() {
text.push_str(line.text());
if i < line_count - 1 {
text.push('\n');
}
}
text
}
}
/// Component wrapper for [`Buffer`]
#[derive(Deref, DerefMut)]
impl Component for CosmicBuffer {
const STORAGE_TYPE: StorageType = StorageType::Table;
fn register_component_hooks(hooks: &mut ComponentHooks) {
hooks.on_remove(|mut world, entity, _| {
if let Some(mut focused_widget) = world.get_resource_mut::<FocusedWidget>() {
if let Some(focused) = focused_widget.0 {
if focused == entity {
focused_widget.0 = None;
}
}
}
});
}
}
impl Default for CosmicBuffer {
fn default() -> Self {
CosmicBuffer(Buffer::new_empty(Metrics::new(20., 20.)))
}
}
impl<'s, 'r> CosmicBuffer {
/// Create a new buffer with a font system
pub fn new(font_system: &mut FontSystem, metrics: Metrics) -> Self {
Self(Buffer::new(font_system, metrics))
}
// Das a lotta boilerplate just to hide the shaping argument
pub fn with_text(
mut self,
font_system: &mut FontSystem,
text: &'s str,
attrs: Attrs<'r>,
) -> Self {
self.0.set_text(font_system, text, attrs, Shaping::Advanced);
self
}
pub fn with_rich_text<I>(
mut self,
font_system: &mut FontSystem,
spans: I,
attrs: Attrs<'r>,
) -> Self
where
I: IntoIterator<Item = (&'s str, Attrs<'r>)>,
{
self.0
.set_rich_text(font_system, spans, attrs, Shaping::Advanced);
self
}
pub fn set_text(
&mut self,
font_system: &mut FontSystem,
text: &'s str,
attrs: Attrs<'r>,
) -> &mut Self {
self.0.set_text(font_system, text, attrs, Shaping::Advanced);
self.set_redraw(true);
self
}
/// Replace buffer text with rich text
///
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
pub fn set_rich_text<I>(
&mut self,
font_system: &mut FontSystem,
spans: I,
attrs: Attrs<'r>,
) -> &mut Self
where
I: IntoIterator<Item = (&'s str, Attrs<'r>)>,
{
self.0
.set_rich_text(font_system, spans, attrs, Shaping::Advanced);
self.set_redraw(true);
self
}
/// Returns texts from a MultiStyle buffer
pub fn get_text_spans(&self, default_attrs: AttrsOwned) -> Vec<Vec<(String, AttrsOwned)>> {
// TODO: untested!
let buffer = self;
let mut spans = Vec::new();
for line in buffer.lines.iter() {
let mut line_spans = Vec::new();
let line_text = line.text();
let line_attrs = line.attrs_list();
if line_attrs.spans().is_empty() {
line_spans.push((line_text.to_string(), default_attrs.clone()));
} else {
let mut current_pos = 0;
for span in line_attrs.spans() {
let span_range = span.0;
let span_attrs = span.1.clone();
let start_index = span_range.start;
let end_index = span_range.end;
if start_index > current_pos {
// Add the text between the current position and the start of the span
let non_span_text = line_text[current_pos..start_index].to_string();
line_spans.push((non_span_text, default_attrs.clone()));
}
let span_text = line_text[start_index..end_index].to_string();
line_spans.push((span_text.clone(), span_attrs));
current_pos = end_index;
}
if current_pos < line_text.len() {
// Add the remaining text after the last span
let remaining_text = line_text[current_pos..].to_string();
line_spans.push((remaining_text, default_attrs.clone()));
}
}
spans.push(line_spans);
}
spans
}
}
/// Adds a [`FontSystem`] to a newly created [`CosmicBuffer`] if one was not provided
pub fn add_font_system(
mut font_system: ResMut<CosmicFontSystem>,
mut q: Query<&mut CosmicBuffer, Added<CosmicBuffer>>,
) {
for mut b in q.iter_mut() {
if !b.lines.is_empty() {
continue;
}
b.0.set_text(&mut font_system, "", Attrs::new(), Shaping::Advanced);
b.set_redraw(true);
}
}
pub fn set_initial_scale(
window_q: Query<&Window, With<PrimaryWindow>>,
mut cosmic_query: Query<&mut CosmicBuffer, Added<CosmicBuffer>>,
mut font_system: ResMut<CosmicFontSystem>,
) {

Nathan Wilson
committed
if let Ok(window) = window_q.get_single() {
let w_scale = window.scale_factor();

Nathan Wilson
committed
for mut b in &mut cosmic_query.iter_mut() {
let m = b.metrics().scale(w_scale);
b.set_metrics(&mut font_system, m);
}
pub fn set_redraw(mut q: Query<&mut CosmicBuffer, Added<CosmicBuffer>>) {
for mut b in q.iter_mut() {
b.set_redraw(true);
}
}
pub fn set_editor_redraw(mut q: Query<&mut CosmicEditor, Added<CosmicEditor>>) {
for mut b in q.iter_mut() {
b.set_redraw(true);
}
}
/// Sets image of UI elements to the [`CosmicBuffer`] output
pub fn swap_target_handle(
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
source_q: Query<&Handle<Image>, With<CosmicBuffer>>,
mut dest_q: Query<
(
Option<&mut Handle<Image>>,
Option<&mut UiImage>,
&CosmicSource,
),
Without<CosmicBuffer>,
>,
) {
// TODO: do this once
for (dest_handle_opt, dest_ui_opt, source_entity) in dest_q.iter_mut() {
if let Ok(source_handle) = source_q.get(source_entity.0) {
if let Some(mut dest_handle) = dest_handle_opt {
*dest_handle = source_handle.clone_weak();
}
if let Some(mut dest_ui) = dest_ui_opt {
dest_ui.texture = source_handle.clone_weak();
}
}
}
}
// TODO put this on impl CosmicBuffer
pub fn get_text_size(buffer: &Buffer) -> (f32, f32) {
if buffer.layout_runs().count() == 0 {
return (0., buffer.metrics().line_height);
}
let width = buffer
.layout_runs()
.map(|run| run.line_w)
.reduce(f32::max)
.unwrap();
let height = buffer.layout_runs().count() as f32 * buffer.metrics().line_height;
(width, height)
}
pub fn get_y_offset_center(widget_height: f32, buffer: &Buffer) -> i32 {
let (_, text_height) = get_text_size(buffer);
((widget_height - text_height) / 2.0) as i32
}
pub fn get_x_offset_center(widget_width: f32, buffer: &Buffer) -> i32 {
let (text_width, _) = get_text_size(buffer);
((widget_width - text_width) / 2.0) as i32
}