mirror of
https://github.com/GraphiteEditor/Graphite.git
synced 2025-08-04 13:30:48 +00:00
Add sizing gizmos to the Text tool's text area (#2176)
* Fix abortion while dragging * Create function for text bounding box * Reorder arms of text tool FSM * add transform cage to textbox pt.1 * add transform cage pt.2 * Fix minor issue after merge * Get bounding box working in place without action keys * Add max_height and disable pivot drag * Cleanup code and write doco for new utility function * Minor change due to merge * Add bottom overlay * Get modifier keys to work pt.1 * Code cleanup * cleanup * Fix transform * Minor improvements * Undo debug statement! * Add comments and keep original layer transformation * Alt from centre * Fix merge conflict * Minor code review --------- Co-authored-by: Keavon Chambers <keavon@keavon.com> Co-authored-by: hypercube <0hypercube@gmail.com> Co-authored-by: James Lindsay <78500760+0HyperCube@users.noreply.github.com>
This commit is contained in:
parent
a696aae044
commit
c0d3eb8072
8 changed files with 321 additions and 65 deletions
|
@ -157,9 +157,9 @@ pub fn input_mappings() -> Mapping {
|
||||||
entry!(PointerMove; refresh_keys=[Alt, Shift], action_dispatch=TextToolMessage::PointerMove { center: Alt, lock_ratio: Shift }),
|
entry!(PointerMove; refresh_keys=[Alt, Shift], action_dispatch=TextToolMessage::PointerMove { center: Alt, lock_ratio: Shift }),
|
||||||
entry!(KeyDown(MouseLeft); action_dispatch=TextToolMessage::DragStart),
|
entry!(KeyDown(MouseLeft); action_dispatch=TextToolMessage::DragStart),
|
||||||
entry!(KeyUp(MouseLeft); action_dispatch=TextToolMessage::DragStop),
|
entry!(KeyUp(MouseLeft); action_dispatch=TextToolMessage::DragStop),
|
||||||
entry!(KeyDown(MouseRight); action_dispatch=TextToolMessage::CommitText),
|
entry!(KeyDown(MouseRight); action_dispatch=TextToolMessage::Abort),
|
||||||
entry!(KeyDown(Escape); action_dispatch=TextToolMessage::CommitText),
|
entry!(KeyDown(Escape); action_dispatch=TextToolMessage::Abort),
|
||||||
entry!(KeyDown(Enter); modifiers=[Accel], action_dispatch=TextToolMessage::CommitText),
|
entry!(KeyDown(Enter); modifiers=[Accel], action_dispatch=TextToolMessage::Abort),
|
||||||
//
|
//
|
||||||
// GradientToolMessage
|
// GradientToolMessage
|
||||||
entry!(KeyDown(MouseLeft); action_dispatch=GradientToolMessage::PointerDown),
|
entry!(KeyDown(MouseLeft); action_dispatch=GradientToolMessage::PointerDown),
|
||||||
|
|
|
@ -3821,7 +3821,6 @@ impl NodeNetworkInterface {
|
||||||
log::error!("Cannot connect a network to an export, see https://github.com/GraphiteEditor/Graphite/issues/1762");
|
log::error!("Cannot connect a network to an export, see https://github.com/GraphiteEditor/Graphite/issues/1762");
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
|
|
||||||
let Some(previous_input) = self.input_from_connector(input_connector, network_path).cloned() else {
|
let Some(previous_input) = self.input_from_connector(input_connector, network_path).cloned() else {
|
||||||
log::error!("Could not get previous input in set_input");
|
log::error!("Could not get previous input in set_input");
|
||||||
return;
|
return;
|
||||||
|
|
|
@ -351,9 +351,13 @@ pub fn snap_drag(start: DVec2, current: DVec2, axis_align: bool, snap_data: Snap
|
||||||
/// Contains info on the overlays for the bounding box and transform handles
|
/// Contains info on the overlays for the bounding box and transform handles
|
||||||
#[derive(Clone, Debug, Default)]
|
#[derive(Clone, Debug, Default)]
|
||||||
pub struct BoundingBoxManager {
|
pub struct BoundingBoxManager {
|
||||||
|
/// The corners of the box. Transform with original_bound_transform to get viewport co-ordinates.
|
||||||
pub bounds: [DVec2; 2],
|
pub bounds: [DVec2; 2],
|
||||||
|
/// The transform to viewport space for the bounds co-ordinates when the bounds were last updated.
|
||||||
pub transform: DAffine2,
|
pub transform: DAffine2,
|
||||||
|
/// Was the transform previously singular?
|
||||||
pub transform_tampered: bool,
|
pub transform_tampered: bool,
|
||||||
|
/// The transform to viewport space for the bounds co-ordinates when the transformation was started.
|
||||||
pub original_bound_transform: DAffine2,
|
pub original_bound_transform: DAffine2,
|
||||||
pub selected_edges: Option<SelectedEdges>,
|
pub selected_edges: Option<SelectedEdges>,
|
||||||
pub original_transforms: OriginalTransforms,
|
pub original_transforms: OriginalTransforms,
|
||||||
|
|
|
@ -1,6 +1,9 @@
|
||||||
use crate::messages::portfolio::document::utility_types::document_metadata::LayerNodeIdentifier;
|
use crate::messages::portfolio::document::utility_types::document_metadata::LayerNodeIdentifier;
|
||||||
use crate::messages::prelude::*;
|
use crate::messages::prelude::*;
|
||||||
|
use crate::messages::tool::common_functionality::graph_modification_utils::get_text;
|
||||||
|
|
||||||
|
use graphene_core::renderer::Quad;
|
||||||
|
use graphene_core::text::{load_face, FontCache};
|
||||||
use graphene_std::vector::PointId;
|
use graphene_std::vector::PointId;
|
||||||
|
|
||||||
use glam::DVec2;
|
use glam::DVec2;
|
||||||
|
@ -53,3 +56,13 @@ where
|
||||||
|
|
||||||
best
|
best
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/// Calculates the bounding box of the layer's text, based on the settings for max width and height specified in the typesetting config.
|
||||||
|
pub fn text_bounding_box(layer: LayerNodeIdentifier, document: &DocumentMessageHandler, font_cache: &FontCache) -> Quad {
|
||||||
|
let (text, font, typesetting) = get_text(layer, &document.network_interface).expect("Text layer should have text when interacting with the Text tool");
|
||||||
|
|
||||||
|
let buzz_face = font_cache.get(font).map(|data| load_face(data));
|
||||||
|
let far = graphene_core::text::bounding_box(text, buzz_face.as_ref(), typesetting);
|
||||||
|
|
||||||
|
Quad::from_box([DVec2::ZERO, far])
|
||||||
|
}
|
||||||
|
|
|
@ -15,17 +15,17 @@ use crate::messages::portfolio::document::utility_types::nodes::SelectedNodes;
|
||||||
use crate::messages::portfolio::document::utility_types::transformation::Selected;
|
use crate::messages::portfolio::document::utility_types::transformation::Selected;
|
||||||
use crate::messages::preferences::SelectionMode;
|
use crate::messages::preferences::SelectionMode;
|
||||||
use crate::messages::tool::common_functionality::compass_rose::{Axis, CompassRose};
|
use crate::messages::tool::common_functionality::compass_rose::{Axis, CompassRose};
|
||||||
use crate::messages::tool::common_functionality::graph_modification_utils::{get_text, is_layer_fed_by_node_of_name};
|
use crate::messages::tool::common_functionality::graph_modification_utils::is_layer_fed_by_node_of_name;
|
||||||
use crate::messages::tool::common_functionality::pivot::Pivot;
|
use crate::messages::tool::common_functionality::pivot::Pivot;
|
||||||
use crate::messages::tool::common_functionality::shape_editor::SelectionShapeType;
|
use crate::messages::tool::common_functionality::shape_editor::SelectionShapeType;
|
||||||
use crate::messages::tool::common_functionality::snapping::{self, SnapCandidatePoint, SnapData, SnapManager};
|
use crate::messages::tool::common_functionality::snapping::{self, SnapCandidatePoint, SnapData, SnapManager};
|
||||||
use crate::messages::tool::common_functionality::transformation_cage::*;
|
use crate::messages::tool::common_functionality::transformation_cage::*;
|
||||||
|
use crate::messages::tool::common_functionality::utility_functions::text_bounding_box;
|
||||||
use crate::messages::tool::common_functionality::{auto_panning::AutoPanning, measure};
|
use crate::messages::tool::common_functionality::{auto_panning::AutoPanning, measure};
|
||||||
|
|
||||||
use bezier_rs::Subpath;
|
use bezier_rs::Subpath;
|
||||||
use graph_craft::document::NodeId;
|
use graph_craft::document::NodeId;
|
||||||
use graphene_core::renderer::Quad;
|
use graphene_core::renderer::Quad;
|
||||||
use graphene_core::text::load_face;
|
|
||||||
use graphene_std::renderer::Rect;
|
use graphene_std::renderer::Rect;
|
||||||
use graphene_std::vector::misc::BooleanOperation;
|
use graphene_std::vector::misc::BooleanOperation;
|
||||||
|
|
||||||
|
@ -511,14 +511,8 @@ impl Fsm for SelectToolFsmState {
|
||||||
overlay_context.outline(document.metadata().layer_outline(layer), document.metadata().transform_to_viewport(layer));
|
overlay_context.outline(document.metadata().layer_outline(layer), document.metadata().transform_to_viewport(layer));
|
||||||
|
|
||||||
if is_layer_fed_by_node_of_name(layer, &document.network_interface, "Text") {
|
if is_layer_fed_by_node_of_name(layer, &document.network_interface, "Text") {
|
||||||
let (text, font, typesetting) = get_text(layer, &document.network_interface).expect("Text layer should have text when interacting with the Text tool in `interact()`");
|
let transformed_quad = document.metadata().transform_to_viewport(layer) * text_bounding_box(layer, document, font_cache);
|
||||||
|
overlay_context.dashed_quad(transformed_quad, None, Some(7.), Some(5.), None);
|
||||||
let buzz_face = font_cache.get(font).map(|data| load_face(data));
|
|
||||||
let far = graphene_core::text::bounding_box(text, buzz_face, typesetting);
|
|
||||||
let quad = Quad::from_box([DVec2::ZERO, far]);
|
|
||||||
let transformed_quad = document.metadata().transform_to_viewport(layer) * quad;
|
|
||||||
|
|
||||||
overlay_context.dashed_quad(transformed_quad, None, Some(4.), Some(4.), Some(0.5));
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
|
@ -1,20 +1,21 @@
|
||||||
#![allow(clippy::too_many_arguments)]
|
#![allow(clippy::too_many_arguments)]
|
||||||
|
|
||||||
use super::tool_prelude::*;
|
use super::tool_prelude::*;
|
||||||
use crate::consts::DRAG_THRESHOLD;
|
use crate::consts::{COLOR_OVERLAY_RED, DRAG_THRESHOLD};
|
||||||
use crate::messages::portfolio::document::graph_operation::utility_types::TransformIn;
|
use crate::messages::portfolio::document::graph_operation::utility_types::TransformIn;
|
||||||
use crate::messages::portfolio::document::overlays::utility_types::OverlayContext;
|
use crate::messages::portfolio::document::overlays::utility_types::OverlayContext;
|
||||||
use crate::messages::portfolio::document::utility_types::document_metadata::LayerNodeIdentifier;
|
use crate::messages::portfolio::document::utility_types::document_metadata::LayerNodeIdentifier;
|
||||||
use crate::messages::portfolio::document::utility_types::network_interface::InputConnector;
|
use crate::messages::portfolio::document::utility_types::network_interface::InputConnector;
|
||||||
use crate::messages::tool::common_functionality::color_selector::{ToolColorOptions, ToolColorType};
|
use crate::messages::tool::common_functionality::color_selector::{ToolColorOptions, ToolColorType};
|
||||||
use crate::messages::tool::common_functionality::graph_modification_utils::{self, is_layer_fed_by_node_of_name};
|
use crate::messages::tool::common_functionality::graph_modification_utils::{self, is_layer_fed_by_node_of_name};
|
||||||
use crate::messages::tool::common_functionality::snapping::SnapData;
|
use crate::messages::tool::common_functionality::snapping::{self, SnapCandidatePoint, SnapData};
|
||||||
use crate::messages::tool::common_functionality::{auto_panning::AutoPanning, resize::Resize};
|
use crate::messages::tool::common_functionality::transformation_cage::*;
|
||||||
|
use crate::messages::tool::common_functionality::{auto_panning::AutoPanning, pivot::Pivot, resize::Resize, utility_functions::text_bounding_box};
|
||||||
|
|
||||||
use graph_craft::document::value::TaggedValue;
|
use graph_craft::document::value::TaggedValue;
|
||||||
use graph_craft::document::{NodeId, NodeInput};
|
use graph_craft::document::{NodeId, NodeInput};
|
||||||
use graphene_core::renderer::Quad;
|
use graphene_core::renderer::Quad;
|
||||||
use graphene_core::text::{load_face, Font, FontCache, TypesettingConfig};
|
use graphene_core::text::{lines_clipping, load_face, Font, FontCache, TypesettingConfig};
|
||||||
use graphene_core::vector::style::Fill;
|
use graphene_core::vector::style::Fill;
|
||||||
use graphene_core::Color;
|
use graphene_core::Color;
|
||||||
|
|
||||||
|
@ -56,7 +57,6 @@ pub enum TextToolMessage {
|
||||||
Overlays(OverlayContext),
|
Overlays(OverlayContext),
|
||||||
|
|
||||||
// Tool-specific messages
|
// Tool-specific messages
|
||||||
CommitText,
|
|
||||||
DragStart,
|
DragStart,
|
||||||
DragStop,
|
DragStop,
|
||||||
EditSelected,
|
EditSelected,
|
||||||
|
@ -206,13 +206,17 @@ impl<'a> MessageHandler<ToolMessage, &mut ToolActionHandlerData<'a>> for TextToo
|
||||||
TextToolFsmState::Editing => actions!(TextToolMessageDiscriminant;
|
TextToolFsmState::Editing => actions!(TextToolMessageDiscriminant;
|
||||||
DragStart,
|
DragStart,
|
||||||
Abort,
|
Abort,
|
||||||
CommitText,
|
|
||||||
),
|
),
|
||||||
TextToolFsmState::Placing | TextToolFsmState::Dragging => actions!(TextToolMessageDiscriminant;
|
TextToolFsmState::Placing | TextToolFsmState::Dragging => actions!(TextToolMessageDiscriminant;
|
||||||
DragStop,
|
DragStop,
|
||||||
Abort,
|
Abort,
|
||||||
PointerMove,
|
PointerMove,
|
||||||
),
|
),
|
||||||
|
TextToolFsmState::ResizingBounds => actions!(TextToolMessageDiscriminant;
|
||||||
|
DragStop,
|
||||||
|
Abort,
|
||||||
|
PointerMove,
|
||||||
|
),
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
@ -240,6 +244,8 @@ enum TextToolFsmState {
|
||||||
Placing,
|
Placing,
|
||||||
/// The user is dragging to create a new text area.
|
/// The user is dragging to create a new text area.
|
||||||
Dragging,
|
Dragging,
|
||||||
|
/// The user is dragging to resize the text area.
|
||||||
|
ResizingBounds,
|
||||||
}
|
}
|
||||||
|
|
||||||
#[derive(Clone, Debug)]
|
#[derive(Clone, Debug)]
|
||||||
|
@ -251,6 +257,13 @@ pub struct EditingText {
|
||||||
transform: DAffine2,
|
transform: DAffine2,
|
||||||
}
|
}
|
||||||
|
|
||||||
|
#[derive(Clone, Debug, Copy)]
|
||||||
|
struct ResizingLayer {
|
||||||
|
id: LayerNodeIdentifier,
|
||||||
|
/// The transform of the text layer in document space at the start of the transformation.
|
||||||
|
original_transform: DAffine2,
|
||||||
|
}
|
||||||
|
|
||||||
#[derive(Clone, Debug, Default)]
|
#[derive(Clone, Debug, Default)]
|
||||||
struct TextToolData {
|
struct TextToolData {
|
||||||
layer: LayerNodeIdentifier,
|
layer: LayerNodeIdentifier,
|
||||||
|
@ -260,6 +273,11 @@ struct TextToolData {
|
||||||
auto_panning: AutoPanning,
|
auto_panning: AutoPanning,
|
||||||
// Since the overlays must be drawn without knowledge of the inputs
|
// Since the overlays must be drawn without knowledge of the inputs
|
||||||
cached_resize_bounds: [DVec2; 2],
|
cached_resize_bounds: [DVec2; 2],
|
||||||
|
bounding_box_manager: Option<BoundingBoxManager>,
|
||||||
|
pivot: Pivot,
|
||||||
|
snap_candidates: Vec<SnapCandidatePoint>,
|
||||||
|
// TODO: Handle multiple layers in the future
|
||||||
|
layer_dragging: Option<ResizingLayer>,
|
||||||
}
|
}
|
||||||
|
|
||||||
impl TextToolData {
|
impl TextToolData {
|
||||||
|
@ -381,19 +399,21 @@ impl TextToolData {
|
||||||
.all_layers()
|
.all_layers()
|
||||||
.filter(|&layer| is_layer_fed_by_node_of_name(layer, &document.network_interface, "Text"))
|
.filter(|&layer| is_layer_fed_by_node_of_name(layer, &document.network_interface, "Text"))
|
||||||
.find(|&layer| {
|
.find(|&layer| {
|
||||||
let (text, font, typesetting) =
|
let transformed_quad = document.metadata().transform_to_viewport(layer) * text_bounding_box(layer, document, font_cache);
|
||||||
graph_modification_utils::get_text(layer, &document.network_interface).expect("Text layer should have text when interacting with the Text tool in `interact()`");
|
|
||||||
|
|
||||||
let buzz_face = font_cache.get(font).map(|data| load_face(data));
|
|
||||||
let far = graphene_core::text::bounding_box(text, buzz_face, typesetting);
|
|
||||||
let quad = Quad::from_box([DVec2::ZERO, far]);
|
|
||||||
let transformed_quad = document.metadata().transform_to_viewport(layer) * quad;
|
|
||||||
|
|
||||||
let mouse = DVec2::new(input.mouse.position.x, input.mouse.position.y);
|
let mouse = DVec2::new(input.mouse.position.x, input.mouse.position.y);
|
||||||
|
|
||||||
transformed_quad.contains(mouse)
|
transformed_quad.contains(mouse)
|
||||||
})
|
})
|
||||||
}
|
}
|
||||||
|
|
||||||
|
fn get_snap_candidates(&mut self, document: &DocumentMessageHandler, font_cache: &FontCache) {
|
||||||
|
self.snap_candidates.clear();
|
||||||
|
|
||||||
|
if let Some(ResizingLayer { id, .. }) = self.layer_dragging {
|
||||||
|
let quad = document.metadata().transform_to_document(id) * text_bounding_box(id, document, font_cache);
|
||||||
|
snapping::get_bbox_points(quad, &mut self.snap_candidates, snapping::BBoxSnapValues::BOUNDING_BOX, document);
|
||||||
|
}
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
fn can_edit_selected(document: &DocumentMessageHandler) -> Option<LayerNodeIdentifier> {
|
fn can_edit_selected(document: &DocumentMessageHandler) -> Option<LayerNodeIdentifier> {
|
||||||
|
@ -436,9 +456,9 @@ impl Fsm for TextToolFsmState {
|
||||||
responses.add(FrontendMessage::DisplayEditableTextboxTransform {
|
responses.add(FrontendMessage::DisplayEditableTextboxTransform {
|
||||||
transform: document.metadata().transform_to_viewport(tool_data.layer).to_cols_array(),
|
transform: document.metadata().transform_to_viewport(tool_data.layer).to_cols_array(),
|
||||||
});
|
});
|
||||||
if let Some(editing_text) = tool_data.editing_text.as_ref() {
|
if let Some(editing_text) = tool_data.editing_text.as_mut() {
|
||||||
let buzz_face = font_cache.get(&editing_text.font).map(|data| load_face(data));
|
let buzz_face = font_cache.get(&editing_text.font).map(|data| load_face(data));
|
||||||
let far = graphene_core::text::bounding_box(&tool_data.new_text, buzz_face, editing_text.typesetting);
|
let far = graphene_core::text::bounding_box(&tool_data.new_text, buzz_face.as_ref(), editing_text.typesetting);
|
||||||
if far.x != 0. && far.y != 0. {
|
if far.x != 0. && far.y != 0. {
|
||||||
let quad = Quad::from_box([DVec2::ZERO, far]);
|
let quad = Quad::from_box([DVec2::ZERO, far]);
|
||||||
let transformed_quad = document.metadata().transform_to_viewport(tool_data.layer) * quad;
|
let transformed_quad = document.metadata().transform_to_viewport(tool_data.layer) * quad;
|
||||||
|
@ -462,19 +482,43 @@ impl Fsm for TextToolFsmState {
|
||||||
}
|
}
|
||||||
|
|
||||||
overlay_context.quad(quad, Some(&("#".to_string() + &fill_color)));
|
overlay_context.quad(quad, Some(&("#".to_string() + &fill_color)));
|
||||||
} else {
|
|
||||||
for layer in document.network_interface.selected_nodes().selected_layers(document.metadata()) {
|
|
||||||
let Some((text, font, typesetting)) = graph_modification_utils::get_text(layer, &document.network_interface) else {
|
|
||||||
continue;
|
|
||||||
};
|
|
||||||
let buzz_face = font_cache.get(font).map(|data| load_face(data));
|
|
||||||
|
|
||||||
let far = graphene_core::text::bounding_box(text, buzz_face, typesetting);
|
|
||||||
let quad = Quad::from_box([DVec2::ZERO, far]);
|
|
||||||
let multiplied = document.metadata().transform_to_viewport(layer) * quad;
|
|
||||||
overlay_context.quad(multiplied, None);
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// TODO: implement bounding box for multiple layers
|
||||||
|
let selected = document.network_interface.selected_nodes();
|
||||||
|
let mut all_layers = selected.selected_visible_and_unlocked_layers(&document.network_interface);
|
||||||
|
let layer = all_layers.find(|layer| is_layer_fed_by_node_of_name(*layer, &document.network_interface, "Text"));
|
||||||
|
let bounds = layer.map(|layer| text_bounding_box(layer, document, font_cache));
|
||||||
|
let layer_transform = layer.map(|layer| document.metadata().transform_to_viewport(layer)).unwrap_or(DAffine2::IDENTITY);
|
||||||
|
|
||||||
|
if layer.is_none() || bounds.is_none() || layer_transform.matrix2.determinant() == 0. {
|
||||||
|
return self;
|
||||||
|
}
|
||||||
|
|
||||||
|
if let Some(bounds) = bounds {
|
||||||
|
let bounding_box_manager = tool_data.bounding_box_manager.get_or_insert(BoundingBoxManager::default());
|
||||||
|
bounding_box_manager.bounds = [bounds.0[0], bounds.0[2]];
|
||||||
|
bounding_box_manager.transform = layer_transform;
|
||||||
|
|
||||||
|
bounding_box_manager.render_overlays(&mut overlay_context);
|
||||||
|
|
||||||
|
// Draw red overlay if text is clipped
|
||||||
|
let transformed_quad = layer_transform * bounds;
|
||||||
|
if let Some((text, font, typesetting)) = graph_modification_utils::get_text(layer.unwrap(), &document.network_interface) {
|
||||||
|
let buzz_face = font_cache.get(font).map(|data| load_face(data));
|
||||||
|
if lines_clipping(text.as_str(), buzz_face, typesetting) {
|
||||||
|
overlay_context.line(transformed_quad.0[2], transformed_quad.0[3], Some(COLOR_OVERLAY_RED));
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// The angle is choosen to be parallel to the X axis in the bounds transform.
|
||||||
|
let angle = bounding_box_manager.transform.transform_vector2(DVec2::X).to_angle();
|
||||||
|
// Update pivot
|
||||||
|
tool_data.pivot.update_pivot(&document, &mut overlay_context, angle);
|
||||||
|
} else {
|
||||||
|
tool_data.bounding_box_manager.take();
|
||||||
|
}
|
||||||
|
|
||||||
tool_data.resize.snap_manager.draw_overlays(SnapData::new(document, input), &mut overlay_context);
|
tool_data.resize.snap_manager.draw_overlays(SnapData::new(document, input), &mut overlay_context);
|
||||||
|
|
||||||
self
|
self
|
||||||
|
@ -487,22 +531,65 @@ impl Fsm for TextToolFsmState {
|
||||||
|
|
||||||
state
|
state
|
||||||
}
|
}
|
||||||
(state, TextToolMessage::Abort) => {
|
|
||||||
input.mouse.finish_transaction(tool_data.resize.viewport_drag_start(document), responses);
|
|
||||||
tool_data.resize.cleanup(responses);
|
|
||||||
|
|
||||||
if state == TextToolFsmState::Editing {
|
|
||||||
tool_data.set_editing(false, font_cache, responses);
|
|
||||||
}
|
|
||||||
|
|
||||||
TextToolFsmState::Ready
|
|
||||||
}
|
|
||||||
(TextToolFsmState::Ready, TextToolMessage::DragStart) => {
|
(TextToolFsmState::Ready, TextToolMessage::DragStart) => {
|
||||||
tool_data.resize.start(document, input);
|
tool_data.resize.start(document, input);
|
||||||
tool_data.cached_resize_bounds = [tool_data.resize.viewport_drag_start(document); 2];
|
tool_data.cached_resize_bounds = [tool_data.resize.viewport_drag_start(document); 2];
|
||||||
|
|
||||||
|
let dragging_bounds = tool_data.bounding_box_manager.as_mut().and_then(|bounding_box| {
|
||||||
|
let edges = bounding_box.check_selected_edges(input.mouse.position);
|
||||||
|
|
||||||
|
bounding_box.selected_edges = edges.map(|(top, bottom, left, right)| {
|
||||||
|
let selected_edges = SelectedEdges::new(top, bottom, left, right, bounding_box.bounds);
|
||||||
|
bounding_box.opposite_pivot = selected_edges.calculate_pivot();
|
||||||
|
selected_edges
|
||||||
|
});
|
||||||
|
|
||||||
|
edges
|
||||||
|
});
|
||||||
|
|
||||||
|
let selected = document.network_interface.selected_nodes();
|
||||||
|
let mut all_selected = selected.selected_visible_and_unlocked_layers(&document.network_interface);
|
||||||
|
let selected = all_selected.find(|layer| is_layer_fed_by_node_of_name(*layer, &document.network_interface, "Text"));
|
||||||
|
|
||||||
|
if let Some(_selected_edges) = dragging_bounds {
|
||||||
|
responses.add(DocumentMessage::StartTransaction);
|
||||||
|
|
||||||
|
// Set the original transform
|
||||||
|
if let Some(id) = selected {
|
||||||
|
let original_transform = document.metadata().transform_to_document(id);
|
||||||
|
tool_data.layer_dragging = Some(ResizingLayer { id, original_transform });
|
||||||
|
}
|
||||||
|
|
||||||
|
if let Some(bounds) = &mut tool_data.bounding_box_manager {
|
||||||
|
bounds.original_bound_transform = bounds.transform;
|
||||||
|
|
||||||
|
bounds.center_of_transformation = bounds.transform.transform_point2((bounds.bounds[0] + bounds.bounds[1]) / 2.);
|
||||||
|
}
|
||||||
|
tool_data.get_snap_candidates(document, font_cache);
|
||||||
|
|
||||||
|
return TextToolFsmState::ResizingBounds;
|
||||||
|
}
|
||||||
TextToolFsmState::Placing
|
TextToolFsmState::Placing
|
||||||
}
|
}
|
||||||
|
(TextToolFsmState::Ready, TextToolMessage::PointerMove { .. }) => {
|
||||||
|
// This ensures the cursor only changes if a layer is selected
|
||||||
|
let selected = document.network_interface.selected_nodes();
|
||||||
|
let mut all_selected = selected.selected_visible_and_unlocked_layers(&document.network_interface);
|
||||||
|
let layer = all_selected.find(|&layer| is_layer_fed_by_node_of_name(layer, &document.network_interface, "Text"));
|
||||||
|
|
||||||
|
let mut cursor = tool_data
|
||||||
|
.bounding_box_manager
|
||||||
|
.as_ref()
|
||||||
|
.map_or(MouseCursorIcon::Text, |bounds| bounds.get_cursor(input, false, false, None));
|
||||||
|
if layer.is_none() || cursor == MouseCursorIcon::Default {
|
||||||
|
cursor = MouseCursorIcon::Text;
|
||||||
|
}
|
||||||
|
|
||||||
|
responses.add(OverlaysMessage::Draw);
|
||||||
|
responses.add(FrontendMessage::UpdateMouseCursor { cursor });
|
||||||
|
|
||||||
|
TextToolFsmState::Ready
|
||||||
|
}
|
||||||
(Self::Placing | TextToolFsmState::Dragging, TextToolMessage::PointerMove { center, lock_ratio }) => {
|
(Self::Placing | TextToolFsmState::Dragging, TextToolMessage::PointerMove { center, lock_ratio }) => {
|
||||||
let document_points = tool_data.resize.calculate_points_ignore_layer(document, input, center, lock_ratio);
|
let document_points = tool_data.resize.calculate_points_ignore_layer(document, input, center, lock_ratio);
|
||||||
let document_to_viewport = document.metadata().document_to_viewport;
|
let document_to_viewport = document.metadata().document_to_viewport;
|
||||||
|
@ -519,6 +606,67 @@ impl Fsm for TextToolFsmState {
|
||||||
|
|
||||||
TextToolFsmState::Dragging
|
TextToolFsmState::Dragging
|
||||||
}
|
}
|
||||||
|
(TextToolFsmState::ResizingBounds, TextToolMessage::PointerMove { center, lock_ratio }) => {
|
||||||
|
if let Some(ref mut bounds) = &mut tool_data.bounding_box_manager {
|
||||||
|
if let Some(movement) = &mut bounds.selected_edges {
|
||||||
|
let (center_bool, lock_ratio_bool) = (input.keyboard.key(center), input.keyboard.key(lock_ratio));
|
||||||
|
let center_position = center_bool.then_some(bounds.center_of_transformation);
|
||||||
|
|
||||||
|
let Some(dragging_layer) = tool_data.layer_dragging else { return TextToolFsmState::Ready };
|
||||||
|
let Some(node_id) = graph_modification_utils::get_text_id(dragging_layer.id, &document.network_interface) else {
|
||||||
|
warn!("Cannot get text node id");
|
||||||
|
tool_data.layer_dragging = None;
|
||||||
|
return TextToolFsmState::Ready;
|
||||||
|
};
|
||||||
|
|
||||||
|
let selected = vec![dragging_layer.id];
|
||||||
|
let snap = Some(SizeSnapData {
|
||||||
|
manager: &mut tool_data.resize.snap_manager,
|
||||||
|
points: &mut tool_data.snap_candidates,
|
||||||
|
snap_data: SnapData::ignore(document, input, &selected),
|
||||||
|
});
|
||||||
|
|
||||||
|
let (position, size) = movement.new_size(input.mouse.position, bounds.original_bound_transform, center_position, lock_ratio_bool, snap);
|
||||||
|
// Normalize so the size is always positive
|
||||||
|
let (position, size) = (position.min(position + size), size.abs());
|
||||||
|
|
||||||
|
// Compute the offset needed for the top left in bounds space
|
||||||
|
let original_position = movement.bounds[0].min(movement.bounds[1]);
|
||||||
|
let translation_bounds_space = position - original_position;
|
||||||
|
|
||||||
|
// Compute a transformation from bounds->viewport->layer
|
||||||
|
let transform_to_layer = document.metadata().transform_to_viewport(dragging_layer.id).inverse() * bounds.original_bound_transform;
|
||||||
|
let size_layer = transform_to_layer.transform_vector2(size);
|
||||||
|
|
||||||
|
// Find the translation necessary from the original position in viewport space
|
||||||
|
let translation_viewport = bounds.original_bound_transform.transform_vector2(translation_bounds_space);
|
||||||
|
|
||||||
|
responses.add(NodeGraphMessage::SetInput {
|
||||||
|
input_connector: InputConnector::node(node_id, 6),
|
||||||
|
input: NodeInput::value(TaggedValue::OptionalF64(Some(size_layer.x)), false),
|
||||||
|
});
|
||||||
|
responses.add(NodeGraphMessage::SetInput {
|
||||||
|
input_connector: InputConnector::node(node_id, 7),
|
||||||
|
input: NodeInput::value(TaggedValue::OptionalF64(Some(size_layer.y)), false),
|
||||||
|
});
|
||||||
|
responses.add(GraphOperationMessage::TransformSet {
|
||||||
|
layer: dragging_layer.id,
|
||||||
|
transform: DAffine2::from_translation(translation_viewport) * document.metadata().document_to_viewport * dragging_layer.original_transform,
|
||||||
|
transform_in: TransformIn::Viewport,
|
||||||
|
skip_rerender: false,
|
||||||
|
});
|
||||||
|
responses.add(NodeGraphMessage::RunDocumentGraph);
|
||||||
|
|
||||||
|
// AutoPanning
|
||||||
|
let messages = [
|
||||||
|
TextToolMessage::PointerOutsideViewport { center, lock_ratio }.into(),
|
||||||
|
TextToolMessage::PointerMove { center, lock_ratio }.into(),
|
||||||
|
];
|
||||||
|
tool_data.auto_panning.setup_by_mouse_position(input, &messages, responses);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
TextToolFsmState::ResizingBounds
|
||||||
|
}
|
||||||
(_, TextToolMessage::PointerMove { .. }) => {
|
(_, TextToolMessage::PointerMove { .. }) => {
|
||||||
tool_data.resize.snap_manager.preview_draw(&SnapData::new(document, input), input.mouse.position);
|
tool_data.resize.snap_manager.preview_draw(&SnapData::new(document, input), input.mouse.position);
|
||||||
responses.add(OverlaysMessage::Draw);
|
responses.add(OverlaysMessage::Draw);
|
||||||
|
@ -531,6 +679,17 @@ impl Fsm for TextToolFsmState {
|
||||||
|
|
||||||
TextToolFsmState::Dragging
|
TextToolFsmState::Dragging
|
||||||
}
|
}
|
||||||
|
(TextToolFsmState::ResizingBounds, TextToolMessage::PointerOutsideViewport { .. }) => {
|
||||||
|
// AutoPanning
|
||||||
|
if let Some(shift) = tool_data.auto_panning.shift_viewport(input, responses) {
|
||||||
|
if let Some(ref mut bounds) = &mut tool_data.bounding_box_manager {
|
||||||
|
bounds.center_of_transformation += shift;
|
||||||
|
bounds.original_bound_transform.translation += shift;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
self
|
||||||
|
}
|
||||||
(state, TextToolMessage::PointerOutsideViewport { center, lock_ratio }) => {
|
(state, TextToolMessage::PointerOutsideViewport { center, lock_ratio }) => {
|
||||||
// Auto-panning stop
|
// Auto-panning stop
|
||||||
let messages = [
|
let messages = [
|
||||||
|
@ -541,6 +700,21 @@ impl Fsm for TextToolFsmState {
|
||||||
|
|
||||||
state
|
state
|
||||||
}
|
}
|
||||||
|
(TextToolFsmState::ResizingBounds, TextToolMessage::DragStop) => {
|
||||||
|
let response = match input.mouse.position.distance(tool_data.resize.viewport_drag_start(document)) < 10. * f64::EPSILON {
|
||||||
|
true => DocumentMessage::AbortTransaction,
|
||||||
|
false => DocumentMessage::EndTransaction,
|
||||||
|
};
|
||||||
|
responses.add(response);
|
||||||
|
|
||||||
|
tool_data.resize.snap_manager.cleanup(responses);
|
||||||
|
|
||||||
|
if let Some(bounds) = &mut tool_data.bounding_box_manager {
|
||||||
|
bounds.original_transforms.clear();
|
||||||
|
}
|
||||||
|
|
||||||
|
TextToolFsmState::Ready
|
||||||
|
}
|
||||||
(TextToolFsmState::Placing | TextToolFsmState::Dragging, TextToolMessage::DragStop) => {
|
(TextToolFsmState::Placing | TextToolFsmState::Dragging, TextToolMessage::DragStop) => {
|
||||||
let [start, end] = tool_data.cached_resize_bounds;
|
let [start, end] = tool_data.cached_resize_bounds;
|
||||||
let has_dragged = (start - end).length_squared() > DRAG_THRESHOLD * DRAG_THRESHOLD;
|
let has_dragged = (start - end).length_squared() > DRAG_THRESHOLD * DRAG_THRESHOLD;
|
||||||
|
@ -571,14 +745,6 @@ impl Fsm for TextToolFsmState {
|
||||||
tool_data.new_text(document, editing_text, font_cache, responses);
|
tool_data.new_text(document, editing_text, font_cache, responses);
|
||||||
TextToolFsmState::Editing
|
TextToolFsmState::Editing
|
||||||
}
|
}
|
||||||
(TextToolFsmState::Editing, TextToolMessage::CommitText) => {
|
|
||||||
if tool_data.new_text.is_empty() {
|
|
||||||
return tool_data.delete_empty_layer(font_cache, responses);
|
|
||||||
}
|
|
||||||
|
|
||||||
responses.add(FrontendMessage::TriggerTextCommit);
|
|
||||||
TextToolFsmState::Editing
|
|
||||||
}
|
|
||||||
(TextToolFsmState::Editing, TextToolMessage::TextChange { new_text, is_left_or_right_click }) => {
|
(TextToolFsmState::Editing, TextToolMessage::TextChange { new_text, is_left_or_right_click }) => {
|
||||||
tool_data.new_text = new_text;
|
tool_data.new_text = new_text;
|
||||||
|
|
||||||
|
@ -613,6 +779,25 @@ impl Fsm for TextToolFsmState {
|
||||||
)));
|
)));
|
||||||
self
|
self
|
||||||
}
|
}
|
||||||
|
(TextToolFsmState::Editing, TextToolMessage::Abort) => {
|
||||||
|
if tool_data.new_text.is_empty() {
|
||||||
|
return tool_data.delete_empty_layer(font_cache, responses);
|
||||||
|
}
|
||||||
|
|
||||||
|
responses.add(FrontendMessage::TriggerTextCommit);
|
||||||
|
|
||||||
|
TextToolFsmState::Editing
|
||||||
|
}
|
||||||
|
(state, TextToolMessage::Abort) => {
|
||||||
|
input.mouse.finish_transaction(tool_data.resize.viewport_drag_start(document), responses);
|
||||||
|
tool_data.resize.cleanup(responses);
|
||||||
|
|
||||||
|
if state == TextToolFsmState::Editing {
|
||||||
|
tool_data.set_editing(false, font_cache, responses);
|
||||||
|
}
|
||||||
|
|
||||||
|
TextToolFsmState::Ready
|
||||||
|
}
|
||||||
_ => self,
|
_ => self,
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
@ -636,6 +821,10 @@ impl Fsm for TextToolFsmState {
|
||||||
HintGroup(vec![HintInfo::mouse(MouseMotion::Rmb, ""), HintInfo::keys([Key::Escape], "Cancel").prepend_slash()]),
|
HintGroup(vec![HintInfo::mouse(MouseMotion::Rmb, ""), HintInfo::keys([Key::Escape], "Cancel").prepend_slash()]),
|
||||||
HintGroup(vec![HintInfo::keys([Key::Shift], "Constrain Square"), HintInfo::keys([Key::Alt], "From Center")]),
|
HintGroup(vec![HintInfo::keys([Key::Shift], "Constrain Square"), HintInfo::keys([Key::Alt], "From Center")]),
|
||||||
]),
|
]),
|
||||||
|
TextToolFsmState::ResizingBounds => HintData(vec![
|
||||||
|
HintGroup(vec![HintInfo::mouse(MouseMotion::Lmb, "Resize Text Box")]),
|
||||||
|
HintGroup(vec![HintInfo::keys([Key::Shift], "Lock Aspect Ratio"), HintInfo::keys([Key::Alt], "From Center")]),
|
||||||
|
]),
|
||||||
};
|
};
|
||||||
|
|
||||||
responses.add(FrontendMessage::UpdateInputHints { hint_data });
|
responses.add(FrontendMessage::UpdateInputHints { hint_data });
|
||||||
|
|
|
@ -319,10 +319,14 @@
|
||||||
if (displayEditableTextbox.text === "") textInput.textContent = "";
|
if (displayEditableTextbox.text === "") textInput.textContent = "";
|
||||||
else textInput.textContent = `${displayEditableTextbox.text}\n`;
|
else textInput.textContent = `${displayEditableTextbox.text}\n`;
|
||||||
|
|
||||||
|
// Make it so `maxHeight` is a multiple of `lineHeight`
|
||||||
|
const lineHeight = displayEditableTextbox.lineHeightRatio * displayEditableTextbox.fontSize;
|
||||||
|
let height = displayEditableTextbox.maxHeight === undefined ? "auto" : `${Math.floor(displayEditableTextbox.maxHeight / lineHeight) * lineHeight}px`;
|
||||||
|
|
||||||
textInput.contentEditable = "true";
|
textInput.contentEditable = "true";
|
||||||
textInput.style.transformOrigin = "0 0";
|
textInput.style.transformOrigin = "0 0";
|
||||||
textInput.style.width = displayEditableTextbox.maxWidth ? `${displayEditableTextbox.maxWidth}px` : "max-content";
|
textInput.style.width = displayEditableTextbox.maxWidth ? `${displayEditableTextbox.maxWidth}px` : "max-content";
|
||||||
textInput.style.height = displayEditableTextbox.maxHeight ? `${displayEditableTextbox.maxHeight}px` : "auto";
|
textInput.style.height = height;
|
||||||
textInput.style.lineHeight = `${displayEditableTextbox.lineHeightRatio}`;
|
textInput.style.lineHeight = `${displayEditableTextbox.lineHeightRatio}`;
|
||||||
textInput.style.fontSize = `${displayEditableTextbox.fontSize}px`;
|
textInput.style.fontSize = `${displayEditableTextbox.fontSize}px`;
|
||||||
textInput.style.color = displayEditableTextbox.color.toHexOptionalAlpha() || "transparent";
|
textInput.style.color = displayEditableTextbox.color.toHexOptionalAlpha() || "transparent";
|
||||||
|
|
|
@ -138,7 +138,7 @@ pub fn to_path(str: &str, buzz_face: Option<rustybuzz::Face>, typesetting: Types
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
// Clip when the height is exceeded
|
// Clip when the height is exceeded
|
||||||
if typesetting.max_height.is_some_and(|max_height| builder.pos.y > max_height) {
|
if typesetting.max_height.is_some_and(|max_height| builder.pos.y > max_height - line_height) {
|
||||||
return builder.other_subpaths;
|
return builder.other_subpaths;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -160,7 +160,7 @@ pub fn to_path(str: &str, buzz_face: Option<rustybuzz::Face>, typesetting: Types
|
||||||
builder.other_subpaths
|
builder.other_subpaths
|
||||||
}
|
}
|
||||||
|
|
||||||
pub fn bounding_box(str: &str, buzz_face: Option<rustybuzz::Face>, typesetting: TypesettingConfig) -> DVec2 {
|
pub fn bounding_box(str: &str, buzz_face: Option<&rustybuzz::Face>, typesetting: TypesettingConfig) -> DVec2 {
|
||||||
let buzz_face = match buzz_face {
|
let buzz_face = match buzz_face {
|
||||||
Some(face) => face,
|
Some(face) => face,
|
||||||
// Show blank layer if font has not loaded
|
// Show blank layer if font has not loaded
|
||||||
|
@ -168,7 +168,7 @@ pub fn bounding_box(str: &str, buzz_face: Option<rustybuzz::Face>, typesetting:
|
||||||
};
|
};
|
||||||
let space_glyph = buzz_face.glyph_index(' ');
|
let space_glyph = buzz_face.glyph_index(' ');
|
||||||
|
|
||||||
let (scale, line_height, mut buffer) = font_properties(&buzz_face, typesetting.font_size, typesetting.line_height_ratio);
|
let (scale, line_height, mut buffer) = font_properties(buzz_face, typesetting.font_size, typesetting.line_height_ratio);
|
||||||
|
|
||||||
let mut pos = DVec2::ZERO;
|
let mut pos = DVec2::ZERO;
|
||||||
let mut bounds = DVec2::ZERO;
|
let mut bounds = DVec2::ZERO;
|
||||||
|
@ -177,7 +177,7 @@ pub fn bounding_box(str: &str, buzz_face: Option<rustybuzz::Face>, typesetting:
|
||||||
for (index, word) in SplitWordsIncludingSpaces::new(line).enumerate() {
|
for (index, word) in SplitWordsIncludingSpaces::new(line).enumerate() {
|
||||||
push_str(&mut buffer, word);
|
push_str(&mut buffer, word);
|
||||||
|
|
||||||
let glyph_buffer = rustybuzz::shape(&buzz_face, &[], buffer);
|
let glyph_buffer = rustybuzz::shape(buzz_face, &[], buffer);
|
||||||
|
|
||||||
// Don't wrap the first word
|
// Don't wrap the first word
|
||||||
if index != 0 && wrap_word(typesetting.max_width, &glyph_buffer, scale, typesetting.character_spacing, pos.x, space_glyph) {
|
if index != 0 && wrap_word(typesetting.max_width, &glyph_buffer, scale, typesetting.character_spacing, pos.x, space_glyph) {
|
||||||
|
@ -215,6 +215,59 @@ pub fn load_face(data: &[u8]) -> rustybuzz::Face {
|
||||||
rustybuzz::Face::from_slice(data, 0).expect("Loading font failed")
|
rustybuzz::Face::from_slice(data, 0).expect("Loading font failed")
|
||||||
}
|
}
|
||||||
|
|
||||||
|
pub fn lines_clipping(str: &str, buzz_face: Option<rustybuzz::Face>, typesetting: TypesettingConfig) -> bool {
|
||||||
|
let buzz_face = match buzz_face {
|
||||||
|
Some(face) => face,
|
||||||
|
// False if font hasn't loaded
|
||||||
|
None => return false,
|
||||||
|
};
|
||||||
|
|
||||||
|
if typesetting.max_height.is_none() {
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
|
||||||
|
let space_glyph = buzz_face.glyph_index(' ');
|
||||||
|
|
||||||
|
let (scale, line_height, mut buffer) = font_properties(&buzz_face, typesetting.font_size, typesetting.line_height_ratio);
|
||||||
|
|
||||||
|
let mut pos = DVec2::ZERO;
|
||||||
|
let mut bounds = DVec2::ZERO;
|
||||||
|
|
||||||
|
for line in str.split('\n') {
|
||||||
|
for (index, word) in SplitWordsIncludingSpaces::new(line).enumerate() {
|
||||||
|
push_str(&mut buffer, word);
|
||||||
|
|
||||||
|
let glyph_buffer = rustybuzz::shape(&buzz_face, &[], buffer);
|
||||||
|
|
||||||
|
// Don't wrap the first word
|
||||||
|
if index != 0 && wrap_word(typesetting.max_width, &glyph_buffer, scale, typesetting.character_spacing, pos.x, space_glyph) {
|
||||||
|
pos = DVec2::new(0., pos.y + line_height);
|
||||||
|
}
|
||||||
|
|
||||||
|
for (glyph_position, glyph_info) in glyph_buffer.glyph_positions().iter().zip(glyph_buffer.glyph_infos()) {
|
||||||
|
let glyph_id = GlyphId(glyph_info.glyph_id as u16);
|
||||||
|
if let Some(max_width) = typesetting.max_width {
|
||||||
|
if space_glyph != Some(glyph_id) && pos.x + (glyph_position.x_advance as f64 * scale * typesetting.character_spacing) >= max_width {
|
||||||
|
pos = DVec2::new(0., pos.y + line_height);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
pos += DVec2::new(glyph_position.x_advance as f64 * typesetting.character_spacing, glyph_position.y_advance as f64) * scale;
|
||||||
|
bounds = bounds.max(pos + DVec2::new(0., line_height));
|
||||||
|
}
|
||||||
|
|
||||||
|
buffer = glyph_buffer.clear();
|
||||||
|
}
|
||||||
|
pos = DVec2::new(0., pos.y + line_height);
|
||||||
|
bounds = bounds.max(pos);
|
||||||
|
}
|
||||||
|
|
||||||
|
if typesetting.max_height.unwrap() < bounds.y {
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
|
||||||
|
false
|
||||||
|
}
|
||||||
|
|
||||||
struct SplitWordsIncludingSpaces<'a> {
|
struct SplitWordsIncludingSpaces<'a> {
|
||||||
text: &'a str,
|
text: &'a str,
|
||||||
start_byte: usize,
|
start_byte: usize,
|
||||||
|
|
Loading…
Add table
Add a link
Reference in a new issue