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 130 131 132 133 134 135 136 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 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 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 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152
#![doc = include_str!("../README.md")]
#![warn(missing_docs)]
pub mod dofinitions;
pub mod interaction;
mod macros;
pub mod prelude;
use interaction::{KeyPos, Pos};
use prelude::DofInteractionError;
use serde::{Deserialize, Serialize};
use serde_with::{serde_as, serde_conv, skip_serializing_none, DisplayFromStr};
use thiserror::Error;
use std::collections::BTreeMap;
use dofinitions::*;
/// A struct to represent the dof keyboard layout spec. This struct is useful for interacting with dofs
/// and parsing to/from .dof using [`serde_json`](https://crates.io/crates/serde_json). For converting
/// other formats into dofs, consider taking a look at [`DofIntermediate`](crate::DofIntermediate).
///
/// # Example
///
/// Parsing into dof and getting the name of the layout:
///
/// ```
/// # use serde_json;
/// # use libdof::Dof;
/// # fn p() -> Result<(), Box<dyn std::error::Error>> {
/// let dof_str = include_str!("../example_dofs/minimal_valid.dof");
/// let dof = serde_json::from_str::<Dof>(dof_str)?;
/// let name = dof.name();
/// # Ok(()) }
/// # fn main() { p(); }
/// ```
#[serde_as]
#[skip_serializing_none]
#[derive(Clone, Debug, PartialEq, Eq, Serialize, Deserialize)]
#[serde(try_from = "DofIntermediate", into = "DofIntermediate")]
pub struct Dof {
name: String,
authors: Option<Vec<String>>,
board: KeyboardType,
year: Option<u32>,
description: Option<String>,
languages: Vec<Language>,
link: Option<String>,
layers: BTreeMap<String, Layer>,
anchor: Anchor,
// alt_fingerings: Option<Vec<String>>,
// combos: Option<HashMap<String, String>>,
fingering: Fingering,
fingering_name: Option<NamedFingering>,
has_generated_shift: bool,
}
impl Dof {
/// Get the name of the layout.
pub fn name(&self) -> &str {
&self.name
}
/// Get an optional slice of authors of the layout.
pub fn authors(&self) -> Option<&[String]> {
self.authors.as_deref()
}
/// Get the [`KeyboardType`](crate::dofinitions::KeyboardType) of the layout.
pub fn board(&self) -> &KeyboardType {
&self.board
}
/// Get the optional publication year of the layout.
pub fn year(&self) -> Option<u32> {
self.year
}
/// Get the optional description of the layout.
pub fn description(&self) -> Option<&str> {
self.description.as_deref()
}
/// Get the optional link of the layout.
pub fn link(&self) -> Option<&str> {
self.link.as_deref()
}
/// Get a slice of [Language](crate::Language) this layout was intended to be used for.
pub fn languages(&self) -> &[Language] {
&self.languages
}
/// Get a map containing the layer names and its corresponding layer on the layout.
pub fn layers(&self) -> &BTreeMap<String, Layer> {
&self.layers
}
/// Get the layout anchor, which specifies the coordinate of the top left corner of the layout compared to
/// the physical keyboard it's on.
pub fn anchor(&self) -> Anchor {
self.anchor
}
/// Get the shape of the fingering and layers of the dof
pub fn shape(&self) -> Shape {
self.fingering().shape()
}
/// Get the fingering of the keyboard, which specifies for each coordinate which finger is supposed to press
/// what key.
pub fn fingering(&self) -> &Fingering {
&self.fingering
}
/// If present, get a specified type of fingering that the layout uses.
pub fn fingering_name(&self) -> Option<&NamedFingering> {
self.fingering_name.as_ref()
}
/// Get the main layer of the layout. Since creating a `Dof` without a main layer is impossible,
// it should never fail.
pub fn main_layer(&self) -> &Layer {
self.layers
.get("main")
.expect("Creating a Dof without a main layer should be impossible")
}
/// Get the shift layer of the layout. Since creating a `Dof` without a shift layer is impossible,
/// this should never fail
pub fn shift_layer(&self) -> &Layer {
self.layers
.get("shift")
.expect("Creating a Dof without a shift layer should be impossible")
}
/// Get a specific layer on the keyboard, if it exists.
pub fn layer(&self, name: &str) -> Option<&Layer> {
self.layers.get(name)
}
/// Get a vector of keys with metadata for each key attached. This can be useful if you want
/// to filter or any other way look at a specific set of keys on the keyboard.
pub fn keys(&self) -> Vec<DescriptiveKey> {
let mut keys = Vec::<DescriptiveKey>::new();
for (name, layer) in self.layers.iter() {
for (i, row) in layer.0.iter().enumerate() {
for (j, key) in row.iter().enumerate() {
let finger = self.fingering.0[i][j];
let i = i + self.anchor.0 as usize;
let j = j + self.anchor.1 as usize;
let key = DescriptiveKey::new(key.clone(), name.into(), i, j, finger);
keys.push(key);
}
}
}
keys
}
}
impl TryFrom<DofIntermediate> for Dof {
type Error = DofError;
fn try_from(mut inter: DofIntermediate) -> Result<Self, Self::Error> {
let main_layer = inter.main_layer()?;
inter.validate_layer_keys(main_layer)?;
inter.validate_layer_shapes(main_layer)?;
let explicit_fingering = inter.explicit_fingering(main_layer)?;
let implicit_fingering = match inter.fingering.clone() {
ParsedFingering::Implicit(f) => Some(f),
_ => None,
};
let has_generated_shift = if inter.layers.get("shift").is_none() {
inter.layers.insert(
"shift".into(),
DofIntermediate::generate_shift_layer(main_layer),
);
true
} else {
false
};
let anchor = match inter.anchor {
None => inter.board.anchor(),
Some(a) => a,
};
let languages = match inter.languages {
Some(l) => l,
None => vec![Language::default()],
};
Ok(Self {
name: inter.name,
authors: inter.authors,
board: inter.board,
year: inter.year,
description: inter.description,
languages,
link: inter.link,
layers: inter.layers,
anchor,
fingering: explicit_fingering,
fingering_name: implicit_fingering,
has_generated_shift,
})
}
}
impl From<Dof> for DofIntermediate {
fn from(mut dof: Dof) -> DofIntermediate {
if dof.has_generated_shift {
dof.layers.remove("shift");
}
let fingering = dof
.fingering_name
.map(ParsedFingering::Implicit)
.unwrap_or(ParsedFingering::Explicit(dof.fingering));
let languages = match dof.languages.as_slice() {
[lang] if lang == &Language::default() => None,
_ => Some(dof.languages.clone()),
};
let anchor = match dof.board.anchor() {
a if a == dof.anchor => None,
a => Some(a),
};
DofIntermediate {
name: dof.name,
authors: dof.authors,
board: dof.board,
year: dof.year,
description: dof.description,
languages,
link: dof.link,
layers: dof.layers,
anchor,
fingering,
}
}
}
#[derive(Debug, Error, PartialEq)]
enum DofErrorInner {
#[error("{0}")]
DofinitionError(#[from] dofinitions::DofinitionError),
#[error("{0}")]
InteractionError(#[from] interaction::DofInteractionError),
// #[error("The keyboard type '{0:?}' does not have an anchor at this time")]
// UnavailableKeyboardAnchor(KeyboardType),
#[error("This layout is missing a main layer")]
NoMainLayer,
#[error("Found these layer keys '{0:?}' however these layers do not actually exist")]
LayersNotFound(Vec<String>),
#[error("The shape of these layers: '{0:?}' are not the same as the main layer")]
IncompatibleLayerShapes(Vec<String>),
#[error("The layer shapes do not match the fingering shape")]
IncompatibleFingeringShape,
#[error("The provided layout + anchor doesn't fit in the given fingering")]
LayoutDoesntFit,
#[error("The anchor provided is bigger than the layout it is used for")]
AnchorBiggerThanLayout,
#[error("{0}")]
Custom(String),
}
use DofErrorInner as DErr;
/// The main error struct of the library. Internally it uses a Box containing [`DofErrorInner`](crate::DofErrorInner)
/// to save space. The other error types of this crate, being [`DofinitonError`](crate::dofinitions::DofinitionError)
/// and [`DofInteractionError`](crate::interaction::DofInteractionError), can be seamlessly converted into `DofError`
/// with the `?` operator.
#[derive(Debug, Error, PartialEq)]
#[error("{0}")]
pub struct DofError(#[source] Box<DofErrorInner>);
impl DofError {
/// Allows users of the crate to create their own error messages if needed.
pub fn custom(msg: &str) -> Self {
DofError(Box::new(DErr::Custom(msg.into())))
}
}
impl From<DofErrorInner> for DofError {
fn from(value: DofErrorInner) -> Self {
Self(Box::new(value))
}
}
impl From<DofinitionError> for DofError {
fn from(value: DofinitionError) -> Self {
Self(Box::new(DErr::DofinitionError(value)))
}
}
impl From<DofInteractionError> for DofError {
fn from(value: DofInteractionError) -> Self {
Self(Box::new(DErr::InteractionError(value)))
}
}
/// Used to represent the language(s) a layout is optimized for, containing the name of a language as well as
/// a weight, the latter being useful for layouts that are made for a combination of languages with some
/// amount of % split.
///
/// The Default implementation of Language is English with weight 100.
#[derive(Clone, Debug, PartialEq, Eq, Hash, Serialize, Deserialize)]
pub struct Language {
language: String,
weight: usize,
}
impl Default for Language {
fn default() -> Self {
Language {
language: "English".into(),
weight: 100,
}
}
}
impl Language {
/// Create a new language
pub fn new(language: &str, weight: usize) -> Self {
let language = language.into();
Self { language, weight }
}
/// Presets the weight to be 100, small shorthand for when you only need one language though in theory
/// you could use two of these languages to represent a `(100 + 100) / 2 = 50%` split.
pub fn only(language: &str) -> Self {
Self {
language: language.into(),
weight: 100,
}
}
}
/// Struct that represents the fingering of each layout. It is an abstraction over `Vec<Vec<Finger>>`.
#[serde_as]
#[derive(Clone, Debug, PartialEq, Eq, Serialize, Deserialize)]
pub struct Fingering(#[serde_as(as = "Vec<FingeringStrAsRow>")] Vec<Vec<Finger>>);
impl_keyboard!(Fingering, Finger, FingeringStrAsRow);
impl Fingering {
/// Given a specific fingering, an [`Anchor`](crate::Anchor) and the [`Shape`](crate::Shape) you
/// would like to get (that has to be smaller than the fingering itself), resize the fingering to
/// the shape provided.
pub fn resized_fingering(
&self,
Anchor(x, y): Anchor,
desired_shape: Shape,
) -> Result<Fingering, DofError> {
let (offset_x, offset_y) = (x as usize, y as usize);
let anchor_resized = self
.inner()
.get(offset_y..)
.ok_or(DErr::AnchorBiggerThanLayout)?
.iter()
.map(|r| r.get(offset_x..).ok_or(DErr::AnchorBiggerThanLayout))
.collect::<Result<Vec<_>, _>>()?;
anchor_resized
.into_iter()
.zip(desired_shape.into_inner())
.map(|(row, shape_size)| {
row.get(..shape_size)
.ok_or(DErr::LayoutDoesntFit.into())
.map(|v| v.to_vec())
})
.collect::<Result<Vec<_>, _>>()
.map(Into::into)
}
}
/// Abstraction over the way an actual .dof file is allowed to represent the fingering of a layout, being either
/// explicit through providing a list of fingerings for each key, or implicit, by providing a name.
#[serde_as]
#[derive(Clone, Debug, PartialEq, Eq, Serialize, Deserialize)]
#[serde(untagged)]
pub enum ParsedFingering {
/// Covers the case where fingering is specified explicitly for each key
Explicit(Fingering),
/// Covers the case where fingering is specified implicitly, by providing a name like `traditional`,
/// `standard` or `angle`
Implicit(#[serde_as(as = "DisplayFromStr")] NamedFingering),
}
/// An abstraction of `Vec<Vec<Key>>` to represent a layer on a layout.
#[serde_as]
#[derive(Clone, Debug, PartialEq, Eq, Serialize, Deserialize)]
pub struct Layer(#[serde_as(as = "Vec<LayerStrAsRow>")] Vec<Vec<Key>>);
impl_keyboard!(Layer, Key, LayerStrAsRow);
/// An anchor represents where the top left key on a `Dof` is compared to where it would be on a physical
/// keyboard. For example, if you were to provide a 3x10 raster of letters but would like this applied to an
/// ANSI keyboard, the `Anchor` would be (1, 1), as the top left corner of the `Dof` (being where qwerty `q`
/// is) would need to be shifted one left and one up to be in the top left corner of the physical keyboard.
/// Therefore, the default value of an anchor is dependent on the physical keyboard it is applied to.
#[derive(Copy, Clone, Debug, PartialEq, Eq, Hash, Serialize, Deserialize)]
pub struct Anchor(u8, u8);
impl Anchor {
/// Create a new anchor
pub fn new(x: u8, y: u8) -> Self {
Anchor(x, y)
}
/// Return the x coordinate as usize
pub fn x(&self) -> usize {
self.0 as usize
}
/// Return the y coordinate as usize
pub fn y(&self) -> usize {
self.1 as usize
}
}
/// A Key with metadata attached. These are produced by calling [`Dof::keys()`](crate::Dof::keys()).
#[derive(Clone, Debug, PartialEq, Eq, Hash)]
pub struct DescriptiveKey {
output: Key,
layer: String,
row: usize,
col: usize,
finger: Finger,
}
impl DescriptiveKey {
/// Create a new DescriptiveKey. Mostly intended to be used internally, but go wild
pub fn new(output: Key, layer: String, row: usize, col: usize, finger: Finger) -> Self {
Self {
output,
layer,
row,
col,
finger,
}
}
/// Get the [`KeyPos`](crate::interaction::KeyPos) of a certain key, containing the layer name as well
/// its row and column coordinates.
pub fn keypos(&self) -> KeyPos {
(self.layer.as_str(), (self.row, self.col)).into()
}
/// Get the key's row and column.
pub fn pos(&self) -> Pos {
(self.row, self.col).into()
}
/// Get the key's row.
pub fn row(&self) -> usize {
self.row
}
/// Get the key's column.
pub fn col(&self) -> usize {
self.col
}
/// Get the finger the key is supposed to be pressed with.
pub fn finger(&self) -> Finger {
self.finger
}
/// Get the key's output.
pub fn output(&self) -> &Key {
&self.output
}
/// Get the name of the layer of the key.
pub fn layer_name(&self) -> &str {
&self.layer
}
/// Check if the key is on a certain finger.
pub fn is_on_finger(&self, finger: Finger) -> bool {
self.finger == finger
}
/// Check if the key is on any of the provided fingers.
pub fn is_on_fingers(&self, fingers: &[Finger]) -> bool {
fingers.iter().any(|f| self.finger == *f)
}
/// Check if the key is on left hand, including left thumb.
pub fn is_on_left_hand(&self) -> bool {
use Finger::*;
matches!(self.finger, LP | LR | LM | LI | LT)
}
/// Check if the key is on a specific layer.
pub fn is_on_layer(&self, layer: &str) -> bool {
self.layer == layer
}
/// Check if the key is of type [`Key::Char`](crate::dofinitions::Key::Char) which outputs
/// a single character.
pub fn is_char_key(&self) -> bool {
self.output.is_char()
}
/// Check if the key is of type [`Key::Word`](crate::dofinitions::Key::Word) which outputs a specific
/// string.
pub fn is_word_key(&self) -> bool {
self.output.is_word()
}
/// Check if the key is of type [`Key::Empty`](crate::dofinitions::Key::Empty) which doesn't output
/// anything.
pub fn is_empty_key(&self) -> bool {
self.output.is_empty()
}
/// Check if the key is of type [`Key::Transparent`](crate::dofinitions::Key::Char) which outputs
/// whatever it is the main layer outputs in that position.
pub fn is_transparent_key(&self) -> bool {
self.output.is_transparent()
}
/// Check if the key is of type [`Key::Layer`](crate::dofinitions::Key::Layer) which holds the name.
/// of a layer on the layout
pub fn is_layer_key(&self) -> bool {
self.output.is_layer()
}
/// Get the output if the key is of type [`Key::Char`](crate::dofinitions::Key::Char).
pub fn char_output(&self) -> Option<char> {
self.output.char_output()
}
/// Get the output if the key is of type [`Key::Word`](crate::dofinitions::Key::Word).
pub fn word_output(&self) -> Option<&str> {
self.output.word_output()
}
/// Get the layer name if the key is of type [`Key::Layer`](crate::dofinitions::Key::Layer).
pub fn layer_output(&self) -> Option<&str> {
self.output.layer_output()
}
}
/// Main struct to use for parsing, and a more or less literal interpretation of what a .dof file can contain.
/// As its fields are public, this can also be useful for implementing `TryFrom<Type> for Dof` because at the
/// end of that function you can call `intermediate.try_into()` to handle all validation for you.
#[allow(missing_docs)]
#[serde_as]
#[skip_serializing_none]
#[derive(Clone, Debug, PartialEq, Eq, Serialize, Deserialize)]
pub struct DofIntermediate {
pub name: String,
pub authors: Option<Vec<String>>,
#[serde_as(as = "DisplayFromStr")]
pub board: KeyboardType,
pub year: Option<u32>,
pub description: Option<String>,
pub languages: Option<Vec<Language>>,
pub link: Option<String>,
pub layers: BTreeMap<String, Layer>,
pub anchor: Option<Anchor>,
// pub alt_fingerings: Option<Vec<String>>,
// pub combos: Option<HashMap<String, String>>,
pub fingering: ParsedFingering,
}
impl DofIntermediate {
/// Get the main layer if it exists. If it doesn't return a `NoMainLayer` error.
pub fn main_layer(&self) -> Result<&Layer, DofError> {
self.layers.get("main").ok_or(DErr::NoMainLayer.into())
}
/// If not provided, will generate a default shift layer with some sane defaults. This is useful
/// if your shift layer isn't doing anything special. The defaults are:
/// * Letters are uppercased, unless their uppercase version spans multiple characters,
/// * Symbols and numbers are given their qwerty uppercase. This means that `7` becomes `&`, `'`
/// becomes `"`, `[` becomes `{`, etc,
/// * Special keys become Transparent.
///
/// **Words are unaffected!** This means that if you would like Word keys to output something different,
/// you must specify a custom shift layer.
pub fn generate_shift_layer(main: &Layer) -> Layer {
main.0
.iter()
.map(|row| row.iter().map(|k| k.shifted()).collect::<Vec<_>>())
.collect::<Vec<_>>()
.into()
}
/// Validation check to see if the layers the [`Key::Layer`](crate::dofinitions::Key::Layer)
/// keys point to actually exist.
pub fn validate_layer_keys(&self, main: &Layer) -> Result<(), DofError> {
let layers_dont_exist = main
.keys()
.filter_map(|k| match k {
Key::Layer { name: n } if !self.layers.contains_key(n) => Some(n.clone()),
_ => None,
})
.collect::<Vec<_>>();
if layers_dont_exist.is_empty() {
Ok(())
} else {
Err(DErr::LayersNotFound(layers_dont_exist).into())
}
}
/// Validation check to see if all layers are the same shape as the main layer.
pub fn validate_layer_shapes(&self, main: &Layer) -> Result<(), DofError> {
let main_shape = main.shape();
let incompatible_shapes = self
.layers
.iter()
.map(|(name, l)| (name, l.shape()))
.filter(|(_, shape)| shape != &main_shape)
.map(|(name, _)| name.clone())
.collect::<Vec<_>>();
if incompatible_shapes.is_empty() {
Ok(())
} else {
Err(DErr::IncompatibleLayerShapes(incompatible_shapes).into())
}
}
/// Validation check to see if the provided fingering has the same shape as the main layer.
/// If left implicit (by leaving just a name of a fingering, like `traditional` /// or `angle`)
/// will try to generate a fingering with the same shape as the main layer.
pub fn explicit_fingering(&self, main: &Layer) -> Result<Fingering, DofError> {
use ParsedFingering::*;
match &self.fingering {
Explicit(f) if f.shape() == main.shape() => Ok(f.clone()),
Explicit(_) => Err(DErr::IncompatibleFingeringShape.into()),
Implicit(named) => {
let fingering = self.board.fingering(named)?;
let anchor = match self.anchor {
Some(a) => a,
None => self.board.anchor(),
};
fingering.resized_fingering(anchor, main.shape())
}
}
}
}
#[cfg(test)]
mod tests {
use super::*;
#[test]
fn no_main_layer() {
let minimal_test = DofIntermediate {
name: "Qwerty".into(),
authors: None,
board: KeyboardType::Ansi,
year: None,
description: None,
languages: Default::default(),
link: None,
anchor: None,
layers: BTreeMap::new(),
fingering: { ParsedFingering::Implicit(NamedFingering::Angle) },
};
let v = Dof::try_from(minimal_test);
assert_eq!(v, Err(DofError::from(DErr::NoMainLayer)));
}
#[test]
fn parse_minimal() {
let minimal_json = include_str!("../example_dofs/minimal_parsable.dof");
let minimal_test = DofIntermediate {
name: "Qwerty".into(),
authors: None,
board: KeyboardType::Ansi,
year: None,
description: None,
languages: None,
link: None,
anchor: None,
layers: BTreeMap::new(),
fingering: { ParsedFingering::Implicit(NamedFingering::Angle) },
};
let dof_minimal = serde_json::from_str::<DofIntermediate>(minimal_json)
.expect("couldn't parse implicit json");
assert_eq!(dof_minimal, minimal_test);
}
#[test]
fn minimal_succesful_dof() {
use Finger::*;
use Key::*;
let minimal_json = include_str!("../example_dofs/minimal_valid.dof");
let d = serde_json::from_str::<Dof>(minimal_json).expect("Couldn't serialize as Dof");
let d_manual = Dof {
name: "Qwerty".into(),
authors: None,
board: KeyboardType::Ansi,
year: None,
description: None,
languages: vec![Default::default()],
link: None,
anchor: Anchor::new(1, 1),
layers: BTreeMap::from_iter([
(
"main".into(),
vec![
vec![
Char('q'),
Char('w'),
Char('e'),
Char('r'),
Char('t'),
Char('y'),
Char('u'),
Char('i'),
Char('o'),
Char('p'),
],
vec![
Char('a'),
Char('s'),
Char('d'),
Char('f'),
Char('g'),
Char('h'),
Char('j'),
Char('k'),
Char('l'),
Char(';'),
Char('\''),
],
vec![
Char('z'),
Char('x'),
Char('c'),
Char('v'),
Char('b'),
Char('n'),
Char('m'),
Char(','),
Char('.'),
Char('/'),
],
]
.into(),
),
(
"shift".into(),
Layer(vec![
vec![
Char('Q'),
Char('W'),
Char('E'),
Char('R'),
Char('T'),
Char('Y'),
Char('U'),
Char('I'),
Char('O'),
Char('P'),
],
vec![
Char('A'),
Char('S'),
Char('D'),
Char('F'),
Char('G'),
Char('H'),
Char('J'),
Char('K'),
Char('L'),
Char(':'),
Char('\"'),
],
vec![
Char('Z'),
Char('X'),
Char('C'),
Char('V'),
Char('B'),
Char('N'),
Char('M'),
Char('<'),
Char('>'),
Char('?'),
],
]),
),
]),
fingering: {
vec![
vec![LP, LR, LM, LI, LI, RI, RI, RM, RR, RP],
vec![LP, LR, LM, LI, LI, RI, RI, RM, RR, RP, RP],
vec![LR, LM, LI, LI, LI, RI, RI, RM, RR, RP],
]
.into()
},
fingering_name: Some(NamedFingering::Angle),
has_generated_shift: true,
};
assert_eq!(d, d_manual);
let reconvert_json =
serde_json::to_string_pretty(&d).expect("Couldn't reconvert to json value");
println!("{reconvert_json}")
}
#[test]
fn maximal_succesful() {
let maximal_json = include_str!("../example_dofs/minimal_valid.dof");
serde_json::from_str::<Dof>(maximal_json).expect("Couldn't parse or validate Dof");
}
#[test]
fn deserialize_minimal() {
let minimal_test = DofIntermediate {
name: "Qwerty".into(),
authors: None,
board: KeyboardType::Ansi,
year: None,
description: None,
languages: None,
link: None,
anchor: None,
layers: BTreeMap::new(),
fingering: { ParsedFingering::Implicit(NamedFingering::Angle) },
};
let s = serde_json::to_string_pretty(&minimal_test).unwrap();
println!("{s}")
}
#[test]
fn buggy() {
let buggy_json = include_str!("../example_dofs/buggy.dof");
let buggy = serde_json::from_str::<Dof>(buggy_json).expect("couldn't parse buggy json");
assert_eq!(buggy.layers.len(), 4);
assert_eq!(buggy.anchor, Anchor(0, 0));
}
#[test]
fn parse_maximal() {
use Finger::*;
use Key::*;
use SpecialKey::*;
let maximal_json = include_str!("../example_dofs/maximal.dof");
let maximal_test = DofIntermediate {
name: "Qwerty".into(),
authors: Some(vec!["Christopher Latham Sholes".into()]),
board: KeyboardType::Ansi,
year: Some(1878),
description: Some("the OG. Without Qwerty, none of this would be necessary.".into()),
languages: None,
link: Some("https://en.wikipedia.org/wiki/QWERTY".into()),
anchor: Some(Anchor::new(0, 0)),
layers: BTreeMap::from_iter([
(
"main".into(),
crate::Layer::from(vec![
vec![
Char('`'),
Char('1'),
Char('2'),
Char('3'),
Char('4'),
Char('5'),
Char('6'),
Char('7'),
Char('8'),
Char('9'),
Char('0'),
Char('-'),
Char('='),
Special(Backspace),
],
vec![
Special(Tab),
Char('q'),
Char('w'),
Char('e'),
Char('r'),
Char('t'),
Char('y'),
Char('u'),
Char('i'),
Char('o'),
Char('p'),
Char('['),
Char(']'),
Char('\\'),
],
vec![
Special(Caps),
Char('a'),
Char('s'),
Char('d'),
Char('f'),
Char('g'),
Char('h'),
Char('j'),
Char('k'),
Char('l'),
Char(';'),
Char('\''),
Special(Enter),
],
vec![
Special(Shift),
Char('z'),
Char('x'),
Char('c'),
Char('v'),
Char('b'),
Char('n'),
Char('m'),
Char(','),
Char('.'),
Char('/'),
Special(Shift),
],
vec![
Empty,
Empty,
Empty,
Char('ß'),
Special(Space),
Layer {
name: "altgr".into(),
},
Empty,
Empty,
],
]),
),
(
"shift".into(),
crate::Layer::from(vec![
vec![
Char('~'),
Char('!'),
Char('@'),
Char('#'),
Char('$'),
Char('%'),
Char('^'),
Char('&'),
Char('*'),
Char('('),
Char(')'),
Char('_'),
Char('+'),
Special(Backspace),
],
vec![
Special(Tab),
Char('Q'),
Char('W'),
Char('E'),
Char('R'),
Char('T'),
Char('Y'),
Char('U'),
Char('I'),
Char('O'),
Char('P'),
Char('{'),
Char('}'),
Char('|'),
],
vec![
Special(Caps),
Char('A'),
Char('S'),
Char('D'),
Char('F'),
Char('G'),
Char('H'),
Char('J'),
Char('K'),
Char('L'),
Char(':'),
Char('\"'),
Special(Enter),
],
vec![
Special(Shift),
Char('Z'),
Char('X'),
Char('C'),
Char('V'),
Char('B'),
Char('N'),
Char('M'),
Char('<'),
Char('>'),
Char('?'),
Special(Shift),
],
vec![
Empty,
Empty,
Empty,
Word("SS".into()),
Special(Space),
Word("altgr".into()),
Empty,
Empty,
],
]),
),
(
"altgr".into(),
crate::Layer::from(vec![
vec![
Transparent,
Transparent,
Transparent,
Transparent,
Transparent,
Transparent,
Transparent,
Transparent,
Transparent,
Transparent,
Transparent,
Transparent,
Transparent,
Special(Backspace),
],
vec![
Special(Tab),
Transparent,
Transparent,
Transparent,
Transparent,
Word("tb".into()),
Transparent,
Char('ü'),
Transparent,
Char('ö'),
Transparent,
Transparent,
Transparent,
Transparent,
],
vec![
Special(Caps),
Char('ä'),
Transparent,
Transparent,
Transparent,
Transparent,
Transparent,
Transparent,
Transparent,
Transparent,
Transparent,
Transparent,
Special(Enter),
],
vec![
Special(Shift),
Transparent,
Transparent,
Transparent,
Transparent,
Transparent,
Transparent,
Transparent,
Transparent,
Transparent,
Transparent,
Special(Shift),
],
vec![
Empty,
Empty,
Empty,
Empty,
Special(Space),
Transparent,
Empty,
Empty,
],
]),
),
]),
fingering: {
ParsedFingering::Explicit(Fingering::from(vec![
vec![LP, LP, LR, LM, LI, LI, RI, RI, RM, RR, RP, RP, RP, RP],
vec![LP, LP, LR, LM, LI, LI, RI, RI, RM, RR, RP, RP, RP, RP],
vec![LP, LP, LR, LM, LI, LI, RI, RI, RM, RR, RP, RP, RP],
vec![LP, LR, LM, LI, LI, LI, RI, RI, RM, RR, RP, RP],
vec![LP, LP, LT, LT, LT, RT, RT, RP],
]))
},
};
let dof_maximal = serde_json::from_str::<DofIntermediate>(maximal_json)
.expect("couldn't parse explicit json");
assert_eq!(dof_maximal, maximal_test);
}
#[test]
fn lang_fn() {
let languages = &[Language::new("English", 100)];
let languages = match languages {
[lang] if lang == &Language::default() => None,
_ => Some(languages),
};
println!("{:?}", languages)
}
}