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
#![doc = include_str!("../README.md")]
#![cfg_attr(not(feature = "std"), no_std)]
#![cfg_attr(docsrs, feature(doc_cfg))]
mod bidi;
mod codepoints;
mod similar;
#[cfg(test)]
mod tests;
mod translation;
mod util;
use bidi::Class;
pub use translation::Translation;
use codepoints::{
Codepoint, CASE_SENSITIVE_CODEPOINTS_COUNT, CASE_SENSITIVE_CODEPOINTS_OFFSET, CODEPOINTS_COUNT,
};
use core::cmp::Ordering;
macro_rules! error_enum {
(
$(#[$enum_attrs:meta])*
pub enum $enum_name:ident {
$(
#[doc = $prop_doc:literal]
$prop_name:ident,
)*
}
) => {
$(#[$enum_attrs])*
pub enum $enum_name {
$(
#[doc = $prop_doc]
$prop_name,
)*
}
impl core::convert::AsRef<str> for $enum_name {
fn as_ref(&self) -> &str {
match *self {
$(
Self::$prop_name => stringify!($prop_doc),
)*
}
}
}
impl core::fmt::Display for $enum_name {
#[inline(always)]
fn fmt(&self, f: &mut core::fmt::Formatter<'_>) -> core::fmt::Result {
write!(f, "{}", <$enum_name as core::convert::AsRef<str>>::as_ref(self))
}
}
#[cfg(feature = "std")]
impl std::error::Error for $enum_name {}
}
}
error_enum! {
/// An error enum for unicode bidi errors caused by malformed string inputs.
#[repr(u8)]
#[derive(Copy, Clone, Debug)]
pub enum Error {
/// Attempted to create a unicode bidi level that exceeds `MAX_EXPLICIT_DEPTH` (125).
LevelExplicitOverflow,
/// Attempted to create a unicode bidi level that exceeds `MAX_IMPLICIT_DEPTH` (126).
LevelImplicitOverflow,
/// Attempted to lower a unicode bidi level that is already zero.
LevelModificationUnderflow,
/// Attempted to raise a unicode bidi level that is already at `MAX_IMPLICIT_DEPTH` (126).
LevelModificationOverflow,
}
}
const fn translate(code: u32, offset: i32, mut end: i32) -> Option<Translation> {
let mut start = 0;
while start <= end {
let mid = (start + end) / 2;
let codepoint = Codepoint::at(offset + (mid * 5));
match codepoint.matches(code) {
Ordering::Equal => return Some(codepoint.translation(code)),
Ordering::Greater => start = mid + 1,
Ordering::Less => end = mid - 1,
};
}
None
}
const fn is_none(code: u32) -> bool {
matches!(code, 0..=9 | 14..=31 | 127 | 0xd800..=0xf8ff | 0xe01f0..)
}
fn cure_char_inner(code: u32) -> Translation {
// SAFETY: even if there is no lowercase mapping for some codepoints, it would just return itself.
// therefore, the first iteration and/or codepoint always exists.
let code_lowercased = unsafe {
char::from_u32_unchecked(code)
.to_lowercase()
.next()
.unwrap_unchecked() as _
};
if code_lowercased < 0x80 {
return Translation::character(code_lowercased);
} else if code != code_lowercased {
if let Some(translation) = translate(
code,
CASE_SENSITIVE_CODEPOINTS_OFFSET as _,
CASE_SENSITIVE_CODEPOINTS_COUNT as _,
) {
return translation;
}
}
translate(code_lowercased, 6, CODEPOINTS_COUNT as _)
.unwrap_or(Translation::character(code_lowercased))
}
/// Cures a single character/unicode codepoint.
///
/// Output will always be in lowercase.
///
/// # Examples
///
/// Most of the time, this would yield only a single unicode character:
///
/// ```rust
/// use decancer::Translation;
///
/// assert_eq!(decancer::cure_char('E'), Translation::Character('e'));
/// ```
///
/// However, for several special cases, it would yield an [ASCII](https://en.wikipedia.org/wiki/ASCII) [`&'static str`][prim@str]:
///
/// ```rust
/// use decancer::Translation;
///
/// assert_eq!(decancer::cure_char('æ'), Translation::String("ae"));
/// assert_eq!(decancer::cure_char('ij'), Translation::String("ij"));
/// assert_eq!(decancer::cure_char('œ'), Translation::String("oe"));
/// assert_eq!(decancer::cure_char('🆐'), Translation::String("dj"));
/// assert_eq!(decancer::cure_char('🆑'), Translation::String("cl"));
/// assert_eq!(decancer::cure_char('🆔'), Translation::String("id"));
/// assert_eq!(decancer::cure_char('🆖'), Translation::String("ng"));
/// assert_eq!(decancer::cure_char('🆗'), Translation::String("ok"));
/// assert_eq!(decancer::cure_char('🆚'), Translation::String("vs"));
/// assert_eq!(decancer::cure_char('🜀'), Translation::String("qe"));
/// assert_eq!(decancer::cure_char('🜇'), Translation::String("ar"));
///
/// assert_eq!(decancer::cure_char('⅓'), Translation::String("1/3"));
/// assert_eq!(decancer::cure_char('⅔'), Translation::String("2/3"));
/// assert_eq!(decancer::cure_char('⅕'), Translation::String("1/5"));
/// assert_eq!(decancer::cure_char('⅖'), Translation::String("2/5"));
/// assert_eq!(decancer::cure_char('⅗'), Translation::String("3/5"));
/// assert_eq!(decancer::cure_char('⅘'), Translation::String("4/5"));
/// assert_eq!(decancer::cure_char('㋍'), Translation::String("erg"));
/// assert_eq!(decancer::cure_char('㋏'), Translation::String("ltd"));
///
/// assert_eq!(decancer::cure_char('㍴'), Translation::String("bar"));
/// assert_eq!(decancer::cure_char('㎈'), Translation::String("cal"));
/// assert_eq!(decancer::cure_char('㎭'), Translation::String("rad"));
/// assert_eq!(decancer::cure_char('㏇'), Translation::String("co."));
/// assert_eq!(decancer::cure_char('㏒'), Translation::String("log"));
/// assert_eq!(decancer::cure_char('㏕'), Translation::String("mil"));
/// assert_eq!(decancer::cure_char('㏖'), Translation::String("mol"));
/// assert_eq!(decancer::cure_char('㏙'), Translation::String("ppm"));
/// ```
///
/// If your unicode character is a [control character](https://en.wikipedia.org/wiki/Control_character), [surrogate](https://en.wikipedia.org/wiki/Universal_Character_Set_characters#Surrogates), [combining character](https://en.wikipedia.org/wiki/Script_(Unicode)#Special_script_property_values) (e.g diacritics), [private use character](https://en.wikipedia.org/wiki/Private_Use_Areas), [byte order character](https://en.wikipedia.org/wiki/Byte_order_mark), or any invalid unicode value (e.g beyond [`char::MAX`]), you would get [`None`][Translation::None]:
///
/// ```rust
/// use decancer::Translation;
///
/// assert_eq!(decancer::cure_char(0xD800u32), Translation::None);
/// assert_eq!(decancer::cure_char(char::REPLACEMENT_CHARACTER), Translation::None);
/// assert_eq!(decancer::cure_char((char::MAX as u32) + 1), Translation::None);
/// ```
pub fn cure_char<C: Into<u32>>(code: C) -> Translation {
let code = code.into();
if is_none(code) {
Translation::None
} else {
match Class::new(code) {
Some(Class::WS) => Translation::character(if code > 0x7f { 0x20 } else { code }),
None => Translation::None,
_ => cure_char_inner(code),
}
}
}
cfg_if::cfg_if! {
if #[cfg(feature = "std")] {
mod string;
use bidi::{Level, Paragraph};
pub use string::CuredString;
fn first_cure_pass(input: &str) -> (String, Vec<Class>, Vec<Paragraph>) {
let mut refined_input = String::with_capacity(input.len());
let mut original_classes = Vec::with_capacity(input.len());
let mut isolate_stack = Vec::new();
let mut paragraphs = Vec::new();
let mut paragraph_start = 0;
let mut paragraph_level: Option<Level> = None;
let mut pure_ltr = true;
let mut idx = 0;
for codepoint in input.chars() {
let mut character_len = codepoint.len_utf8();
let mut codepoint = codepoint as u32;
if !is_none(codepoint) {
if let Some(class) = Class::new(codepoint) {
if class == Class::WS && codepoint > 0x7f {
character_len = 1;
codepoint = 0x20;
}
original_classes.resize(original_classes.len() + character_len, class);
match class {
Class::B => {
let paragraph_end = idx + character_len;
paragraphs.push(Paragraph {
range: paragraph_start..paragraph_end,
level: paragraph_level.unwrap_or(Level::ltr()),
pure_ltr,
});
paragraph_start = paragraph_end;
pure_ltr = true;
isolate_stack.clear();
paragraph_level = None;
}
Class::L | Class::R | Class::AL => {
if class != Class::L {
pure_ltr = false;
}
match isolate_stack.last() {
Some(&start_idx) => {
if original_classes[start_idx] == Class::FSI {
let new_class = if class == Class::L {
Class::LRI
} else {
Class::RLI
};
for j in 0..3 {
original_classes[start_idx + j] = new_class;
}
}
}
None => {
if paragraph_level.is_none() {
paragraph_level.replace(if class == Class::L {
Level::ltr()
} else {
Level::rtl()
});
}
}
}
}
Class::AN | Class::LRE | Class::RLE | Class::LRO | Class::RLO => {
pure_ltr = false;
}
Class::RLI | Class::LRI | Class::FSI => {
pure_ltr = false;
isolate_stack.push(idx);
}
Class::PDI => {
isolate_stack.pop();
}
_ => {}
}
// SAFETY: the only modification to this codepoint is in the if-statement above.
refined_input.push(unsafe { char::from_u32_unchecked(codepoint) });
idx += character_len;
}
}
}
if paragraph_start < idx {
paragraphs.push(Paragraph {
range: paragraph_start..idx,
level: paragraph_level.unwrap_or(Level::ltr()),
pure_ltr,
});
}
(refined_input, original_classes, paragraphs)
}
pub(crate) fn reorder<F>(input: &str, map: F) -> Result<String, Error>
where
F: Fn(char, &mut String),
{
let (refined_input, original_classes, paragraphs) = first_cure_pass(input);
let mut levels = Vec::with_capacity(refined_input.len());
let mut processing_classes = original_classes.clone();
let mut output = String::with_capacity(refined_input.len());
for paragraph in paragraphs.iter() {
levels.resize(levels.len() + paragraph.range.len(), paragraph.level);
if paragraph.level.0 != 0 || !paragraph.pure_ltr {
let input = paragraph.sliced(&refined_input);
let original_classes = paragraph.sliced(&original_classes);
let processing_classes = paragraph.sliced_mut(&mut processing_classes);
let levels = paragraph.sliced_mut(&mut levels);
paragraph.compute_explicit(input, original_classes, processing_classes, levels);
for sequence in paragraph.isolating_run_sequences(levels, original_classes) {
sequence.resolve_implicit_weak(input, processing_classes);
sequence.resolve_implicit_neutral(input, processing_classes, levels);
}
for j in 0..levels.len() {
match (levels[j].is_rtl(), processing_classes[j]) {
(false, Class::AN) | (false, Class::EN) => levels[j].raise(2)?,
(false, Class::R) | (true, Class::L) | (true, Class::EN) | (true, Class::AN) => {
levels[j].raise(1)?
}
(_, _) => {}
}
if original_classes[j].removed_by_x9() {
levels[j] = if j > 0 {
levels[j - 1]
} else {
paragraph.level
};
}
}
}
}
for paragraph in paragraphs.iter() {
let (revised_levels, runs) =
paragraph.visual_runs(&refined_input, &original_classes, &levels)?;
for run in runs {
let text = &refined_input[run.clone()];
if revised_levels[run.start].is_rtl() {
for c in text.chars().rev() {
map(c, &mut output);
}
} else {
for c in text.chars() {
map(c, &mut output);
}
}
}
}
Ok(output)
}
/// Cures a string.
///
/// Output will always be in lowercase and it will be [bidirectionally reordered](https://en.wikipedia.org/wiki/Bidirectional_text) in order to treat right-to-left characters. Therefore, the output of this function *should not* be displayed visually.
///
/// # Errors
///
/// Errors if the string is malformed to the point where it's not possible to apply unicode's bidirectional algorithm to it.
///
/// # Examples
///
/// Basic usage:
///
/// ```rust
/// let cured = decancer::cure("vEⓡ𝔂 𝔽𝕌Ňℕy ţ乇𝕏𝓣").unwrap();
///
/// assert_eq!(cured, "very funny text");
/// assert!(cured.contains("FuNny"));
/// assert_eq!(cured.into_str(), String::from("very funny text"));
/// ```
pub fn cure(input: &str) -> Result<CuredString, Error> {
Ok(CuredString(reorder(input, |c, output| cure_char_inner(c as _).add_to(output))?))
}
}
}