]> git.lizzy.rs Git - rust.git/blob - src/rustdoc-json-types/lib.rs
Auto merge of #94862 - pierwill:bootstrap-useless, r=Dylan-DPC
[rust.git] / src / rustdoc-json-types / lib.rs
1 //! Rustdoc's JSON output interface
2 //!
3 //! These types are the public API exposed through the `--output-format json` flag. The [`Crate`]
4 //! struct is the root of the JSON blob and all other items are contained within.
5
6 use std::collections::HashMap;
7 use std::path::PathBuf;
8
9 use serde::{Deserialize, Serialize};
10
11 /// rustdoc format-version.
12 pub const FORMAT_VERSION: u32 = 13;
13
14 /// A `Crate` is the root of the emitted JSON blob. It contains all type/documentation information
15 /// about the language items in the local crate, as well as info about external items to allow
16 /// tools to find or link to them.
17 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
18 pub struct Crate {
19     /// The id of the root [`Module`] item of the local crate.
20     pub root: Id,
21     /// The version string given to `--crate-version`, if any.
22     pub crate_version: Option<String>,
23     /// Whether or not the output includes private items.
24     pub includes_private: bool,
25     /// A collection of all items in the local crate as well as some external traits and their
26     /// items that are referenced locally.
27     pub index: HashMap<Id, Item>,
28     /// Maps IDs to fully qualified paths and other info helpful for generating links.
29     pub paths: HashMap<Id, ItemSummary>,
30     /// Maps `crate_id` of items to a crate name and html_root_url if it exists.
31     pub external_crates: HashMap<u32, ExternalCrate>,
32     /// A single version number to be used in the future when making backwards incompatible changes
33     /// to the JSON output.
34     pub format_version: u32,
35 }
36
37 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
38 pub struct ExternalCrate {
39     pub name: String,
40     pub html_root_url: Option<String>,
41 }
42
43 /// For external (not defined in the local crate) items, you don't get the same level of
44 /// information. This struct should contain enough to generate a link/reference to the item in
45 /// question, or can be used by a tool that takes the json output of multiple crates to find
46 /// the actual item definition with all the relevant info.
47 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
48 pub struct ItemSummary {
49     /// Can be used to look up the name and html_root_url of the crate this item came from in the
50     /// `external_crates` map.
51     pub crate_id: u32,
52     /// The list of path components for the fully qualified path of this item (e.g.
53     /// `["std", "io", "lazy", "Lazy"]` for `std::io::lazy::Lazy`).
54     pub path: Vec<String>,
55     /// Whether this item is a struct, trait, macro, etc.
56     pub kind: ItemKind,
57 }
58
59 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
60 pub struct Item {
61     /// The unique identifier of this item. Can be used to find this item in various mappings.
62     pub id: Id,
63     /// This can be used as a key to the `external_crates` map of [`Crate`] to see which crate
64     /// this item came from.
65     pub crate_id: u32,
66     /// Some items such as impls don't have names.
67     pub name: Option<String>,
68     /// The source location of this item (absent if it came from a macro expansion or inline
69     /// assembly).
70     pub span: Option<Span>,
71     /// By default all documented items are public, but you can tell rustdoc to output private items
72     /// so this field is needed to differentiate.
73     pub visibility: Visibility,
74     /// The full markdown docstring of this item. Absent if there is no documentation at all,
75     /// Some("") if there is some documentation but it is empty (EG `#[doc = ""]`).
76     pub docs: Option<String>,
77     /// This mapping resolves [intra-doc links](https://github.com/rust-lang/rfcs/blob/master/text/1946-intra-rustdoc-links.md) from the docstring to their IDs
78     pub links: HashMap<String, Id>,
79     /// Stringified versions of the attributes on this item (e.g. `"#[inline]"`)
80     pub attrs: Vec<String>,
81     pub deprecation: Option<Deprecation>,
82     #[serde(flatten)]
83     pub inner: ItemEnum,
84 }
85
86 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
87 pub struct Span {
88     /// The path to the source file for this span relative to the path `rustdoc` was invoked with.
89     pub filename: PathBuf,
90     /// Zero indexed Line and Column of the first character of the `Span`
91     pub begin: (usize, usize),
92     /// Zero indexed Line and Column of the last character of the `Span`
93     pub end: (usize, usize),
94 }
95
96 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
97 pub struct Deprecation {
98     pub since: Option<String>,
99     pub note: Option<String>,
100 }
101
102 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
103 #[serde(rename_all = "snake_case")]
104 pub enum Visibility {
105     Public,
106     /// For the most part items are private by default. The exceptions are associated items of
107     /// public traits and variants of public enums.
108     Default,
109     Crate,
110     /// For `pub(in path)` visibility. `parent` is the module it's restricted to and `path` is how
111     /// that module was referenced (like `"super::super"` or `"crate::foo::bar"`).
112     Restricted {
113         parent: Id,
114         path: String,
115     },
116 }
117
118 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
119 #[serde(rename_all = "snake_case")]
120 pub enum GenericArgs {
121     /// <'a, 32, B: Copy, C = u32>
122     AngleBracketed { args: Vec<GenericArg>, bindings: Vec<TypeBinding> },
123     /// Fn(A, B) -> C
124     Parenthesized { inputs: Vec<Type>, output: Option<Type> },
125 }
126
127 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
128 #[serde(rename_all = "snake_case")]
129 pub enum GenericArg {
130     Lifetime(String),
131     Type(Type),
132     Const(Constant),
133     Infer,
134 }
135
136 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
137 pub struct Constant {
138     #[serde(rename = "type")]
139     pub type_: Type,
140     pub expr: String,
141     pub value: Option<String>,
142     pub is_literal: bool,
143 }
144
145 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
146 pub struct TypeBinding {
147     pub name: String,
148     pub args: GenericArgs,
149     pub binding: TypeBindingKind,
150 }
151
152 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
153 #[serde(rename_all = "snake_case")]
154 pub enum TypeBindingKind {
155     Equality(Term),
156     Constraint(Vec<GenericBound>),
157 }
158
159 #[derive(Clone, Debug, PartialEq, Eq, Hash, Serialize, Deserialize)]
160 pub struct Id(pub String);
161
162 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
163 #[serde(rename_all = "snake_case")]
164 pub enum ItemKind {
165     Module,
166     ExternCrate,
167     Import,
168     Struct,
169     StructField,
170     Union,
171     Enum,
172     Variant,
173     Function,
174     Typedef,
175     OpaqueTy,
176     Constant,
177     Trait,
178     TraitAlias,
179     Method,
180     Impl,
181     Static,
182     ForeignType,
183     Macro,
184     ProcAttribute,
185     ProcDerive,
186     AssocConst,
187     AssocType,
188     Primitive,
189     Keyword,
190 }
191
192 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
193 #[serde(tag = "kind", content = "inner", rename_all = "snake_case")]
194 pub enum ItemEnum {
195     Module(Module),
196     ExternCrate {
197         name: String,
198         rename: Option<String>,
199     },
200     Import(Import),
201
202     Union(Union),
203     Struct(Struct),
204     StructField(Type),
205     Enum(Enum),
206     Variant(Variant),
207
208     Function(Function),
209
210     Trait(Trait),
211     TraitAlias(TraitAlias),
212     Method(Method),
213     Impl(Impl),
214
215     Typedef(Typedef),
216     OpaqueTy(OpaqueTy),
217     Constant(Constant),
218
219     Static(Static),
220
221     /// `type`s from an extern block
222     ForeignType,
223
224     /// Declarative macro_rules! macro
225     Macro(String),
226     ProcMacro(ProcMacro),
227
228     PrimitiveType(String),
229
230     AssocConst {
231         #[serde(rename = "type")]
232         type_: Type,
233         /// e.g. `const X: usize = 5;`
234         default: Option<String>,
235     },
236     AssocType {
237         generics: Generics,
238         bounds: Vec<GenericBound>,
239         /// e.g. `type X = usize;`
240         default: Option<Type>,
241     },
242 }
243
244 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
245 pub struct Module {
246     pub is_crate: bool,
247     pub items: Vec<Id>,
248 }
249
250 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
251 pub struct Union {
252     pub generics: Generics,
253     pub fields_stripped: bool,
254     pub fields: Vec<Id>,
255     pub impls: Vec<Id>,
256 }
257
258 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
259 pub struct Struct {
260     pub struct_type: StructType,
261     pub generics: Generics,
262     pub fields_stripped: bool,
263     pub fields: Vec<Id>,
264     pub impls: Vec<Id>,
265 }
266
267 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
268 pub struct Enum {
269     pub generics: Generics,
270     pub variants_stripped: bool,
271     pub variants: Vec<Id>,
272     pub impls: Vec<Id>,
273 }
274
275 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
276 #[serde(rename_all = "snake_case")]
277 #[serde(tag = "variant_kind", content = "variant_inner")]
278 pub enum Variant {
279     Plain,
280     Tuple(Vec<Type>),
281     Struct(Vec<Id>),
282 }
283
284 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
285 #[serde(rename_all = "snake_case")]
286 pub enum StructType {
287     Plain,
288     Tuple,
289     Unit,
290 }
291
292 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq, Eq, Hash)]
293 pub struct Header {
294     #[serde(rename = "const")]
295     pub const_: bool,
296     #[serde(rename = "unsafe")]
297     pub unsafe_: bool,
298     #[serde(rename = "async")]
299     pub async_: bool,
300     pub abi: Abi,
301 }
302
303 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq, Eq, Hash)]
304 pub enum Abi {
305     // We only have a concrete listing here for stable ABI's because their are so many
306     // See rustc_ast_passes::feature_gate::PostExpansionVisitor::check_abi for the list
307     Rust,
308     C { unwind: bool },
309     Cdecl { unwind: bool },
310     Stdcall { unwind: bool },
311     Fastcall { unwind: bool },
312     Aapcs { unwind: bool },
313     Win64 { unwind: bool },
314     SysV64 { unwind: bool },
315     System { unwind: bool },
316     Other(String),
317 }
318
319 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
320 pub struct Function {
321     pub decl: FnDecl,
322     pub generics: Generics,
323     pub header: Header,
324 }
325
326 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
327 pub struct Method {
328     pub decl: FnDecl,
329     pub generics: Generics,
330     pub header: Header,
331     pub has_body: bool,
332 }
333
334 #[derive(Clone, Debug, Default, Serialize, Deserialize, PartialEq)]
335 pub struct Generics {
336     pub params: Vec<GenericParamDef>,
337     pub where_predicates: Vec<WherePredicate>,
338 }
339
340 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
341 pub struct GenericParamDef {
342     pub name: String,
343     pub kind: GenericParamDefKind,
344 }
345
346 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
347 #[serde(rename_all = "snake_case")]
348 pub enum GenericParamDefKind {
349     Lifetime {
350         outlives: Vec<String>,
351     },
352     Type {
353         bounds: Vec<GenericBound>,
354         default: Option<Type>,
355         /// This is normally `false`, which means that this generic parameter is
356         /// declared in the Rust source text.
357         ///
358         /// If it is `true`, this generic parameter has been introduced by the
359         /// compiler behind the scenes.
360         ///
361         /// # Example
362         ///
363         /// Consider
364         ///
365         /// ```ignore (pseudo-rust)
366         /// pub fn f(_: impl Trait) {}
367         /// ```
368         ///
369         /// The compiler will transform this behind the scenes to
370         ///
371         /// ```ignore (pseudo-rust)
372         /// pub fn f<impl Trait: Trait>(_: impl Trait) {}
373         /// ```
374         ///
375         /// In this example, the generic parameter named `impl Trait` (and which
376         /// is bound by `Trait`) is synthetic, because it was not originally in
377         /// the Rust source text.
378         synthetic: bool,
379     },
380     Const {
381         ty: Type,
382         default: Option<String>,
383     },
384 }
385
386 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
387 #[serde(rename_all = "snake_case")]
388 pub enum WherePredicate {
389     BoundPredicate { ty: Type, bounds: Vec<GenericBound> },
390     RegionPredicate { lifetime: String, bounds: Vec<GenericBound> },
391     EqPredicate { lhs: Type, rhs: Term },
392 }
393
394 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
395 #[serde(rename_all = "snake_case")]
396 pub enum GenericBound {
397     TraitBound {
398         #[serde(rename = "trait")]
399         trait_: Type,
400         /// Used for HRTBs
401         generic_params: Vec<GenericParamDef>,
402         modifier: TraitBoundModifier,
403     },
404     Outlives(String),
405 }
406
407 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
408 #[serde(rename_all = "snake_case")]
409 pub enum TraitBoundModifier {
410     None,
411     Maybe,
412     MaybeConst,
413 }
414
415 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
416 #[serde(rename_all = "snake_case")]
417 pub enum Term {
418     Type(Type),
419     Constant(Constant),
420 }
421
422 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
423 #[serde(rename_all = "snake_case")]
424 #[serde(tag = "kind", content = "inner")]
425 pub enum Type {
426     /// Structs, enums, and traits
427     ResolvedPath {
428         name: String,
429         id: Id,
430         args: Option<Box<GenericArgs>>,
431         param_names: Vec<GenericBound>,
432     },
433     /// Parameterized types
434     Generic(String),
435     /// Fixed-size numeric types (plus int/usize/float), char, arrays, slices, and tuples
436     Primitive(String),
437     /// `extern "ABI" fn`
438     FunctionPointer(Box<FunctionPointer>),
439     /// `(String, u32, Box<usize>)`
440     Tuple(Vec<Type>),
441     /// `[u32]`
442     Slice(Box<Type>),
443     /// [u32; 15]
444     Array {
445         #[serde(rename = "type")]
446         type_: Box<Type>,
447         len: String,
448     },
449     /// `impl TraitA + TraitB + ...`
450     ImplTrait(Vec<GenericBound>),
451     /// `_`
452     Infer,
453     /// `*mut u32`, `*u8`, etc.
454     RawPointer {
455         mutable: bool,
456         #[serde(rename = "type")]
457         type_: Box<Type>,
458     },
459     /// `&'a mut String`, `&str`, etc.
460     BorrowedRef {
461         lifetime: Option<String>,
462         mutable: bool,
463         #[serde(rename = "type")]
464         type_: Box<Type>,
465     },
466     /// `<Type as Trait>::Name` or associated types like `T::Item` where `T: Iterator`
467     QualifiedPath {
468         name: String,
469         args: Box<GenericArgs>,
470         self_type: Box<Type>,
471         #[serde(rename = "trait")]
472         trait_: Box<Type>,
473     },
474 }
475
476 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
477 pub struct FunctionPointer {
478     pub decl: FnDecl,
479     pub generic_params: Vec<GenericParamDef>,
480     pub header: Header,
481 }
482
483 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
484 pub struct FnDecl {
485     pub inputs: Vec<(String, Type)>,
486     pub output: Option<Type>,
487     pub c_variadic: bool,
488 }
489
490 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
491 pub struct Trait {
492     pub is_auto: bool,
493     pub is_unsafe: bool,
494     pub items: Vec<Id>,
495     pub generics: Generics,
496     pub bounds: Vec<GenericBound>,
497     pub implementors: Vec<Id>,
498 }
499
500 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
501 pub struct TraitAlias {
502     pub generics: Generics,
503     pub params: Vec<GenericBound>,
504 }
505
506 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
507 pub struct Impl {
508     pub is_unsafe: bool,
509     pub generics: Generics,
510     pub provided_trait_methods: Vec<String>,
511     #[serde(rename = "trait")]
512     pub trait_: Option<Type>,
513     #[serde(rename = "for")]
514     pub for_: Type,
515     pub items: Vec<Id>,
516     pub negative: bool,
517     pub synthetic: bool,
518     pub blanket_impl: Option<Type>,
519 }
520
521 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
522 #[serde(rename_all = "snake_case")]
523 pub struct Import {
524     /// The full path being imported.
525     pub source: String,
526     /// May be different from the last segment of `source` when renaming imports:
527     /// `use source as name;`
528     pub name: String,
529     /// The ID of the item being imported.
530     pub id: Option<Id>, // FIXME is this actually ever None?
531     /// Whether this import uses a glob: `use source::*;`
532     pub glob: bool,
533 }
534
535 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
536 pub struct ProcMacro {
537     pub kind: MacroKind,
538     pub helpers: Vec<String>,
539 }
540
541 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
542 #[serde(rename_all = "snake_case")]
543 pub enum MacroKind {
544     /// A bang macro `foo!()`.
545     Bang,
546     /// An attribute macro `#[foo]`.
547     Attr,
548     /// A derive macro `#[derive(Foo)]`
549     Derive,
550 }
551
552 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
553 pub struct Typedef {
554     #[serde(rename = "type")]
555     pub type_: Type,
556     pub generics: Generics,
557 }
558
559 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
560 pub struct OpaqueTy {
561     pub bounds: Vec<GenericBound>,
562     pub generics: Generics,
563 }
564
565 #[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
566 pub struct Static {
567     #[serde(rename = "type")]
568     pub type_: Type,
569     pub mutable: bool,
570     pub expr: String,
571 }
572
573 #[cfg(test)]
574 mod tests;