pretty/lib.rs
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
//! This crate defines a
//! [Wadler-style](http://homepages.inf.ed.ac.uk/wadler/papers/prettier/prettier.pdf)
//! pretty-printing API.
//!
//! Start with with the static functions of [Doc](enum.Doc.html).
//!
//! ## Quick start
//!
//! Let's pretty-print simple sexps! We want to pretty print sexps like
//!
//! ```lisp
//! (1 2 3)
//! ```
//! or, if the line would be too long, like
//!
//! ```lisp
//! ((1)
//! (2 3)
//! (4 5 6))
//! ```
//!
//! A _simple symbolic expression_ consists of a numeric _atom_ or a nested ordered _list_ of
//! symbolic expression children.
//!
//! ```rust
//! # extern crate pretty;
//! # use pretty::*;
//! enum SExp {
//! Atom(u32),
//! List(Vec<SExp>),
//! }
//! use SExp::*;
//! # fn main() { }
//! ```
//!
//! We define a simple conversion to a [Doc](enum.Doc.html). Atoms are rendered as strings; lists
//! are recursively rendered, with spaces between children where appropriate. Children are
//! [nested]() and [grouped](), allowing them to be laid out in a single line as appropriate.
//!
//! ```rust
//! # extern crate pretty;
//! # use pretty::*;
//! # enum SExp {
//! # Atom(u32),
//! # List(Vec<SExp>),
//! # }
//! # use SExp::*;
//! impl SExp {
//! /// Return a pretty printed format of self.
//! pub fn to_doc(&self) -> Doc<BoxDoc<()>> {
//! match *self {
//! Atom(ref x) => Doc::as_string(x),
//! List(ref xs) =>
//! Doc::text("(")
//! .append(Doc::intersperse(xs.into_iter().map(|x| x.to_doc()), Doc::space()).nest(1).group())
//! .append(Doc::text(")"))
//! }
//! }
//! }
//! # fn main() { }
//! ```
//!
//! Next, we convert the [Doc](enum.Doc.html) to a plain old string.
//!
//! ```rust
//! # extern crate pretty;
//! # use pretty::*;
//! # enum SExp {
//! # Atom(u32),
//! # List(Vec<SExp>),
//! # }
//! # use SExp::*;
//! # impl SExp {
//! # /// Return a pretty printed format of self.
//! # pub fn to_doc(&self) -> Doc<BoxDoc<()>> {
//! # match *self {
//! # Atom(ref x) => Doc::as_string(x),
//! # List(ref xs) =>
//! # Doc::text("(")
//! # .append(Doc::intersperse(xs.into_iter().map(|x| x.to_doc()), Doc::space()).nest(1).group())
//! # .append(Doc::text(")"))
//! # }
//! # }
//! # }
//! impl SExp {
//! pub fn to_pretty(&self, width: usize) -> String {
//! let mut w = Vec::new();
//! self.to_doc().render(width, &mut w).unwrap();
//! String::from_utf8(w).unwrap()
//! }
//! }
//! # fn main() { }
//! ```
//!
//! And finally we can test that the nesting and grouping behaves as we expected.
//!
//! ```rust
//! # extern crate pretty;
//! # use pretty::*;
//! # enum SExp {
//! # Atom(u32),
//! # List(Vec<SExp>),
//! # }
//! # use SExp::*;
//! # impl SExp {
//! # /// Return a pretty printed format of self.
//! # pub fn to_doc(&self) -> Doc<BoxDoc<()>> {
//! # match *self {
//! # Atom(ref x) => Doc::as_string(x),
//! # List(ref xs) =>
//! # Doc::text("(")
//! # .append(Doc::intersperse(xs.into_iter().map(|x| x.to_doc()), Doc::space()).nest(1).group())
//! # .append(Doc::text(")"))
//! # }
//! # }
//! # }
//! # impl SExp {
//! # pub fn to_pretty(&self, width: usize) -> String {
//! # let mut w = Vec::new();
//! # self.to_doc().render(width, &mut w).unwrap();
//! # String::from_utf8(w).unwrap()
//! # }
//! # }
//! # fn main() {
//! let atom = SExp::Atom(5);
//! assert_eq!("5", atom.to_pretty(10));
//! let list = SExp::List(vec![SExp::Atom(1), SExp::Atom(2), SExp::Atom(3)]);
//! assert_eq!("(1 2 3)", list.to_pretty(10));
//! assert_eq!("\
//! (1
//! 2
//! 3)", list.to_pretty(5));
//! # }
//! ```
//!
//! ## Advanced usage
//!
//! There's a more efficient pattern that uses the [DocAllocator](trait.DocAllocator.html) trait, as
//! implemented by [BoxAllocator](struct.BoxAllocator.html), to allocate
//! [DocBuilder](struct.DocBuilder.html) instances. See
//! [examples/trees.rs](https://github.com/freebroccolo/pretty.rs/blob/master/examples/trees.rs#L39)
//! for this approach.
#[cfg(feature = "termcolor")]
pub extern crate termcolor;
extern crate typed_arena;
use std::borrow::Cow;
use std::fmt;
use std::io;
use std::ops::Deref;
#[cfg(feature = "termcolor")]
use termcolor::{ColorSpec, WriteColor};
mod render;
#[cfg(feature = "termcolor")]
pub use self::render::TermColored;
pub use self::render::{FmtWrite, IoWrite, Render, RenderAnnotated};
/// The concrete document type. This type is not meant to be used directly. Instead use the static
/// functions on `Doc` or the methods on an `DocAllocator`.
///
/// The `T` parameter is used to abstract over pointers to `Doc`. See `RefDoc` and `BoxDoc` for how
/// it is used
#[derive(Clone, Debug, Eq, Ord, PartialEq, PartialOrd)]
pub enum Doc<'a, T, A = ()> {
Nil,
Append(T, T),
Group(T),
Nest(usize, T),
Space,
Newline,
Text(Cow<'a, str>),
Annotated(A, T),
}
impl<'a, T, A> Doc<'a, T, A> {
/// An empty document.
#[inline]
pub fn nil() -> Doc<'a, T, A> {
Doc::Nil
}
/// The text `t.to_string()`.
///
/// The given text must not contain line breaks.
#[inline]
pub fn as_string<U: ToString>(data: U) -> Doc<'a, T, A> {
Doc::text(data.to_string())
}
/// A single newline.
#[inline]
pub fn newline() -> Doc<'a, T, A> {
Doc::Newline
}
/// The given text, which must not contain line breaks.
#[inline]
pub fn text<U: Into<Cow<'a, str>>>(data: U) -> Doc<'a, T, A> {
Doc::Text(data.into())
}
/// A space.
#[inline]
pub fn space() -> Doc<'a, T, A> {
Doc::Space
}
}
impl<'a, A> Doc<'a, BoxDoc<'a, A>, A> {
/// Append the given document after this document.
#[inline]
pub fn append<D>(self, that: D) -> Doc<'a, BoxDoc<'a, A>, A>
where
D: Into<Doc<'a, BoxDoc<'a, A>, A>>,
{
DocBuilder(&BOX_ALLOCATOR, self).append(that).into()
}
/// A single document concatenating all the given documents.
#[inline]
pub fn concat<I>(docs: I) -> Doc<'a, BoxDoc<'a, A>, A>
where
I: IntoIterator,
I::Item: Into<Doc<'a, BoxDoc<'a, A>, A>>,
{
docs.into_iter().fold(Doc::nil(), |a, b| a.append(b))
}
/// A single document interspersing the given separator `S` between the given documents. For
/// example, if the documents are `[A, B, C, ..., Z]`, this yields `[A, S, B, S, C, S, ..., S, Z]`.
///
/// Compare [the `intersperse` method from the `itertools` crate](https://docs.rs/itertools/0.5.9/itertools/trait.Itertools.html#method.intersperse).
#[inline]
pub fn intersperse<I, S>(docs: I, separator: S) -> Doc<'a, BoxDoc<'a, A>, A>
where
I: IntoIterator,
I::Item: Into<Doc<'a, BoxDoc<'a, A>, A>>,
S: Into<Doc<'a, BoxDoc<'a, A>, A>> + Clone,
A: Clone,
{
let mut result = Doc::nil();
let mut iter = docs.into_iter();
if let Some(first) = iter.next() {
result = result.append(first);
for doc in iter {
result = result.append(separator.clone());
result = result.append(doc);
}
}
result
}
/// Mark this document as a group.
///
/// Groups are layed out on a single line if possible. Within a group, all basic documents with
/// several possible layouts are assigned the same layout, that is, they are all layed out
/// horizontally and combined into a one single line, or they are each layed out on their own
/// line.
#[inline]
pub fn group(self) -> Doc<'a, BoxDoc<'a, A>, A> {
DocBuilder(&BOX_ALLOCATOR, self).group().into()
}
/// Increase the indentation level of this document.
#[inline]
pub fn nest(self, offset: usize) -> Doc<'a, BoxDoc<'a, A>, A> {
DocBuilder(&BOX_ALLOCATOR, self).nest(offset).into()
}
#[inline]
pub fn annotate(self, ann: A) -> Doc<'a, BoxDoc<'a, A>, A> {
DocBuilder(&BOX_ALLOCATOR, self).annotate(ann).into()
}
}
impl<'a, T, A, S> From<S> for Doc<'a, T, A>
where
S: Into<Cow<'a, str>>,
{
fn from(s: S) -> Doc<'a, T, A> {
Doc::Text(s.into())
}
}
pub struct Pretty<'a, T, A>
where
A: 'a,
T: 'a,
{
doc: &'a Doc<'a, T, A>,
width: usize,
}
impl<'a, T, A> fmt::Display for Pretty<'a, T, A>
where
T: Deref<Target = Doc<'a, T, A>>,
{
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
self.doc.render_fmt(self.width, f)
}
}
impl<'a, T, A> Doc<'a, T, A> {
/// Writes a rendered document to a `std::io::Write` object.
#[inline]
pub fn render<'b, W>(&'b self, width: usize, out: &mut W) -> io::Result<()>
where
T: Deref<Target = Doc<'b, T, A>>,
W: ?Sized + io::Write,
{
self.render_raw(width, &mut IoWrite::new(out))
}
/// Writes a rendered document to a `std::fmt::Write` object.
#[inline]
pub fn render_fmt<'b, W>(&'b self, width: usize, out: &mut W) -> fmt::Result
where
T: Deref<Target = Doc<'b, T, A>>,
W: ?Sized + fmt::Write,
{
self.render_raw(width, &mut FmtWrite::new(out))
}
/// Writes a rendered document to a `RenderAnnotated<A>` object.
#[inline]
pub fn render_raw<'b, W>(&'b self, width: usize, out: &mut W) -> Result<(), W::Error>
where
T: Deref<Target = Doc<'b, T, A>>,
W: ?Sized + render::RenderAnnotated<A>,
{
render::best(self, width, out)
}
/// Returns a value which implements `std::fmt::Display`
///
/// ```
/// use pretty::Doc;
/// let doc = Doc::<_>::group(
/// Doc::text("hello").append(Doc::space()).append(Doc::text("world"))
/// );
/// assert_eq!(format!("{}", doc.pretty(80)), "hello world");
/// ```
#[inline]
pub fn pretty<'b>(&'b self, width: usize) -> Pretty<'b, T, A>
where
T: Deref<Target = Doc<'b, T, A>>,
{
Pretty { doc: self, width }
}
}
#[cfg(feature = "termcolor")]
impl<'a, T> Doc<'a, T, ColorSpec> {
#[inline]
pub fn render_colored<'b, W>(&'b self, width: usize, out: W) -> io::Result<()>
where
T: Deref<Target = Doc<'b, T, ColorSpec>>,
W: WriteColor,
{
render::best(self, width, &mut TermColored::new(out))
}
}
#[derive(Clone, Eq, Ord, PartialEq, PartialOrd)]
pub struct BoxDoc<'a, A>(Box<Doc<'a, BoxDoc<'a, A>, A>>);
impl<'a, A> fmt::Debug for BoxDoc<'a, A>
where
A: fmt::Debug,
{
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
self.0.fmt(f)
}
}
impl<'a, A> BoxDoc<'a, A> {
fn new(doc: Doc<'a, BoxDoc<'a, A>, A>) -> BoxDoc<'a, A> {
BoxDoc(Box::new(doc))
}
}
impl<'a, A> Deref for BoxDoc<'a, A> {
type Target = Doc<'a, BoxDoc<'a, A>, A>;
fn deref(&self) -> &Self::Target {
&self.0
}
}
/// The `DocBuilder` type allows for convenient appending of documents even for arena allocated
/// documents by storing the arena inline.
#[derive(Eq, Ord, PartialEq, PartialOrd)]
pub struct DocBuilder<'a, D, A = ()>(pub &'a D, pub Doc<'a, D::Doc, A>)
where
D: ?Sized + DocAllocator<'a, A> + 'a;
impl<'a, A, D> Clone for DocBuilder<'a, D, A>
where
A: Clone,
D: DocAllocator<'a, A> + 'a,
D::Doc: Clone,
{
fn clone(&self) -> Self {
DocBuilder(self.0, self.1.clone())
}
}
impl<'a, D, A> Into<Doc<'a, D::Doc, A>> for DocBuilder<'a, D, A>
where
D: ?Sized + DocAllocator<'a, A>,
{
fn into(self) -> Doc<'a, D::Doc, A> {
self.1
}
}
/// The `DocAllocator` trait abstracts over a type which can allocate (pointers to) `Doc`.
pub trait DocAllocator<'a, A = ()> {
type Doc: Deref<Target = Doc<'a, Self::Doc, A>>;
fn alloc(&'a self, Doc<'a, Self::Doc, A>) -> Self::Doc;
/// Allocate an empty document.
#[inline]
fn nil(&'a self) -> DocBuilder<'a, Self, A> {
DocBuilder(self, Doc::Nil)
}
/// Allocate a single newline.
#[inline]
fn newline(&'a self) -> DocBuilder<'a, Self, A> {
DocBuilder(self, Doc::Newline)
}
/// Allocate a single space.
#[inline]
fn space(&'a self) -> DocBuilder<'a, Self, A> {
DocBuilder(self, Doc::Space)
}
/// Allocate a document containing the text `t.to_string()`.
///
/// The given text must not contain line breaks.
#[inline]
fn as_string<U: ToString>(&'a self, data: U) -> DocBuilder<'a, Self, A> {
self.text(data.to_string())
}
/// Allocate a document containing the given text.
///
/// The given text must not contain line breaks.
#[inline]
fn text<U: Into<Cow<'a, str>>>(&'a self, data: U) -> DocBuilder<'a, Self, A> {
DocBuilder(self, Doc::Text(data.into()))
}
/// Allocate a document concatenating the given documents.
#[inline]
fn concat<I>(&'a self, docs: I) -> DocBuilder<'a, Self, A>
where
I: IntoIterator,
I::Item: Into<Doc<'a, Self::Doc, A>>,
{
docs.into_iter().fold(self.nil(), |a, b| a.append(b))
}
/// Allocate a document that intersperses the given separator `S` between the given documents
/// `[A, B, C, ..., Z]`, yielding `[A, S, B, S, C, S, ..., S, Z]`.
///
/// Compare [the `intersperse` method from the `itertools` crate](https://docs.rs/itertools/0.5.9/itertools/trait.Itertools.html#method.intersperse).
#[inline]
fn intersperse<I, S>(&'a self, docs: I, separator: S) -> DocBuilder<'a, Self, A>
where
I: IntoIterator,
I::Item: Into<Doc<'a, Self::Doc, A>>,
S: Into<Doc<'a, Self::Doc, A>> + Clone,
{
let mut result = self.nil();
let mut iter = docs.into_iter();
if let Some(first) = iter.next() {
result = result.append(first);
for doc in iter {
result = result.append(separator.clone());
result = result.append(doc);
}
}
result
}
}
impl<'a, 's, D, A> DocBuilder<'a, D, A>
where
D: ?Sized + DocAllocator<'a, A>,
{
/// Append the given document after this document.
#[inline]
pub fn append<E>(self, that: E) -> DocBuilder<'a, D, A>
where
E: Into<Doc<'a, D::Doc, A>>,
{
let DocBuilder(allocator, this) = self;
let that = that.into();
let doc = match (this, that) {
(Doc::Nil, that) => that,
(this, Doc::Nil) => this,
(this, that) => Doc::Append(allocator.alloc(this), allocator.alloc(that)),
};
DocBuilder(allocator, doc)
}
/// Mark this document as a group.
///
/// Groups are layed out on a single line if possible. Within a group, all basic documents with
/// several possible layouts are assigned the same layout, that is, they are all layed out
/// horizontally and combined into a one single line, or they are each layed out on their own
/// line.
#[inline]
pub fn group(self) -> DocBuilder<'a, D, A> {
let DocBuilder(allocator, this) = self;
DocBuilder(allocator, Doc::Group(allocator.alloc(this)))
}
/// Increase the indentation level of this document.
#[inline]
pub fn nest(self, offset: usize) -> DocBuilder<'a, D, A> {
if offset == 0 {
return self;
}
let DocBuilder(allocator, this) = self;
DocBuilder(allocator, Doc::Nest(offset, allocator.alloc(this)))
}
#[inline]
pub fn annotate(self, ann: A) -> DocBuilder<'a, D, A> {
let DocBuilder(allocator, this) = self;
DocBuilder(allocator, Doc::Annotated(ann, allocator.alloc(this)))
}
}
/// Newtype wrapper for `&Doc`
#[derive(Clone, Eq, Ord, PartialEq, PartialOrd)]
pub struct RefDoc<'a, A: 'a>(&'a Doc<'a, RefDoc<'a, A>, A>);
impl<'a, A> fmt::Debug for RefDoc<'a, A>
where
A: fmt::Debug,
{
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
self.0.fmt(f)
}
}
impl<'a, A> Deref for RefDoc<'a, A> {
type Target = Doc<'a, RefDoc<'a, A>, A>;
fn deref(&self) -> &Self::Target {
&self.0
}
}
/// An arena which can be used to allocate `Doc` values.
pub type Arena<'a, A = ()> = typed_arena::Arena<Doc<'a, RefDoc<'a, A>, A>>;
impl<'a, D, A> DocAllocator<'a, A> for &'a D
where
D: ?Sized + DocAllocator<'a, A>,
{
type Doc = D::Doc;
#[inline]
fn alloc(&'a self, doc: Doc<'a, Self::Doc, A>) -> Self::Doc {
(**self).alloc(doc)
}
}
impl<'a, A> DocAllocator<'a, A> for Arena<'a, A> {
type Doc = RefDoc<'a, A>;
#[inline]
fn alloc(&'a self, doc: Doc<'a, Self::Doc, A>) -> Self::Doc {
RefDoc(match doc {
// Return 'static references for unit variants to save a small
// amount of space in the arena
Doc::Nil => &Doc::Nil,
Doc::Space => &Doc::Space,
Doc::Newline => &Doc::Newline,
_ => Arena::alloc(self, doc),
})
}
}
pub struct BoxAllocator;
static BOX_ALLOCATOR: BoxAllocator = BoxAllocator;
impl<'a, A> DocAllocator<'a, A> for BoxAllocator {
type Doc = BoxDoc<'a, A>;
#[inline]
fn alloc(&'a self, doc: Doc<'a, Self::Doc, A>) -> Self::Doc {
BoxDoc::new(doc)
}
}
#[cfg(test)]
mod tests {
use super::*;
macro_rules! test {
($size:expr, $actual:expr, $expected:expr) => {
let mut s = String::new();
$actual.render_fmt($size, &mut s).unwrap();
assert_eq!(s, $expected);
};
($actual:expr, $expected:expr) => {
test!(70, $actual, $expected)
};
}
#[test]
fn box_doc_inference() {
let doc = Doc::<_>::group(
Doc::text("test")
.append(Doc::space())
.append(Doc::text("test")),
);
test!(doc, "test test");
}
#[test]
fn newline_in_text() {
let doc = Doc::<_>::group(
Doc::text("test").append(
Doc::space()
.append(Doc::text("\"test\n test\""))
.nest(4),
),
);
test!(5, doc, "test\n \"test\n test\"");
}
#[test]
fn forced_newline() {
let doc = Doc::<_>::group(
Doc::text("test")
.append(Doc::newline())
.append(Doc::text("test")),
);
test!(doc, "test\ntest");
}
#[test]
fn space_do_not_reset_pos() {
let doc = Doc::<_>::group(Doc::text("test").append(Doc::space()))
.append(Doc::text("test"))
.append(Doc::group(Doc::space()).append(Doc::text("test")));
test!(9, doc, "test test\ntest");
}
// Tests that the `Doc::newline()` does not cause the rest of document to think that it fits on
// a single line but instead breaks on the `Doc::space()` to fit with 6 columns
#[test]
fn newline_does_not_cause_next_line_to_be_to_long() {
let doc = Doc::<_>::group(
Doc::text("test").append(Doc::newline()).append(
Doc::text("test")
.append(Doc::space())
.append(Doc::text("test")),
),
);
test!(6, doc, "test\ntest\ntest");
}
#[test]
fn block() {
let doc = Doc::<_>::group(
Doc::text("{")
.append(
Doc::space()
.append(Doc::text("test"))
.append(Doc::space())
.append(Doc::text("test"))
.nest(2),
)
.append(Doc::space())
.append(Doc::text("}")),
);
test!(5, doc, "{\n test\n test\n}");
}
#[test]
fn annotation_no_panic() {
let doc = Doc::group(
Doc::text("test")
.annotate(())
.append(Doc::newline())
.annotate(())
.append(Doc::text("test")),
);
test!(doc, "test\ntest");
}
}