]> git.lizzy.rs Git - rust.git/blob - compiler/rustc_builtin_macros/src/deriving/debug.rs
Rollup merge of #107725 - GuillaumeGomez:turn-markdownwithtoc-into-struct, r=notriddle
[rust.git] / compiler / rustc_builtin_macros / src / deriving / debug.rs
1 use crate::deriving::generic::ty::*;
2 use crate::deriving::generic::*;
3 use crate::deriving::path_std;
4
5 use ast::EnumDef;
6 use rustc_ast::{self as ast, MetaItem};
7 use rustc_expand::base::{Annotatable, ExtCtxt};
8 use rustc_span::symbol::{sym, Ident, Symbol};
9 use rustc_span::Span;
10
11 pub fn expand_deriving_debug(
12     cx: &mut ExtCtxt<'_>,
13     span: Span,
14     mitem: &MetaItem,
15     item: &Annotatable,
16     push: &mut dyn FnMut(Annotatable),
17     is_const: bool,
18 ) {
19     // &mut ::std::fmt::Formatter
20     let fmtr = Ref(Box::new(Path(path_std!(fmt::Formatter))), ast::Mutability::Mut);
21
22     let trait_def = TraitDef {
23         span,
24         path: path_std!(fmt::Debug),
25         skip_path_as_bound: false,
26         needs_copy_as_bound_if_packed: true,
27         additional_bounds: Vec::new(),
28         supports_unions: false,
29         methods: vec![MethodDef {
30             name: sym::fmt,
31             generics: Bounds::empty(),
32             explicit_self: true,
33             nonself_args: vec![(fmtr, sym::f)],
34             ret_ty: Path(path_std!(fmt::Result)),
35             attributes: ast::AttrVec::new(),
36             fieldless_variants_strategy:
37                 FieldlessVariantsStrategy::SpecializeIfAllVariantsFieldless,
38             combine_substructure: combine_substructure(Box::new(|a, b, c| {
39                 show_substructure(a, b, c)
40             })),
41         }],
42         associated_types: Vec::new(),
43         is_const,
44     };
45     trait_def.expand(cx, mitem, item, push)
46 }
47
48 fn show_substructure(cx: &mut ExtCtxt<'_>, span: Span, substr: &Substructure<'_>) -> BlockOrExpr {
49     // We want to make sure we have the ctxt set so that we can use unstable methods
50     let span = cx.with_def_site_ctxt(span);
51
52     let (ident, vdata, fields) = match substr.fields {
53         Struct(vdata, fields) => (substr.type_ident, *vdata, fields),
54         EnumMatching(_, _, v, fields) => (v.ident, &v.data, fields),
55         AllFieldlessEnum(enum_def) => return show_fieldless_enum(cx, span, enum_def, substr),
56         EnumTag(..) | StaticStruct(..) | StaticEnum(..) => {
57             cx.span_bug(span, "nonsensical .fields in `#[derive(Debug)]`")
58         }
59     };
60
61     let name = cx.expr_str(span, ident.name);
62     let fmt = substr.nonselflike_args[0].clone();
63
64     // Struct and tuples are similar enough that we use the same code for both,
65     // with some extra pieces for structs due to the field names.
66     let (is_struct, args_per_field) = match vdata {
67         ast::VariantData::Unit(..) => {
68             // Special fast path for unit variants.
69             assert!(fields.is_empty());
70             (false, 0)
71         }
72         ast::VariantData::Tuple(..) => (false, 1),
73         ast::VariantData::Struct(..) => (true, 2),
74     };
75
76     // The number of fields that can be handled without an array.
77     const CUTOFF: usize = 5;
78
79     fn expr_for_field(
80         cx: &ExtCtxt<'_>,
81         field: &FieldInfo,
82         index: usize,
83         len: usize,
84     ) -> ast::ptr::P<ast::Expr> {
85         if index < len - 1 {
86             field.self_expr.clone()
87         } else {
88             // Unsized types need an extra indirection, but only the last field
89             // may be unsized.
90             cx.expr_addr_of(field.span, field.self_expr.clone())
91         }
92     }
93
94     if fields.is_empty() {
95         // Special case for no fields.
96         let fn_path_write_str = cx.std_path(&[sym::fmt, sym::Formatter, sym::write_str]);
97         let expr = cx.expr_call_global(span, fn_path_write_str, vec![fmt, name]);
98         BlockOrExpr::new_expr(expr)
99     } else if fields.len() <= CUTOFF {
100         // Few enough fields that we can use a specific-length method.
101         let debug = if is_struct {
102             format!("debug_struct_field{}_finish", fields.len())
103         } else {
104             format!("debug_tuple_field{}_finish", fields.len())
105         };
106         let fn_path_debug = cx.std_path(&[sym::fmt, sym::Formatter, Symbol::intern(&debug)]);
107
108         let mut args = Vec::with_capacity(2 + fields.len() * args_per_field);
109         args.extend([fmt, name]);
110         for i in 0..fields.len() {
111             let field = &fields[i];
112             if is_struct {
113                 let name = cx.expr_str(field.span, field.name.unwrap().name);
114                 args.push(name);
115             }
116
117             let field = expr_for_field(cx, field, i, fields.len());
118             args.push(field);
119         }
120         let expr = cx.expr_call_global(span, fn_path_debug, args);
121         BlockOrExpr::new_expr(expr)
122     } else {
123         // Enough fields that we must use the any-length method.
124         let mut name_exprs = Vec::with_capacity(fields.len());
125         let mut value_exprs = Vec::with_capacity(fields.len());
126
127         for i in 0..fields.len() {
128             let field = &fields[i];
129             if is_struct {
130                 name_exprs.push(cx.expr_str(field.span, field.name.unwrap().name));
131             }
132
133             let field = expr_for_field(cx, field, i, fields.len());
134             value_exprs.push(field);
135         }
136
137         // `let names: &'static _ = &["field1", "field2"];`
138         let names_let = if is_struct {
139             let lt_static = Some(cx.lifetime_static(span));
140             let ty_static_ref = cx.ty_ref(span, cx.ty_infer(span), lt_static, ast::Mutability::Not);
141             Some(cx.stmt_let_ty(
142                 span,
143                 false,
144                 Ident::new(sym::names, span),
145                 Some(ty_static_ref),
146                 cx.expr_array_ref(span, name_exprs),
147             ))
148         } else {
149             None
150         };
151
152         // `let values: &[&dyn Debug] = &[&&self.field1, &&self.field2];`
153         let path_debug = cx.path_global(span, cx.std_path(&[sym::fmt, sym::Debug]));
154         let ty_dyn_debug = cx.ty(
155             span,
156             ast::TyKind::TraitObject(vec![cx.trait_bound(path_debug)], ast::TraitObjectSyntax::Dyn),
157         );
158         let ty_slice = cx.ty(
159             span,
160             ast::TyKind::Slice(cx.ty_ref(span, ty_dyn_debug, None, ast::Mutability::Not)),
161         );
162         let values_let = cx.stmt_let_ty(
163             span,
164             false,
165             Ident::new(sym::values, span),
166             Some(cx.ty_ref(span, ty_slice, None, ast::Mutability::Not)),
167             cx.expr_array_ref(span, value_exprs),
168         );
169
170         // `fmt::Formatter::debug_struct_fields_finish(fmt, name, names, values)` or
171         // `fmt::Formatter::debug_tuple_fields_finish(fmt, name, values)`
172         let sym_debug = if is_struct {
173             sym::debug_struct_fields_finish
174         } else {
175             sym::debug_tuple_fields_finish
176         };
177         let fn_path_debug_internal = cx.std_path(&[sym::fmt, sym::Formatter, sym_debug]);
178
179         let mut args = Vec::with_capacity(4);
180         args.push(fmt);
181         args.push(name);
182         if is_struct {
183             args.push(cx.expr_ident(span, Ident::new(sym::names, span)));
184         }
185         args.push(cx.expr_ident(span, Ident::new(sym::values, span)));
186         let expr = cx.expr_call_global(span, fn_path_debug_internal, args);
187
188         let mut stmts = Vec::with_capacity(3);
189         if is_struct {
190             stmts.push(names_let.unwrap());
191         }
192         stmts.push(values_let);
193         BlockOrExpr::new_mixed(stmts, Some(expr))
194     }
195 }
196
197 /// Special case for enums with no fields. Builds:
198 /// ```text
199 /// impl ::core::fmt::Debug for A {
200 ///     fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
201 ///          ::core::fmt::Formatter::write_str(f,
202 ///             match self {
203 ///                 A::A => "A",
204 ///                 A::B() => "B",
205 ///                 A::C {} => "C",
206 ///             })
207 ///     }
208 /// }
209 /// ```
210 fn show_fieldless_enum(
211     cx: &mut ExtCtxt<'_>,
212     span: Span,
213     def: &EnumDef,
214     substr: &Substructure<'_>,
215 ) -> BlockOrExpr {
216     let fmt = substr.nonselflike_args[0].clone();
217     let arms = def
218         .variants
219         .iter()
220         .map(|v| {
221             let variant_path = cx.path(span, vec![substr.type_ident, v.ident]);
222             let pat = match &v.data {
223                 ast::VariantData::Tuple(fields, _) => {
224                     debug_assert!(fields.is_empty());
225                     cx.pat_tuple_struct(span, variant_path, vec![])
226                 }
227                 ast::VariantData::Struct(fields, _) => {
228                     debug_assert!(fields.is_empty());
229                     cx.pat_struct(span, variant_path, vec![])
230                 }
231                 ast::VariantData::Unit(_) => cx.pat_path(span, variant_path),
232             };
233             cx.arm(span, pat, cx.expr_str(span, v.ident.name))
234         })
235         .collect::<Vec<_>>();
236     let name = cx.expr_match(span, cx.expr_self(span), arms);
237     let fn_path_write_str = cx.std_path(&[sym::fmt, sym::Formatter, sym::write_str]);
238     BlockOrExpr::new_expr(cx.expr_call_global(span, fn_path_write_str, vec![fmt, name]))
239 }