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
|
//! Implementation of string concatenation `${concat }`
use super::framework::*;
/// Accumulator for string concatenation `${concat }`
///
/// Implements [`ExpansionOutput`] and [`SubstParseContext`]:
/// i.e., it corresponds to the lexical context for a `${concat }`,
/// and collects the string to be output.
#[derive(Debug)]
pub struct Accumulator {
def_span: Span,
out_span: Option<Span>,
text: String,
errors: ErrorAccumulator,
}
impl Accumulator {
pub fn finish_literal(self) -> syn::Result<syn::LitStr> {
let out_span = self.out_span.unwrap_or(self.def_span);
let text = self.errors.finish_with(self.text)?;
let lit = syn::LitStr::new(&text, out_span);
Ok(lit)
}
pub fn finish_onto<O>(self, np: &O::NotInPaste, out: &mut O)
where
O: ExpansionOutput,
{
// We *would* support ${paste ${concat ...}} but it would be weird.
let _: O::NotInPaste = *np;
(|| {
let lit = self.finish_literal()?;
out.append_syn_litstr(&lit);
Ok(())
})()
.unwrap_or_else(|err| out.record_error(err))
}
fn append_display(&mut self, span: Span, plain: impl Display + Spanned) {
self.out_span.get_or_insert(span);
write!(&mut self.text, "{}", plain).expect("Display onto String")
}
/// Convert a type to a "nice" string
///
/// `syn::Type as ToTokens` produces a lot of `Spacing::Alone`
/// which results in a lot of excessive whitespace.
///
/// We use an algorithm which prints something reasonably pretty
/// which we also think is probably parseable
/// unless there `None`-delimited groups (which we make visible).
///
/// Note that our documentation doesn't promise parseability,
/// just readability.
///
/// This algorithm *does* obviously produce parseable output
/// if the input is just a single identifier token.
///
/// ### Rules
///
/// * We never put spaces next to any of `<>:`
/// * We don't put a space after `&` or `'`
/// * We don't put a space before `,`
/// * We put spaces just inside `{ }` iff nonempty
/// * We don't put spaces just inside `( )` or `[ ]` (or `« »`)
/// * Otherwise, we put a space between each pair of TTs
fn append_type_like(&mut self, tokens: TokenStream) {
recurse_display_type_like(
&mut self.text,
&mut Prev::NeverSpace,
tokens,
)
.expect("formatting type-like tokens into String failed");
}
}
/// State (previous token) for `recurse_display_type_like`
enum Prev {
/// Previous token wants to suppress any following space
NeverSpace,
/// We're at the start of a `{ }` group
OpenBrace,
/// Insert a space unless the *next* token wants to suppress it.
Other,
}
/// Implementation of `append_type_like`
fn recurse_display_type_like(
out: &mut String,
prev: &mut Prev,
tokens: TokenStream,
) -> fmt::Result {
for tt in tokens {
let def_spc = match &prev {
Prev::NeverSpace => "",
_other => " ",
};
let wr; // forces every arm to write something
let cat; // next value of prev, forces every arm to set it
match tt {
TT::Punct(p) => {
let p = p.as_char();
match p {
'<' | '>' | ':' => {
wr = write!(out, "{}", p);
cat = Prev::NeverSpace;
}
'&' | '\'' => {
wr = write!(out, "{}{}", def_spc, p);
cat = Prev::NeverSpace;
}
',' => {
wr = write!(out, "{}", p);
cat = Prev::Other;
}
other => {
wr = write!(out, "{}{}", def_spc, other);
cat = Prev::Other;
}
}
}
TT::Group(g) => {
let delim = g.delimiter();
let mut normal = |open, close| {
write!(out, "{}{}", def_spc, open)?;
recurse_display_type_like(
out,
&mut Prev::NeverSpace,
g.stream(),
)?;
write!(out, "{}", close)
};
match delim {
Delimiter::Brace => {
write!(out, "{}{{", def_spc)?;
let mut inner_prev = Prev::OpenBrace;
recurse_display_type_like(
out,
&mut inner_prev,
g.stream(),
)?;
wr = match inner_prev {
Prev::OpenBrace => write!(out, "}}"),
_other => write!(out, " }}"),
};
cat = Prev::Other;
}
Delimiter::Parenthesis => {
wr = normal('(', ')');
cat = Prev::Other;
}
Delimiter::Bracket => {
wr = normal('[', ']');
cat = Prev::Other;
}
Delimiter::None => {
wr = normal('«', '»');
cat = Prev::Other;
}
}
}
other => {
wr = write!(out, "{}{}", def_spc, other);
cat = Prev::Other;
}
}
let () = wr?;
*prev = cat;
}
Ok(())
}
impl SubstParseContext for Accumulator {
type NotInPaste = ();
type NotInConcat = Void;
type NotInBool = ();
type BoolOnly = Void;
type ConcatOnly = ();
type DbgContent = Template<Self>;
type SpecialParseContext = ();
fn not_in_paste(_: &impl Spanned) -> syn::Result<()> {
Ok(())
}
fn not_in_concat(span: &impl Spanned) -> syn::Result<Void> {
Err(span.error("not allowed in within ${concat ...}"))
}
fn not_in_bool(_: &impl Spanned) -> syn::Result<()> {
Ok(())
}
fn concat_only(_: &impl Spanned) -> syn::Result<()> {
Ok(())
}
}
impl ExpansionOutput for Accumulator {
fn append_identfrag_toks<I: IdentFrag>(
&mut self,
ident: &I,
) -> Result<(), I::BadIdent> {
self.append_display(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,
{
match (|| {
let mut ta = TokenAccumulator::new();
pre(&mut ta);
ta.with_tokens(|ts| ident.frag_to_tokens(ts));
post(&mut ta);
ta.tokens()
})() {
Ok(y) => self.append_type_like(y),
Err(e) => self.errors.push(e),
}
Ok(())
}
fn append_syn_litstr(&mut self, lit: &syn::LitStr) {
if lit.suffix() != "" {
self.errors
.push(lit.error("string suffix forbidden in ${concat }"));
return;
}
self.append_display(lit.span(), lit.value());
}
fn append_syn_type(
&mut self,
te_span: Span,
v: syn::Type,
grouping: Grouping,
) {
self.append_syn_type_inner(te_span, v, grouping);
}
fn append_syn_type_inner(
&mut self,
_te_span: Span,
ty: syn::Type,
_grouping: Grouping,
) {
self.append_type_like(ty.to_token_stream());
}
fn dbg_expand<'c>(
&mut self,
kw_span: Span,
ctx: GeneralContext<'c>,
msg: &mut String,
content: &Template<Accumulator>,
) -> fmt::Result {
let mut child = Accumulator::new_with_span(kw_span);
content.expand(ctx, &mut child);
match child.errors.examine() {
Some(e) => write!(msg, "/* ERROR: {} */", e)?,
None => write!(msg, "{}", child.text)?,
}
child.finish_onto(&(), self);
Ok(())
}
fn new_with_span(kw_span: Span) -> Self {
Accumulator {
def_span: kw_span,
out_span: None,
text: String::new(),
errors: ErrorAccumulator::default(),
}
}
fn ignore_impl(self) -> syn::Result<()> {
self.errors.finish()
}
fn append_tokens_with(
&mut self,
(_not_in_paste, not_in_concat): &((), Void),
_: impl FnOnce(&mut TokenAccumulator) -> syn::Result<()>,
) -> syn::Result<()> {
void::unreachable(*not_in_concat)
}
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);
}
}
impl Expand<Accumulator> for TemplateElement<Accumulator> {
fn expand<'c>(
&self,
ctx: GeneralContext<'c>,
out: &mut Accumulator,
) -> syn::Result<()> {
match self {
TE::Ident(_ident, not_in_concat) => {
// We *would* support ${concat ident}
// but it would be confusing.
void::unreachable(*not_in_concat);
}
TE::LitStr(lit) => out.append_syn_litstr(&lit),
TE::Subst(e) => e.expand(ctx, out)?,
TE::Repeat(e) => e.expand(ctx, out),
TE::Literal(_, allow_tokens)
| TE::Punct(_, allow_tokens)
| TE::Group { allow_tokens, .. } => {
void::unreachable(allow_tokens.1)
}
}
Ok(())
}
}
|