mirror of
https://github.com/GraphiteEditor/Graphite.git
synced 2025-12-23 10:11:54 +00:00
* Add input manager * WIP lifetime hell * Hell yeah, dark lifetime magic * Replace events with actions in tools * Fix borrow in GlobalEventHandler * Fix typo in response-handler * Distribute dispatch structure * Add translation from events to actions * Port default key actions to input_mapper * Split actions macro * Add handling for Ambiguous Mouse events * Fix warnings and clippy lints * Add actions macro * WIP rework * Add AsMessage macro * Add implementation for derived enums * Add macro implementation for top level message * Add #[child] attribute to indicate derivation * Replace some mentions of Actions and Responses with Message * It compiles !!! * Add functionality to some message handlers * Add document rendering * ICE * Rework the previous code while keeping basic functionality * Reduce parent-top-level macro args to only two * Add workaround for ICE * Fix cyclic reference in document.rs * Make derive_transitive_child a bit more powerful This addresses the todo that was left, enabling arbitrary expressions to be passed as the last parameter of a #[parent] attribute * Adapt frontend message format * Make responses use VecDeque Our responses are a queue so we should use a queue type for them * Move traits to sensible location * Are we rectangle yet? * Simplify, improve & document `derive_discriminant` * Change `child` to `sub_discriminant` This only applies to `ToDiscriminant`. Code using `#[impl_message]` continues to work. * Add docs for `derive_transitive_child` * Finish docs and improve macros The improvements are that impl_message now uses trait resolution to obtain the parent's discriminant and that derive_as_message now allows for non-unit variants (which we don't use but it's nice to have, just in case) * Remove logging call * Move files around and cleanup structure * Fix proc macro doc tests * Improve actions_fn!() macro * Add ellipse tool * Pass populated actions list to the input mapper * Add KeyState bitvector * Merge mouse buttons into "keyboard" * Add macro for initialization of key mapper table * Add syntactic sugar for the macro * Implement mapping function * Translate the remaining tools * Fix shape tool * Add keybindings for line and pen tool * Fix modifiers * Cleanup * Add doc comments for the actions macro * Fix formatting * Rename MouseMove to PointerMove * Add keybinds for tools * Apply review suggestions * Rename KeyMappings -> KeyMappingEntries * Apply review changes Co-authored-by: T0mstone <realt0mstone@gmail.com> Co-authored-by: Paul Kupper <kupper.pa@gmail.com>
322 lines
11 KiB
Rust
322 lines
11 KiB
Rust
use crate::{
|
|
layers::{self, Folder, Layer, LayerData, LayerDataTypes, Line, PolyLine, Rect, Shape},
|
|
response::LayerPanelEntry,
|
|
DocumentError, DocumentResponse, LayerId, Operation,
|
|
};
|
|
|
|
#[derive(Debug, Clone, PartialEq)]
|
|
pub struct Document {
|
|
pub root: layers::Folder,
|
|
pub work: Folder,
|
|
pub work_mount_path: Vec<LayerId>,
|
|
pub work_operations: Vec<Operation>,
|
|
pub work_mounted: bool,
|
|
}
|
|
|
|
impl Default for Document {
|
|
fn default() -> Self {
|
|
Self {
|
|
root: Folder::default(),
|
|
work: Folder::default(),
|
|
work_mount_path: Vec::new(),
|
|
work_operations: Vec::new(),
|
|
work_mounted: false,
|
|
}
|
|
}
|
|
}
|
|
|
|
fn split_path(path: &[LayerId]) -> Result<(&[LayerId], LayerId), DocumentError> {
|
|
let id = path.last().ok_or(DocumentError::InvalidPath)?;
|
|
let folder_path = &path[0..path.len() - 1];
|
|
Ok((folder_path, *id))
|
|
}
|
|
|
|
impl Document {
|
|
/// Renders the layer graph with the root `path` as an SVG string.
|
|
/// This operation merges currently mounted folder and document_folder
|
|
/// contents together.
|
|
pub fn render(&mut self, path: &mut Vec<LayerId>, svg: &mut String) {
|
|
if !self.work_mount_path.as_slice().starts_with(path) {
|
|
self.layer_mut(path).unwrap().render();
|
|
path.pop();
|
|
return;
|
|
}
|
|
if path.as_slice() == self.work_mount_path {
|
|
self.document_folder_mut(path).unwrap().render(svg);
|
|
self.work.render(svg);
|
|
path.pop();
|
|
}
|
|
let ids = self.folder(path).unwrap().layer_ids.clone();
|
|
for element in ids {
|
|
path.push(element);
|
|
self.render(path, svg);
|
|
}
|
|
}
|
|
|
|
/// Wrapper around render, that returns the whole document as a Response.
|
|
pub fn render_root(&mut self) -> String {
|
|
let mut svg = String::new();
|
|
self.render(&mut vec![], &mut svg);
|
|
svg
|
|
}
|
|
|
|
fn is_mounted(&self, mount_path: &[LayerId], path: &[LayerId]) -> bool {
|
|
path.starts_with(mount_path) && self.work_mounted
|
|
}
|
|
|
|
/// Returns a reference to the requested folder. Fails if the path does not exist,
|
|
/// or if the requested layer is not of type folder.
|
|
/// This function respects mounted folders and will thus not contain the layers already
|
|
/// present in the document if a temporary folder is mounted on top.
|
|
pub fn folder(&self, mut path: &[LayerId]) -> Result<&Folder, DocumentError> {
|
|
let mut root = &self.root;
|
|
if self.is_mounted(self.work_mount_path.as_slice(), path) {
|
|
path = &path[self.work_mount_path.len()..];
|
|
root = &self.work;
|
|
}
|
|
for id in path {
|
|
root = root.folder(*id).ok_or(DocumentError::LayerNotFound)?;
|
|
}
|
|
Ok(root)
|
|
}
|
|
|
|
/// Returns a mutable reference to the requested folder. Fails if the path does not exist,
|
|
/// or if the requested layer is not of type folder.
|
|
/// This function respects mounted folders and will thus not contain the layers already
|
|
/// present in the document if a temporary folder is mounted on top.
|
|
/// If you manually edit the folder you have to set the cache_dirty flag yourself.
|
|
pub fn folder_mut(&mut self, mut path: &[LayerId]) -> Result<&mut Folder, DocumentError> {
|
|
let mut root = if self.is_mounted(self.work_mount_path.as_slice(), path) {
|
|
path = &path[self.work_mount_path.len()..];
|
|
&mut self.work
|
|
} else {
|
|
&mut self.root
|
|
};
|
|
for id in path {
|
|
root = root.folder_mut(*id).ok_or(DocumentError::LayerNotFound)?;
|
|
}
|
|
Ok(root)
|
|
}
|
|
|
|
/// Returns a reference to the requested folder. Fails if the path does not exist,
|
|
/// or if the requested layer is not of type folder.
|
|
/// This function does **not** respect mounted folders and will always return the current
|
|
/// state of the document, disregarding any temporary modifications.
|
|
pub fn document_folder(&self, path: &[LayerId]) -> Result<&Folder, DocumentError> {
|
|
let mut root = &self.root;
|
|
for id in path {
|
|
root = root.folder(*id).ok_or(DocumentError::LayerNotFound)?;
|
|
}
|
|
Ok(root)
|
|
}
|
|
|
|
/// Returns a mutable reference to the requested folder. Fails if the path does not exist,
|
|
/// or if the requested layer is not of type folder.
|
|
/// This function does **not** respect mounted folders and will always return the current
|
|
/// state of the document, disregarding any temporary modifications.
|
|
/// If you manually edit the folder you have to set the cache_dirty flag yourself.
|
|
pub fn document_folder_mut(&mut self, path: &[LayerId]) -> Result<&mut Folder, DocumentError> {
|
|
let mut root = &mut self.root;
|
|
for id in path {
|
|
root = root.folder_mut(*id).ok_or(DocumentError::LayerNotFound)?;
|
|
}
|
|
Ok(root)
|
|
}
|
|
|
|
/// Returns a reference to the layer struct at the specified `path`.
|
|
pub fn layer(&self, path: &[LayerId]) -> Result<&Layer, DocumentError> {
|
|
let (path, id) = split_path(path)?;
|
|
self.folder(path)?.layer(id).ok_or(DocumentError::LayerNotFound)
|
|
}
|
|
|
|
/// Returns a mutable reference to the layer struct at the specified `path`.
|
|
/// If you manually edit the layer you have to set the cache_dirty flag yourself.
|
|
pub fn layer_mut(&mut self, path: &[LayerId]) -> Result<&mut Layer, DocumentError> {
|
|
let (path, id) = split_path(path)?;
|
|
self.folder_mut(path)?.layer_mut(id).ok_or(DocumentError::LayerNotFound)
|
|
}
|
|
|
|
/// Replaces the layer at the specified `path` with `layer`.
|
|
pub fn set_layer(&mut self, path: &[LayerId], layer: Layer) -> Result<(), DocumentError> {
|
|
let mut folder = &mut self.root;
|
|
if let Ok((path, id)) = split_path(path) {
|
|
self.layer_mut(path)?.cache_dirty = true;
|
|
folder = self.folder_mut(path)?;
|
|
if let Some(folder_layer) = folder.layer_mut(id) {
|
|
*folder_layer = layer;
|
|
return Ok(());
|
|
}
|
|
}
|
|
folder.add_layer(layer, -1).ok_or(DocumentError::IndexOutOfBounds)?;
|
|
Ok(())
|
|
}
|
|
|
|
/// Adds a new layer to the folder specified by `path`.
|
|
/// Passing a negative `insert_index` indexes relative to the end.
|
|
/// -1 is equivalent to adding the layer to the top.
|
|
pub fn add_layer(&mut self, path: &[LayerId], layer: Layer, insert_index: isize) -> Result<LayerId, DocumentError> {
|
|
let _ = self.layer_mut(path).map(|x| x.cache_dirty = true);
|
|
let folder = self.folder_mut(path)?;
|
|
folder.add_layer(layer, insert_index).ok_or(DocumentError::IndexOutOfBounds)
|
|
}
|
|
|
|
/// Deletes the layer specified by `path`.
|
|
pub fn delete(&mut self, path: &[LayerId]) -> Result<(), DocumentError> {
|
|
let (path, id) = split_path(path)?;
|
|
let _ = self.layer_mut(path).map(|x| x.cache_dirty = true);
|
|
self.document_folder_mut(path)?.remove_layer(id)?;
|
|
Ok(())
|
|
}
|
|
|
|
/// Returns a list of `LayerPanelEntry`s intended for display purposes. These don't contain
|
|
/// any actual data, but rather metadata such as visibility and names of the layers.
|
|
pub fn layer_panel(&self, path: &[LayerId]) -> Result<Vec<LayerPanelEntry>, DocumentError> {
|
|
let folder = self.document_folder(path)?;
|
|
let entries = folder
|
|
.layers()
|
|
.iter()
|
|
.zip(folder.layer_ids.iter())
|
|
.map(|(layer, id)| LayerPanelEntry::from_layer(layer, [path, &[*id]].concat()))
|
|
.collect();
|
|
Ok(entries)
|
|
}
|
|
|
|
/// Mutate the document by applying the `operation` to it. If the operation necessitates a
|
|
/// reaction from the frontend, responses may be returned.
|
|
pub fn handle_operation(&mut self, operation: Operation) -> Result<Option<Vec<DocumentResponse>>, DocumentError> {
|
|
let responses = match &operation {
|
|
Operation::AddCircle { path, insert_index, cx, cy, r, style } => {
|
|
self.add_layer(&path, Layer::new(LayerDataTypes::Circle(layers::Circle::new((*cx, *cy), *r, *style))), *insert_index)?;
|
|
|
|
Some(vec![DocumentResponse::DocumentChanged])
|
|
}
|
|
Operation::AddEllipse {
|
|
path,
|
|
insert_index,
|
|
cx,
|
|
cy,
|
|
rx,
|
|
ry,
|
|
rot,
|
|
style,
|
|
} => {
|
|
self.add_layer(&path, Layer::new(LayerDataTypes::Ellipse(layers::Ellipse::new((*cx, *cy), (*rx, *ry), *rot, *style))), *insert_index)?;
|
|
|
|
Some(vec![DocumentResponse::DocumentChanged])
|
|
}
|
|
Operation::AddRect {
|
|
path,
|
|
insert_index,
|
|
x0,
|
|
y0,
|
|
x1,
|
|
y1,
|
|
style,
|
|
} => {
|
|
self.add_layer(&path, Layer::new(LayerDataTypes::Rect(Rect::new((*x0, *y0), (*x1, *y1), *style))), *insert_index)?;
|
|
|
|
Some(vec![DocumentResponse::DocumentChanged])
|
|
}
|
|
Operation::AddLine {
|
|
path,
|
|
insert_index,
|
|
x0,
|
|
y0,
|
|
x1,
|
|
y1,
|
|
style,
|
|
} => {
|
|
self.add_layer(&path, Layer::new(LayerDataTypes::Line(Line::new((*x0, *y0), (*x1, *y1), *style))), *insert_index)?;
|
|
|
|
Some(vec![DocumentResponse::DocumentChanged])
|
|
}
|
|
Operation::AddPen { path, insert_index, points, style } => {
|
|
let points: Vec<kurbo::Point> = points.iter().map(|&it| it.into()).collect();
|
|
let polyline = PolyLine::new(points, *style);
|
|
self.add_layer(&path, Layer::new(LayerDataTypes::PolyLine(polyline)), *insert_index)?;
|
|
Some(vec![DocumentResponse::DocumentChanged])
|
|
}
|
|
Operation::AddShape {
|
|
path,
|
|
insert_index,
|
|
x0,
|
|
y0,
|
|
x1,
|
|
y1,
|
|
sides,
|
|
style,
|
|
} => {
|
|
let s = Shape::new((*x0, *y0), (*x1, *y1), *sides, *style);
|
|
self.add_layer(&path, Layer::new(LayerDataTypes::Shape(s)), *insert_index)?;
|
|
|
|
Some(vec![DocumentResponse::DocumentChanged])
|
|
}
|
|
Operation::DeleteLayer { path } => {
|
|
self.delete(&path)?;
|
|
|
|
let (path, _) = split_path(path.as_slice()).unwrap_or_else(|_| (&[], 0));
|
|
let children = self.layer_panel(path)?;
|
|
Some(vec![DocumentResponse::DocumentChanged, DocumentResponse::ExpandFolder { path: path.to_vec(), children }])
|
|
}
|
|
Operation::AddFolder { path } => {
|
|
self.set_layer(&path, Layer::new(LayerDataTypes::Folder(Folder::default())))?;
|
|
|
|
let children = self.layer_panel(path.as_slice())?;
|
|
Some(vec![DocumentResponse::DocumentChanged, DocumentResponse::ExpandFolder { path: path.clone(), children }])
|
|
}
|
|
Operation::MountWorkingFolder { path } => {
|
|
self.work_mount_path = path.clone();
|
|
self.work_operations.clear();
|
|
self.work = Folder::default();
|
|
self.work_mounted = true;
|
|
None
|
|
}
|
|
Operation::DiscardWorkingFolder => {
|
|
self.work_operations.clear();
|
|
self.work_mount_path = vec![];
|
|
self.work = Folder::default();
|
|
self.work_mounted = false;
|
|
Some(vec![DocumentResponse::DocumentChanged])
|
|
}
|
|
Operation::ClearWorkingFolder => {
|
|
self.work_operations.clear();
|
|
self.work = Folder::default();
|
|
Some(vec![DocumentResponse::DocumentChanged])
|
|
}
|
|
Operation::CommitTransaction => {
|
|
let mut ops = Vec::new();
|
|
let mut path: Vec<LayerId> = vec![];
|
|
std::mem::swap(&mut path, &mut self.work_mount_path);
|
|
std::mem::swap(&mut ops, &mut self.work_operations);
|
|
self.work_mounted = false;
|
|
self.work_mount_path = vec![];
|
|
self.work = Folder::default();
|
|
let mut responses = vec![];
|
|
for operation in ops.into_iter() {
|
|
if let Some(mut op_responses) = self.handle_operation(operation)? {
|
|
responses.append(&mut op_responses);
|
|
}
|
|
}
|
|
|
|
let children = self.layer_panel(path.as_slice())?;
|
|
// TODO: Return `responses` and add deduplication in the future
|
|
Some(vec![DocumentResponse::DocumentChanged, DocumentResponse::ExpandFolder { path, children }])
|
|
}
|
|
Operation::ToggleVisibility { path } => {
|
|
let _ = self.layer_mut(&path).map(|layer| {
|
|
layer.visible = !layer.visible;
|
|
layer.cache_dirty = true;
|
|
});
|
|
let children = self.layer_panel(&path.as_slice()[..path.len() - 1])?;
|
|
Some(vec![DocumentResponse::DocumentChanged, DocumentResponse::ExpandFolder { path: vec![], children }])
|
|
}
|
|
};
|
|
if !matches!(
|
|
operation,
|
|
Operation::CommitTransaction | Operation::MountWorkingFolder { .. } | Operation::DiscardWorkingFolder | Operation::ClearWorkingFolder
|
|
) {
|
|
self.work_operations.push(operation);
|
|
}
|
|
Ok(responses)
|
|
}
|
|
}
|