aboutsummaryrefslogtreecommitdiff
path: root/crates/hir_def/src/path.rs
diff options
context:
space:
mode:
authorZac Pullar-Strecker <[email protected]>2020-08-24 10:19:53 +0100
committerZac Pullar-Strecker <[email protected]>2020-08-24 10:20:13 +0100
commit7bbca7a1b3f9293d2f5cc5745199bc5f8396f2f0 (patch)
treebdb47765991cb973b2cd5481a088fac636bd326c /crates/hir_def/src/path.rs
parentca464650eeaca6195891199a93f4f76cf3e7e697 (diff)
parente65d48d1fb3d4d91d9dc1148a7a836ff5c9a3c87 (diff)
Merge remote-tracking branch 'upstream/master' into 503-hover-doc-links
Diffstat (limited to 'crates/hir_def/src/path.rs')
-rw-r--r--crates/hir_def/src/path.rs345
1 files changed, 345 insertions, 0 deletions
diff --git a/crates/hir_def/src/path.rs b/crates/hir_def/src/path.rs
new file mode 100644
index 000000000..99395667d
--- /dev/null
+++ b/crates/hir_def/src/path.rs
@@ -0,0 +1,345 @@
1//! A desugared representation of paths like `crate::foo` or `<Type as Trait>::bar`.
2mod lower;
3
4use std::{
5 fmt::{self, Display},
6 iter,
7 sync::Arc,
8};
9
10use crate::body::LowerCtx;
11use base_db::CrateId;
12use hir_expand::{
13 hygiene::Hygiene,
14 name::{AsName, Name},
15};
16use syntax::ast;
17
18use crate::{
19 type_ref::{TypeBound, TypeRef},
20 InFile,
21};
22
23#[derive(Debug, Clone, PartialEq, Eq, PartialOrd, Ord, Hash)]
24pub struct ModPath {
25 pub kind: PathKind,
26 pub segments: Vec<Name>,
27}
28
29#[derive(Debug, Clone, PartialEq, Eq, PartialOrd, Ord, Hash)]
30pub enum PathKind {
31 Plain,
32 /// `self::` is `Super(0)`
33 Super(u8),
34 Crate,
35 /// Absolute path (::foo)
36 Abs,
37 /// `$crate` from macro expansion
38 DollarCrate(CrateId),
39}
40
41#[derive(Debug, Clone, PartialEq, Eq)]
42pub enum ImportAlias {
43 /// Unnamed alias, as in `use Foo as _;`
44 Underscore,
45 /// Named alias
46 Alias(Name),
47}
48
49impl ModPath {
50 pub fn from_src(path: ast::Path, hygiene: &Hygiene) -> Option<ModPath> {
51 lower::lower_path(path, hygiene).map(|it| it.mod_path)
52 }
53
54 pub fn from_segments(kind: PathKind, segments: impl IntoIterator<Item = Name>) -> ModPath {
55 let segments = segments.into_iter().collect::<Vec<_>>();
56 ModPath { kind, segments }
57 }
58
59 pub(crate) fn from_name_ref(name_ref: &ast::NameRef) -> ModPath {
60 name_ref.as_name().into()
61 }
62
63 /// Converts an `tt::Ident` into a single-identifier `Path`.
64 pub(crate) fn from_tt_ident(ident: &tt::Ident) -> ModPath {
65 ident.as_name().into()
66 }
67
68 /// Calls `cb` with all paths, represented by this use item.
69 pub(crate) fn expand_use_item(
70 item_src: InFile<ast::Use>,
71 hygiene: &Hygiene,
72 mut cb: impl FnMut(ModPath, &ast::UseTree, /* is_glob */ bool, Option<ImportAlias>),
73 ) {
74 if let Some(tree) = item_src.value.use_tree() {
75 lower::lower_use_tree(None, tree, hygiene, &mut cb);
76 }
77 }
78
79 /// Returns the number of segments in the path (counting special segments like `$crate` and
80 /// `super`).
81 pub fn len(&self) -> usize {
82 self.segments.len()
83 + match self.kind {
84 PathKind::Plain => 0,
85 PathKind::Super(i) => i as usize,
86 PathKind::Crate => 1,
87 PathKind::Abs => 0,
88 PathKind::DollarCrate(_) => 1,
89 }
90 }
91
92 pub fn is_ident(&self) -> bool {
93 self.kind == PathKind::Plain && self.segments.len() == 1
94 }
95
96 pub fn is_self(&self) -> bool {
97 self.kind == PathKind::Super(0) && self.segments.is_empty()
98 }
99
100 /// If this path is a single identifier, like `foo`, return its name.
101 pub fn as_ident(&self) -> Option<&Name> {
102 if self.kind != PathKind::Plain || self.segments.len() > 1 {
103 return None;
104 }
105 self.segments.first()
106 }
107}
108
109#[derive(Debug, Clone, PartialEq, Eq, Hash)]
110pub struct Path {
111 /// Type based path like `<T>::foo`.
112 /// Note that paths like `<Type as Trait>::foo` are desugard to `Trait::<Self=Type>::foo`.
113 type_anchor: Option<Box<TypeRef>>,
114 mod_path: ModPath,
115 /// Invariant: the same len as `self.mod_path.segments`
116 generic_args: Vec<Option<Arc<GenericArgs>>>,
117}
118
119/// Generic arguments to a path segment (e.g. the `i32` in `Option<i32>`). This
120/// also includes bindings of associated types, like in `Iterator<Item = Foo>`.
121#[derive(Debug, Clone, PartialEq, Eq, Hash)]
122pub struct GenericArgs {
123 pub args: Vec<GenericArg>,
124 /// This specifies whether the args contain a Self type as the first
125 /// element. This is the case for path segments like `<T as Trait>`, where
126 /// `T` is actually a type parameter for the path `Trait` specifying the
127 /// Self type. Otherwise, when we have a path `Trait<X, Y>`, the Self type
128 /// is left out.
129 pub has_self_type: bool,
130 /// Associated type bindings like in `Iterator<Item = T>`.
131 pub bindings: Vec<AssociatedTypeBinding>,
132}
133
134/// An associated type binding like in `Iterator<Item = T>`.
135#[derive(Debug, Clone, PartialEq, Eq, Hash)]
136pub struct AssociatedTypeBinding {
137 /// The name of the associated type.
138 pub name: Name,
139 /// The type bound to this associated type (in `Item = T`, this would be the
140 /// `T`). This can be `None` if there are bounds instead.
141 pub type_ref: Option<TypeRef>,
142 /// Bounds for the associated type, like in `Iterator<Item:
143 /// SomeOtherTrait>`. (This is the unstable `associated_type_bounds`
144 /// feature.)
145 pub bounds: Vec<TypeBound>,
146}
147
148/// A single generic argument.
149#[derive(Debug, Clone, PartialEq, Eq, Hash)]
150pub enum GenericArg {
151 Type(TypeRef),
152 // or lifetime...
153}
154
155impl Path {
156 /// Converts an `ast::Path` to `Path`. Works with use trees.
157 /// It correctly handles `$crate` based path from macro call.
158 pub fn from_src(path: ast::Path, hygiene: &Hygiene) -> Option<Path> {
159 lower::lower_path(path, hygiene)
160 }
161
162 /// Converts a known mod path to `Path`.
163 pub(crate) fn from_known_path(
164 path: ModPath,
165 generic_args: Vec<Option<Arc<GenericArgs>>>,
166 ) -> Path {
167 Path { type_anchor: None, mod_path: path, generic_args }
168 }
169
170 pub fn kind(&self) -> &PathKind {
171 &self.mod_path.kind
172 }
173
174 pub fn type_anchor(&self) -> Option<&TypeRef> {
175 self.type_anchor.as_deref()
176 }
177
178 pub fn segments(&self) -> PathSegments<'_> {
179 PathSegments {
180 segments: self.mod_path.segments.as_slice(),
181 generic_args: self.generic_args.as_slice(),
182 }
183 }
184
185 pub fn mod_path(&self) -> &ModPath {
186 &self.mod_path
187 }
188
189 pub fn qualifier(&self) -> Option<Path> {
190 if self.mod_path.is_ident() {
191 return None;
192 }
193 let res = Path {
194 type_anchor: self.type_anchor.clone(),
195 mod_path: ModPath {
196 kind: self.mod_path.kind.clone(),
197 segments: self.mod_path.segments[..self.mod_path.segments.len() - 1].to_vec(),
198 },
199 generic_args: self.generic_args[..self.generic_args.len() - 1].to_vec(),
200 };
201 Some(res)
202 }
203}
204
205#[derive(Debug, Clone, PartialEq, Eq, Hash)]
206pub struct PathSegment<'a> {
207 pub name: &'a Name,
208 pub args_and_bindings: Option<&'a GenericArgs>,
209}
210
211pub struct PathSegments<'a> {
212 segments: &'a [Name],
213 generic_args: &'a [Option<Arc<GenericArgs>>],
214}
215
216impl<'a> PathSegments<'a> {
217 pub const EMPTY: PathSegments<'static> = PathSegments { segments: &[], generic_args: &[] };
218 pub fn is_empty(&self) -> bool {
219 self.len() == 0
220 }
221 pub fn len(&self) -> usize {
222 self.segments.len()
223 }
224 pub fn first(&self) -> Option<PathSegment<'a>> {
225 self.get(0)
226 }
227 pub fn last(&self) -> Option<PathSegment<'a>> {
228 self.get(self.len().checked_sub(1)?)
229 }
230 pub fn get(&self, idx: usize) -> Option<PathSegment<'a>> {
231 assert_eq!(self.segments.len(), self.generic_args.len());
232 let res = PathSegment {
233 name: self.segments.get(idx)?,
234 args_and_bindings: self.generic_args.get(idx).unwrap().as_ref().map(|it| &**it),
235 };
236 Some(res)
237 }
238 pub fn skip(&self, len: usize) -> PathSegments<'a> {
239 assert_eq!(self.segments.len(), self.generic_args.len());
240 PathSegments { segments: &self.segments[len..], generic_args: &self.generic_args[len..] }
241 }
242 pub fn take(&self, len: usize) -> PathSegments<'a> {
243 assert_eq!(self.segments.len(), self.generic_args.len());
244 PathSegments { segments: &self.segments[..len], generic_args: &self.generic_args[..len] }
245 }
246 pub fn iter(&self) -> impl Iterator<Item = PathSegment<'a>> {
247 self.segments.iter().zip(self.generic_args.iter()).map(|(name, args)| PathSegment {
248 name,
249 args_and_bindings: args.as_ref().map(|it| &**it),
250 })
251 }
252}
253
254impl GenericArgs {
255 pub(crate) fn from_ast(lower_ctx: &LowerCtx, node: ast::GenericArgList) -> Option<GenericArgs> {
256 lower::lower_generic_args(lower_ctx, node)
257 }
258
259 pub(crate) fn empty() -> GenericArgs {
260 GenericArgs { args: Vec::new(), has_self_type: false, bindings: Vec::new() }
261 }
262}
263
264impl From<Name> for Path {
265 fn from(name: Name) -> Path {
266 Path {
267 type_anchor: None,
268 mod_path: ModPath::from_segments(PathKind::Plain, iter::once(name)),
269 generic_args: vec![None],
270 }
271 }
272}
273
274impl From<Name> for ModPath {
275 fn from(name: Name) -> ModPath {
276 ModPath::from_segments(PathKind::Plain, iter::once(name))
277 }
278}
279
280impl Display for ModPath {
281 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
282 let mut first_segment = true;
283 let mut add_segment = |s| -> fmt::Result {
284 if !first_segment {
285 f.write_str("::")?;
286 }
287 first_segment = false;
288 f.write_str(s)?;
289 Ok(())
290 };
291 match self.kind {
292 PathKind::Plain => {}
293 PathKind::Super(n) => {
294 if n == 0 {
295 add_segment("self")?;
296 }
297 for _ in 0..n {
298 add_segment("super")?;
299 }
300 }
301 PathKind::Crate => add_segment("crate")?,
302 PathKind::Abs => add_segment("")?,
303 PathKind::DollarCrate(_) => add_segment("$crate")?,
304 }
305 for segment in &self.segments {
306 if !first_segment {
307 f.write_str("::")?;
308 }
309 first_segment = false;
310 write!(f, "{}", segment)?;
311 }
312 Ok(())
313 }
314}
315
316pub use hir_expand::name as __name;
317
318#[macro_export]
319macro_rules! __known_path {
320 (core::iter::IntoIterator) => {};
321 (core::result::Result) => {};
322 (core::ops::Range) => {};
323 (core::ops::RangeFrom) => {};
324 (core::ops::RangeFull) => {};
325 (core::ops::RangeTo) => {};
326 (core::ops::RangeToInclusive) => {};
327 (core::ops::RangeInclusive) => {};
328 (core::future::Future) => {};
329 (core::ops::Try) => {};
330 ($path:path) => {
331 compile_error!("Please register your known path in the path module")
332 };
333}
334
335#[macro_export]
336macro_rules! __path {
337 ($start:ident $(:: $seg:ident)*) => ({
338 $crate::__known_path!($start $(:: $seg)*);
339 $crate::path::ModPath::from_segments($crate::path::PathKind::Abs, vec![
340 $crate::path::__name![$start], $($crate::path::__name![$seg],)*
341 ])
342 });
343}
344
345pub use crate::__path as path;