derive_deftly_macros/paste.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 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
//! Implementation of identifier pasting expansion `${paste }`
use super::framework::*;
/// Accumulator for things to be pasted
///
/// Implements [`ExpansionOutput`] and [`SubstParseContext`]:
/// i.e., it corresponds to the lexical context for a `${paste }`,
/// and collects the identifier fragments being pasted.
#[derive(Debug)]
pub struct Items {
tspan: Span,
items: Vec<Item>,
errors: Vec<syn::Error>,
atoms: Vec<AtomForReport>,
}
/// One spanned input element, for use when reporting bad ident errors
///
/// We call this an "atom"; in nested pastes,
/// the atoms are the original input items.
#[derive(Debug, Clone)]
pub struct AtomForReport {
text: String,
span: Span,
}
#[derive(Debug)]
/// Entry in a `${paste ...}` or `${CASE ...}`
///
/// `te_span` is the span of this item entry in the template.
/// It is used for error reporting if we can't cope with this entry
/// (for example, if we have multiple nontrivial entries.)
enum Item {
Plain {
text: String,
span: Option<Span>,
},
Complex {
surround: Surround,
text: String,
te_span: Span,
},
}
#[derive(Debug)]
struct Surround {
pre: TokenStream,
post: TokenStream,
grouping: Grouping,
}
//---------- IdentFrag ----------
/// Uninhabited "bad identifier" error for conversions from already-tokens
#[derive(Copy, Clone, Debug)]
pub struct IdentFragInfallible(pub Void);
impl From<IdentFragInfallible> for syn::Error {
fn from(i: IdentFragInfallible) -> syn::Error {
void::unreachable(i.0)
}
}
impl IdentFragInfallible {
pub fn unreachable(&self) -> ! {
void::unreachable(self.0)
}
}
/// For use with `ExpansionOutput.append_identfrag_toks` etc.
///
/// Sort of like `quote::IdentFragment`.
/// But:
///
/// * Strings available directly, not via the inconvenient `fmt`,
/// * identifier construction doesn't involve `format_ident!` and panics.
/// * `paste::InputAtom` passed through separately,
///
/// The main purpose of this trait is to allow deferral of errors
/// from constructing bad identifiers. Some *inputs* (implementors
/// of `IdentFrag`, typically those which are already tokens) can
/// infallibly be appended as tokens.
///
/// But paste results aren't converted to identifiers until the last
/// moment: they can'tbed converted infallibly, and the error surfaces
/// in `convert_to_ident`.
///
/// The framework methods `append_*ident*` propagate any error to the
/// call site. Call sites which pass already-tokens can just use `?`
/// to convert the uninhabited error to `syn::Error` - or they can
/// use `IdentFragInfallible::unreachable`.
///
/// Call sites which pass actually-fallible content (ie, paste results)
/// end up with a `syn::Error`.
pub trait IdentFrag: Spanned {
type BadIdent: Clone;
/// (Try to) convert to tokens (ie, real `Ident`)
///
/// Depending on the implementor, this might be fallible, or not.
fn frag_to_tokens(
&self,
out: &mut TokenStream,
) -> Result<(), Self::BadIdent>;
/// The fragment as a string
fn fragment(&self) -> String;
/// Transfer information about the atoms in this `IdentFrag` into `out`
///
/// If, ultimately, a bad identifier is constructed using
/// some of this input,
/// these atoms will be reported.
fn note_atoms(&self, out: &mut Vec<AtomForReport>) {
out.push(AtomForReport {
text: self.fragment(),
span: self.span(),
});
}
}
impl<T: ToTokens + quote::IdentFragment + Display> IdentFrag for T {
type BadIdent = IdentFragInfallible;
fn frag_to_tokens(
&self,
out: &mut TokenStream,
) -> Result<(), IdentFragInfallible> {
Ok(self.to_tokens(out))
}
fn fragment(&self) -> String {
let s = self.to_string();
if let Some(s) = s.strip_prefix("r#") {
s.to_string()
} else {
s
}
}
}
//---------- case conversion ----------
/// Define cases using heck
///
/// heck doesn't provide standard names for case conversions,
/// or an enum to represent a case conversion.
/// This macro defines both. Specifically:
/// * The fieldless enum `ChangeCase`.
/// * Its `FromStr` implementation, which accepts the `$keyword`s.
/// * Its `apply()` method, which actually performs the conversion.
///
/// `$heck` is the name of the `As` conversion struct in the heck
/// API. It will become the variant name in `ChangeCase`.
///
/// `$keyword` are the keywords we recognise for this case conversion.
#[cfg(feature = "case")]
macro_rules! define_cases { {
$(
$heck:ident $( $keyword:literal )*,
)*
} => {
#[derive(Debug, Clone, Copy)]
pub enum ChangeCase {
$( $heck, )*
}
impl FromStr for ChangeCase {
type Err = ();
fn from_str(s: &str) -> Result<Self, ()> {
Ok(match s {
$(
$( $keyword )|* => ChangeCase::$heck,
)*
_ => return Err(()),
})
}
}
impl ChangeCase {
fn apply(self, input: &str) -> String {
match self {
$(
ChangeCase::$heck => heck::$heck(input).to_string(),
)*
}
}
}
} }
#[cfg(not(feature = "case"))]
macro_rules! define_cases { {
$(
$heck:ident $( $keyword:literal )*,
)*
} => {
#[derive(Debug, Clone, Copy)]
pub enum ChangeCase {}
impl FromStr for ChangeCase {
type Err = ();
fn from_str(s: &str) -> Result<Self, ()> {
match s {
$(
$( $keyword )|* => {}
)*
_ => return Err(()),
}
// Minimal build, so no need to bother with a proper error.
panic!(
"case changing not supported, enable `case` feature of `derive-deftly`"
);
}
}
impl ChangeCase {
fn apply(self, _input: &str) -> String {
match self {}
}
}
} }
define_cases! {
// heck API our keyword (and aliases) our example(s)
AsUpperCamelCase "pascal_case" "upper_camel_case" ,
AsLowerCamelCase "lower_camel_case" ,
AsSnakeCase "snake_case" ,
AsShoutySnakeCase "shouty_snake_case" ,
}
//---------- TokenPastesAsIdent ----------
/// For use with `ExpansionOutput.push_identfrag_toks`
///
/// Will then write out `T` as its tokens.
/// In identifier pasting, converts the tokens to a string first
/// (so they had better be identifiers, or ident fragments).
pub struct TokenPastesAsIdent<T>(pub T);
impl<T: ToTokens> Spanned for TokenPastesAsIdent<T> {
fn span(&self) -> Span {
self.0.span()
}
}
impl<T: ToTokens> IdentFrag for TokenPastesAsIdent<T> {
type BadIdent = IdentFragInfallible;
fn frag_to_tokens(
&self,
out: &mut TokenStream,
) -> Result<(), Self::BadIdent> {
Ok(self.0.to_tokens(out))
}
fn fragment(&self) -> String {
self.0.to_token_stream().to_string()
}
}
//---------- implementation ----------
impl Items {
pub fn new(tspan: Span) -> Self {
Items {
tspan,
items: vec![],
errors: vec![],
atoms: vec![],
}
}
}
/// Core of the results from mk_ident
#[derive(Debug)]
struct Pasted {
/// String if we're to make an identifier, or for more pasting
whole: String,
/// Span if we're to make an identifier
span: Span,
/// What to consider complaining about if we can't make an identifier
atoms: Vec<AtomForReport>,
}
impl Spanned for Pasted {
fn span(&self) -> Span {
self.span
}
}
impl IdentFrag for Pasted {
type BadIdent = syn::Error;
fn fragment(&self) -> String {
self.whole.clone()
}
fn note_atoms(&self, atoms: &mut Vec<AtomForReport>) {
atoms.extend(self.atoms.iter().cloned())
}
fn frag_to_tokens(&self, out: &mut TokenStream) -> syn::Result<()> {
let ident = convert_to_ident(self)?;
ident.to_tokens(out);
Ok(())
}
}
/// Element of input to `mk_ident`: one bit of the leaf identifier
///
/// This is, essentially, the part of an `Item` which contributes to the
/// pasting.
type Piece<'i> = (&'i str, Option<Span>);
enum AssemblyInstruction {
Plain(Pasted),
Complex {
tspan: Span,
surround: Surround,
ident: Pasted,
},
}
use AssemblyInstruction as AI;
/// Make a leaf identifier out of pieces
///
/// Actually pastes together the pieces.
///
/// Any surrounding path elements, generics, etc., of a nontrivial
/// expansion, are handled by `assemble`, not here.
fn mk_ident<'i>(
out_span: Span,
change_case: Option<ChangeCase>,
pieces: impl Iterator<Item = Piece<'i>> + Clone,
atoms: Vec<AtomForReport>,
) -> Pasted {
let whole = pieces.clone().map(|i| i.0).collect::<String>();
let whole = if let Some(change_case) = change_case {
change_case.apply(&whole)
} else {
whole
};
Pasted {
span: out_span,
whole,
atoms,
}
}
/// Error that stands in for the `syn::Error` from an invalid identifier
///
/// We don't expose this outside this module.
/// It's used internally in `convert_to_ident`, and in tests.
#[derive(Eq, PartialEq, Debug)]
struct InvalidIdent;
/// Obtain an actual `syn::Ident` from the results of pasting
//
/// The meat of `<Pasted as IdentFrag>::frag_to_tokens`.
/// Split off largely to save on rightward drift.
fn convert_to_ident(pasted: &Pasted) -> syn::Result<syn::Ident> {
// Try to make an identifier from a string
//
// `format_ident!` and `Ident::new` and so on all panic if the
// identifier is invalid. That's quite inconvenient. In particular,
// it can result in tests spewing junk output with RUST_BACKTRACE=1.
//
// syn::parse_str isn't perfect either:
//
// 1. It accepts whitespace and perhaps other irregularities.
// We want to accept only precisely the identifier string.
//
// 2. It generates random extra errors, via some out of band means,
// if the string can't be tokenised.
// Eg, `<proc_macro2::TokenStream as FromStr>::parse("0_end")`
// generates a spurious complaint to stderr as well as
// a strange OK result containing a literal.
// This doesn't matter very much for our purposes because we
// never try to completely *swallow* a bad identifier error -
// we always surface an error of our own, and the extra one
// from parse_str is tolerable.
//
// 3. The syn::Error from an invalid identifier is not very illuminating.
// So we discard it, and replace it with our own.
//
// 4. Just parsing Ident won't accept keywords. We could use
// IdentAny but that would give us keywords *as non-raw identifiers*
// but we need *raw* identifiers if the string was a keyword:
// i.e., in that case we want a raw identifier instead.
// (This can happen if pasting or case changing generates a keyword,
// or if a raw identifier euqal to a keyword is pasted with nothing.)
let mut ident = (|| {
let s = &pasted.whole;
let prefixed;
let (ident, comparator) = match syn::parse_str::<Ident>(s) {
Ok(ident) => {
// parse_str thought it was a valid identifier as-is
(ident, s)
}
Err(_) => {
// Problem 4 (needs raw) has arisen maybe?
prefixed = format!("r#{}", s);
let ident = syn::parse_str::<Ident>(&prefixed)
// Oh, it doesn't parse this way either, bail
.map_err(|_| InvalidIdent)?;
(ident, &prefixed)
}
};
// Check for problem 1 (accepting extraneous spaces etc.)
if &ident.to_string() != comparator {
return Err(InvalidIdent);
}
Ok(ident)
})()
.map_err(|_| {
// Make our own error (see problem 3 above)
let mut err = pasted.span.error(format_args!(
"constructed identifier {:?} is invalid",
&pasted.whole,
));
// We want to show the user where the bad part is. In
// particular, if it came from somewhere nontrivial like an
// ${Xmeta}. But, we don't want to dump one error for every
// input, because most of them will be harmless fixed
// identifiers, in the template right next to the ${paste}.
// So, try out each input bit and see if it would make an
// identifier by itself.
for (
AtomForReport {
text: piece,
span: pspan,
},
pfx,
) in izip!(
&pasted.atoms,
// The first entry must be valid as an identifier start.
// The subsequent entries, we prepend with "X". If the first
// entry was empty, that would be reported too. This may
// mean we make more reports than needed, which is why we say
// "probably".
chain!(iter::once(""), iter::repeat("X")),
) {
// We accept keywords. If the problem was that the output
// was a keyword because one of the inputs was, we hope that
// this is because one of the other inputs was empty.
//
// If the output was a keyword for some other reason, it
// probably means the identifier construction scheme is
// defective and hopefully the situation will be obvious to
// the user.
match syn::parse_str(&format!("{}{}", pfx, piece)) {
Ok::<IdentAny, _>(_) => {}
Err(_) => err
.combine(pspan.error(
"probably-invalid input to identifier pasting",
)),
}
}
err
})?;
ident.set_span(pasted.span);
Ok(ident)
}
#[test]
fn ident_from_str() {
let span = Span::call_site();
let chk = |s: &str, exp: Result<&str, _>| {
let p = Pasted {
whole: s.to_string(),
span,
atoms: vec![],
};
let parsed = convert_to_ident(&p)
.map(|i| i.to_string())
.map_err(|_| InvalidIdent);
let exp = exp.map(|i| i.to_string());
assert_eq!(parsed, exp);
};
let chk_ok = |s| chk(s, Ok(s));
let chk_err = |s| chk(s, Err(InvalidIdent));
chk("for", Ok("r#for"));
chk_ok("r#for");
chk_ok("_thing");
chk_ok("thing_");
chk_ok("r#raw");
chk_err("");
chk_err("a b");
chk_err("spc ");
chk_err(" spc");
chk_err("r#a spc");
chk_err(" r#a ");
chk_err(" r#for ");
chk_err("r#r#doubly_raw");
chk_err("0");
}
pub fn expand(
ctx: &Context<'_>,
kw_span: Span,
content: &Template<paste::Items>,
out: &mut impl ExpansionOutput,
) -> syn::Result<()> {
let mut items = paste::Items::new(kw_span);
content.expand(ctx, &mut items);
items.assemble(out, None)
}
impl Items {
fn append_atom(&mut self, item: Item) {
match &item {
Item::Plain {
text,
span: Some(span),
..
}
| Item::Complex {
text,
te_span: span,
..
} => {
self.atoms.push(AtomForReport {
text: text.clone(),
span: *span,
});
}
Item::Plain { span: None, .. } => {}
};
self.items.push(item);
}
fn append_item_raw(&mut self, item: Item) {
self.items.push(item);
}
/// Append a plain entry from something `Display`
///
/// Like `ExpansionOutput::append_display` but doesn't need `Spanned`
fn append_plain<V: Display>(&mut self, span: Span, v: V) {
self.append_atom(Item::Plain {
text: v.to_string(),
span: Some(span),
})
}
pub fn append_fixed_string(&mut self, text: &'static str) {
self.append_atom(Item::Plain {
text: text.into(),
span: None,
})
}
/// Combine the accumulated pieces and append them to `out`
///
/// Calls
/// [`append_idpath`](ExpansionOutput::append_idpath)
/// if the content contained a nontrivial expansion
/// or
/// [`append_identfrag_toks`](ExpansionOutput::append_identfrag_toks)
/// otherwise.
pub fn assemble(
self,
out: &mut impl ExpansionOutput,
change_case: Option<ChangeCase>,
) -> syn::Result<()> {
if !self.errors.is_empty() {
for error in self.errors {
out.record_error(error);
}
return Ok(());
}
match Self::assemble_inner(
self.tspan,
self.items,
change_case,
self.atoms,
)? {
AI::Plain(ident) => out.append_identfrag_toks(
&ident, //
)?,
AI::Complex {
tspan,
surround,
ident,
} => out.append_idpath(
tspan,
|ta| ta.append(surround.pre),
&ident,
|ta| ta.append(surround.post),
surround.grouping,
)?,
}
Ok(())
}
/// Combine the accumulated pieces and say what to do
///
/// Inner, non-monomorphised, function for [`Items::assemble`].
///
/// Returns `Right` with values to pass to
/// [`append_idpath`](ExpansionOutput::append_idpath)
/// or
/// `Left` with the value to pass to
/// [`append_identfrag_toks`](ExpansionOutput::append_identfrag_toks).
fn assemble_inner(
tspan: Span,
items: Vec<Item>,
change_case: Option<ChangeCase>,
atoms: Vec<AtomForReport>,
) -> syn::Result<AssemblyInstruction> {
// We must always use a similar span when we emit identifiers
// that are going to be used to bind variables, or the hygiene
// system doesn't think they're the same identifier.
//
// We choose the template keyword span for this.
// (The span of `paste` in `${paste ...}`).
// This isn't perfect, since we might want to point at the driver,
// but we don't always have a suitable driver span.
//
// This applies to `fpatname`, `vpat`, and so on, too.
//
// We don't apply to fname too. The template author ought to
// us $vpat to bind fields, not $fname, since $fname risks clashes
// with other variables that might be in scope. But the rustc error
// messages for identifiers with the wrong span are rather poor.
let out_span = tspan;
let nontrivial = items
.iter()
.enumerate()
.filter_map(|(pos, it)| match it {
Item::Plain { .. } => None,
Item::Complex { te_span, .. } => Some((pos, te_span)),
})
.at_most_one()
.map_err(|several| {
// Report one error for each nontrivial expansion
let mut several = several.map(|(_pos, span)| {
span.error("multiple nontrivial entries in ${paste ...}")
});
let mut collect = several.next().unwrap();
collect.extend(several);
collect
})?
.map(|(pos, _)| pos);
fn plain_strs(items: &[Item]) -> impl Iterator<Item = Piece> + Clone {
items.iter().map(|item| match item {
Item::Plain { text, span } => (text.as_str(), *span),
_ => panic!("non plain item"),
})
}
if let Some(nontrivial) = nontrivial {
// We decompose `items` into `items_before`, `items_after`,
// and `items_nontrivial`. There's a bit of shuffling
// to avoid reallocating the array while still providing
// an owned `items_nontrivial` that we can move out of.
let mut items = items;
let item_nontrivial = {
let dummy_item = Item::Plain {
text: String::new(),
span: None,
};
mem::replace(&mut items[nontrivial], dummy_item)
};
let items_before = &items[0..nontrivial];
let items_after = &items[nontrivial + 1..];
let mk_ident_nt = |(text, txspan): Piece, atoms| {
mk_ident(
out_span,
change_case,
chain!(
plain_strs(items_before),
iter::once((text, txspan)),
plain_strs(items_after),
),
atoms,
)
};
match item_nontrivial {
Item::Complex {
surround,
text,
te_span,
} => {
return Ok(AI::Complex {
tspan,
surround,
ident: mk_ident_nt((&text, Some(te_span)), atoms),
})
}
Item::Plain { .. } => panic!("trivial nontrivial"),
}
} else {
return Ok(AI::Plain(
mk_ident(out_span, change_case, plain_strs(&items), atoms), //
));
}
}
}
impl SubstParseContext for Items {
type NotInPaste = Void;
type NotInBool = ();
type BoolOnly = Void;
type DbgContent = Template<Items>;
fn not_in_bool(_: &impl Spanned) -> syn::Result<()> {
Ok(())
}
fn not_in_paste(span: &impl Spanned) -> syn::Result<Void> {
Err(span
.error("not allowed in within ${paste ...} (or case_changing)"))
}
fn meta_recog_usage() -> meta::Usage {
meta::Usage::Value
}
type SpecialParseContext = Option<AngleBrackets>;
fn special_before_element_hook(
special: &mut Option<AngleBrackets>,
input: ParseStream,
) -> syn::Result<Option<SpecialInstructions>> {
if input.peek(Token![>]) {
if let Some(state) = special {
let _: Token![>] = input.parse()?;
state.found_close = true;
return Ok(Some(SpecialInstructions::EndOfTemplate));
} else {
return Err(
input.error("stray > within curly-bracketed ${paste }")
);
}
}
return Ok(None);
}
}
/// Parsing state for `$<...>`
#[derive(Default)]
pub struct AngleBrackets {
found_close: bool,
}
impl AngleBrackets {
pub fn finish(self, start_span: Span) -> syn::Result<()> {
if !self.found_close {
return Err(
start_span.error("unmatched paste $< start - missing >")
);
}
Ok(())
}
}
impl ExpansionOutput for Items {
fn append_identfrag_toks<I: IdentFrag>(
&mut self,
ident: &I,
) -> Result<(), I::BadIdent> {
ident.note_atoms(&mut self.atoms);
self.append_plain(ident.span(), ident.fragment());
Ok(())
}
fn append_idpath<A, B, I>(
&mut self,
te_span: Span,
pre_: A,
ident: &I,
post_: B,
grouping: Grouping,
) -> Result<(), I::BadIdent>
where
A: FnOnce(&mut TokenAccumulator),
B: FnOnce(&mut TokenAccumulator),
I: IdentFrag,
{
let mut pre = TokenAccumulator::new();
pre_(&mut pre);
let mut post = TokenAccumulator::new();
post_(&mut post);
let text = ident.fragment();
let mut handle_err = |prepost: TokenAccumulator| {
prepost.tokens().unwrap_or_else(|err| {
self.record_error(err);
TokenStream::new()
})
};
let pre = handle_err(pre);
let post = handle_err(post);
ident.note_atoms(&mut self.atoms);
let surround = Surround {
pre,
post,
grouping,
};
self.append_item_raw(Item::Complex {
surround,
text,
te_span,
});
Ok(())
}
fn append_syn_litstr(&mut self, lit: &syn::LitStr) {
self.append_plain(lit.span(), lit.value());
}
fn append_syn_type_inner(
&mut self,
te_span: Span,
ty: syn::Type,
grouping: Grouping,
) {
(|| {
match ty {
syn::Type::Path(mut path) => {
let (last_segment, last_punct) = path
.path
.segments
.pop()
.ok_or_else(|| {
te_span.error(
"derive-deftly token pasting applied to path with no components",
)
})?
.into_tuple();
let syn::PathSegment { ident, arguments } = last_segment;
let mut pre = TokenStream::new();
path.to_tokens(&mut pre);
let text = ident.to_string();
let mut post = TokenStream::new();
arguments.to_tokens(&mut post);
last_punct.to_tokens(&mut post);
let surround = Surround { pre, post, grouping };
let item = Item::Complex {
surround,
text,
te_span,
};
self.append_atom(item)
}
x => {
return Err(x.error(
"derive-deftly macro wanted to do identifier pasting, but complex type provided",
))
}
}
Ok::<_, syn::Error>(())
})()
.unwrap_or_else(|e| self.record_error(e));
}
fn append_tokens_with(
&mut self,
not_in_paste: &Void,
_: impl FnOnce(&mut TokenAccumulator) -> syn::Result<()>,
) -> syn::Result<()> {
void::unreachable(*not_in_paste)
}
fn append_bool_only(&mut self, bool_only: &Self::BoolOnly) -> ! {
void::unreachable(*bool_only)
}
fn record_error(&mut self, err: syn::Error) {
self.errors.push(err);
}
fn new_with_span(kw_span: Span) -> Self {
Self::new(kw_span)
}
fn default_subst_meta_as(_: Span) -> syn::Result<meta::SubstAs<Self>> {
Ok(meta::SubstAs::str(()))
}
fn ignore_impl(self) -> syn::Result<()> {
let Items {
tspan: _,
items: _,
atoms: _,
errors,
} = self;
let mut accum = ErrorAccumulator::default();
for e in errors {
accum.push(e);
}
accum.finish()
}
fn dbg_expand(
&mut self,
kw_span: Span,
ctx: &Context,
msg: &mut String,
content: &Template<Items>,
) {
let mut child = Items::new(kw_span);
content.expand(ctx, &mut child);
let Items {
tspan: _,
items,
errors,
atoms: _,
} = child;
(|| {
for e in &errors {
writeln!(msg, "ERROR: {}", e)?;
}
for (sep, i) in izip!(
chain!([""], iter::repeat(" ")), //
&items,
) {
write!(msg, "{}", sep)?;
match i {
Item::Plain { text, .. } => write!(msg, "{:?}", text)?,
Item::Complex { surround, text, .. } => {
write!(
msg,
"{:?}+{:?}+{:?}",
surround.pre.to_string(),
text,
surround.post.to_string(),
)?;
}
}
}
Ok::<_, fmt::Error>(())
})()
.expect("write! failed");
self.items.extend(items);
self.errors.extend(errors);
}
}
impl Expand<Items> for TemplateElement<Items> {
fn expand(&self, ctx: &Context, out: &mut Items) -> syn::Result<()> {
match self {
TE::Ident(ident) => out.append_identfrag_toks(&ident)?,
TE::LitStr(lit) => out.append_syn_litstr(&lit),
TE::Subst(e) => e.expand(ctx, out)?,
TE::Repeat(e) => e.expand(ctx, out),
TE::Literal(_, not_in_paste)
| TE::Punct(_, not_in_paste)
| TE::Group { not_in_paste, .. } => {
void::unreachable(*not_in_paste)
}
}
Ok(())
}
}