1use rustc_abi::ExternAbi;
16use rustc_ast as ast;
17use rustc_ast::AttrStyle;
18use rustc_ast::ast::{
19 AttrKind, Attribute, GenericArgs, IntTy, LitIntType, LitKind, StrStyle, TraitObjectSyntax, UintTy,
20};
21use rustc_ast::token::CommentKind;
22use rustc_hir::intravisit::FnKind;
23use rustc_hir::{
24 Block, BlockCheckMode, Body, Closure, Destination, Expr, ExprKind, FieldDef, FnHeader, FnRetTy, HirId, Impl,
25 ImplItem, ImplItemImplKind, ImplItemKind, IsAuto, Item, ItemKind, Lit, LoopSource, MatchSource, MutTy, Node, Path,
26 QPath, Safety, TraitImplHeader, TraitItem, TraitItemKind, Ty, TyKind, UnOp, UnsafeSource, Variant, VariantData,
27 YieldSource,
28};
29use rustc_lint::{EarlyContext, LateContext, LintContext};
30use rustc_middle::ty::TyCtxt;
31use rustc_session::Session;
32use rustc_span::symbol::{Ident, kw};
33use rustc_span::{Span, Symbol, sym};
34
35#[derive(Clone)]
37pub enum Pat {
38 Str(&'static str),
40 MultiStr(&'static [&'static str]),
42 OwnedMultiStr(Vec<String>),
44 Sym(Symbol),
46 Num,
48 Attr(Symbol),
50}
51
52fn span_matches_pat(sess: &Session, span: Span, start_pat: Pat, end_pat: Pat) -> bool {
55 let pos = sess.source_map().lookup_byte_offset(span.lo());
56 let Some(ref src) = pos.sf.src else {
57 return false;
58 };
59 let end = span.hi() - pos.sf.start_pos;
60 src.get(pos.pos.0 as usize..end.0 as usize).is_some_and(|s| {
61 let start_str = s.trim_start_matches(|c: char| c.is_whitespace() || c == '(');
63 let end_str = s.trim_end_matches(|c: char| c.is_whitespace() || c == ')' || c == ',');
64 (match start_pat {
65 Pat::Str(text) => start_str.starts_with(text),
66 Pat::MultiStr(texts) => texts.iter().any(|s| start_str.starts_with(s)),
67 Pat::OwnedMultiStr(texts) => texts.iter().any(|s| start_str.starts_with(s)),
68 Pat::Sym(sym) => start_str.starts_with(sym.as_str()),
69 Pat::Num => start_str.as_bytes().first().is_some_and(u8::is_ascii_digit),
70 Pat::Attr(sym) => {
71 let start_str = start_str
72 .strip_prefix("#[")
73 .or_else(|| start_str.strip_prefix("#!["))
74 .unwrap_or(start_str);
75 start_str.trim_start().starts_with(sym.as_str())
76 },
77 } && match end_pat {
78 Pat::Str(text) => end_str.ends_with(text),
79 Pat::MultiStr(texts) => texts.iter().any(|s| end_str.ends_with(s)),
80 Pat::OwnedMultiStr(texts) => texts.iter().any(|s| end_str.ends_with(s)),
81 Pat::Sym(sym) => end_str.ends_with(sym.as_str()),
82 Pat::Num => end_str.as_bytes().last().is_some_and(u8::is_ascii_hexdigit),
83 Pat::Attr(_) => false,
84 })
85 })
86}
87
88fn lit_search_pat(lit: &LitKind) -> (Pat, Pat) {
90 match lit {
91 LitKind::Str(_, StrStyle::Cooked) => (Pat::Str("\""), Pat::Str("\"")),
92 LitKind::Str(_, StrStyle::Raw(0)) => (Pat::Str("r"), Pat::Str("\"")),
93 LitKind::Str(_, StrStyle::Raw(_)) => (Pat::Str("r#"), Pat::Str("#")),
94 LitKind::ByteStr(_, StrStyle::Cooked) => (Pat::Str("b\""), Pat::Str("\"")),
95 LitKind::ByteStr(_, StrStyle::Raw(0)) => (Pat::Str("br\""), Pat::Str("\"")),
96 LitKind::ByteStr(_, StrStyle::Raw(_)) => (Pat::Str("br#\""), Pat::Str("#")),
97 LitKind::Byte(_) => (Pat::Str("b'"), Pat::Str("'")),
98 LitKind::Char(_) => (Pat::Str("'"), Pat::Str("'")),
99 LitKind::Int(_, LitIntType::Signed(IntTy::Isize)) => (Pat::Num, Pat::Str("isize")),
100 LitKind::Int(_, LitIntType::Unsigned(UintTy::Usize)) => (Pat::Num, Pat::Str("usize")),
101 LitKind::Int(..) => (Pat::Num, Pat::Num),
102 LitKind::Float(..) => (Pat::Num, Pat::Str("")),
103 LitKind::Bool(true) => (Pat::Str("true"), Pat::Str("true")),
104 LitKind::Bool(false) => (Pat::Str("false"), Pat::Str("false")),
105 _ => (Pat::Str(""), Pat::Str("")),
106 }
107}
108
109fn qpath_search_pat(path: &QPath<'_>) -> (Pat, Pat) {
111 match path {
112 QPath::Resolved(ty, path) => {
113 let start = if ty.is_some() {
114 Pat::Str("<")
115 } else {
116 path.segments.first().map_or(Pat::Str(""), |seg| {
117 if seg.ident.name == kw::PathRoot {
118 Pat::Str("::")
119 } else {
120 Pat::Sym(seg.ident.name)
121 }
122 })
123 };
124 let end = path.segments.last().map_or(Pat::Str(""), |seg| {
125 if seg.args.is_some() {
126 Pat::Str(">")
127 } else {
128 Pat::Sym(seg.ident.name)
129 }
130 });
131 (start, end)
132 },
133 QPath::TypeRelative(_, name) => (Pat::Str(""), Pat::Sym(name.ident.name)),
134 }
135}
136
137fn path_search_pat(path: &Path<'_>) -> (Pat, Pat) {
138 let (head, tail) = match path.segments {
139 [] => return (Pat::Str(""), Pat::Str("")),
140 [p] => (Pat::Sym(p.ident.name), p),
141 [.., tail] => (Pat::Str(""), tail),
144 };
145 (
146 head,
147 if tail.args.is_some() {
148 Pat::Str(">")
149 } else {
150 Pat::Sym(tail.ident.name)
151 },
152 )
153}
154
155fn expr_search_pat(tcx: TyCtxt<'_>, e: &Expr<'_>) -> (Pat, Pat) {
157 fn expr_search_pat_inner(tcx: TyCtxt<'_>, e: &Expr<'_>, outer_span: Span) -> (Pat, Pat) {
158 if !e.span.eq_ctxt(outer_span) {
164 return (Pat::Str(""), Pat::Str(""));
165 }
166
167 match e.kind {
168 ExprKind::ConstBlock(_) => (Pat::Str("const"), Pat::Str("}")),
169 ExprKind::Tup([]) => (Pat::Str(")"), Pat::Str("(")),
172 ExprKind::Unary(UnOp::Deref, e) => (Pat::Str("*"), expr_search_pat_inner(tcx, e, outer_span).1),
173 ExprKind::Unary(UnOp::Not, e) => (Pat::Str("!"), expr_search_pat_inner(tcx, e, outer_span).1),
174 ExprKind::Unary(UnOp::Neg, e) => (Pat::Str("-"), expr_search_pat_inner(tcx, e, outer_span).1),
175 ExprKind::Lit(lit) => lit_search_pat(&lit.node),
176 ExprKind::Array(_) | ExprKind::Repeat(..) => (Pat::Str("["), Pat::Str("]")),
177 ExprKind::Call(e, []) | ExprKind::MethodCall(_, e, [], _) => {
178 (expr_search_pat_inner(tcx, e, outer_span).0, Pat::Str("("))
179 },
180 ExprKind::Call(first, [.., last])
181 | ExprKind::MethodCall(_, first, [.., last], _)
182 | ExprKind::Binary(_, first, last)
183 | ExprKind::Tup([first, .., last])
184 | ExprKind::Assign(first, last, _)
185 | ExprKind::AssignOp(_, first, last) => (
186 expr_search_pat_inner(tcx, first, outer_span).0,
187 expr_search_pat_inner(tcx, last, outer_span).1,
188 ),
189 ExprKind::Tup([e]) | ExprKind::DropTemps(e) => expr_search_pat_inner(tcx, e, outer_span),
190 ExprKind::Cast(e, _) | ExprKind::Type(e, _) => (expr_search_pat_inner(tcx, e, outer_span).0, Pat::Str("")),
191 ExprKind::Let(let_expr) => (Pat::Str("let"), expr_search_pat_inner(tcx, let_expr.init, outer_span).1),
192 ExprKind::If(..) => (Pat::Str("if"), Pat::Str("}")),
193 ExprKind::Loop(_, Some(_), _, _) | ExprKind::Block(_, Some(_)) => (Pat::Str("'"), Pat::Str("}")),
194 ExprKind::Loop(_, None, LoopSource::Loop, _) => (Pat::Str("loop"), Pat::Str("}")),
195 ExprKind::Loop(_, None, LoopSource::While, _) => (Pat::Str("while"), Pat::Str("}")),
196 ExprKind::Loop(_, None, LoopSource::ForLoop, _) | ExprKind::Match(_, _, MatchSource::ForLoopDesugar) => {
197 (Pat::Str("for"), Pat::Str("}"))
198 },
199 ExprKind::Match(_, _, MatchSource::Normal) => (Pat::Str("match"), Pat::Str("}")),
200 ExprKind::Match(e, _, MatchSource::TryDesugar(_)) => {
201 (expr_search_pat_inner(tcx, e, outer_span).0, Pat::Str("?"))
202 },
203 ExprKind::Match(e, _, MatchSource::AwaitDesugar) | ExprKind::Yield(e, YieldSource::Await { .. }) => {
204 (expr_search_pat_inner(tcx, e, outer_span).0, Pat::Str("await"))
205 },
206 ExprKind::Closure(&Closure { body, .. }) => (
207 Pat::Str(""),
208 expr_search_pat_inner(tcx, tcx.hir_body(body).value, outer_span).1,
209 ),
210 ExprKind::Block(
211 Block {
212 rules: BlockCheckMode::UnsafeBlock(UnsafeSource::UserProvided),
213 ..
214 },
215 None,
216 ) => (Pat::Str("unsafe"), Pat::Str("}")),
217 ExprKind::Block(_, None) => (Pat::Str("{"), Pat::Str("}")),
218 ExprKind::Field(e, name) => (expr_search_pat_inner(tcx, e, outer_span).0, Pat::Sym(name.name)),
219 ExprKind::Index(e, _, _) => (expr_search_pat_inner(tcx, e, outer_span).0, Pat::Str("]")),
220 ExprKind::Path(ref path) => qpath_search_pat(path),
221 ExprKind::AddrOf(_, _, e) => (Pat::Str("&"), expr_search_pat_inner(tcx, e, outer_span).1),
222 ExprKind::Break(Destination { label: None, .. }, None) => (Pat::Str("break"), Pat::Str("break")),
223 ExprKind::Break(Destination { label: Some(name), .. }, None) => {
224 (Pat::Str("break"), Pat::Sym(name.ident.name))
225 },
226 ExprKind::Break(_, Some(e)) => (Pat::Str("break"), expr_search_pat_inner(tcx, e, outer_span).1),
227 ExprKind::Continue(Destination { label: None, .. }) => (Pat::Str("continue"), Pat::Str("continue")),
228 ExprKind::Continue(Destination { label: Some(name), .. }) => {
229 (Pat::Str("continue"), Pat::Sym(name.ident.name))
230 },
231 ExprKind::Ret(None) => (Pat::Str("return"), Pat::Str("return")),
232 ExprKind::Ret(Some(e)) => (Pat::Str("return"), expr_search_pat_inner(tcx, e, outer_span).1),
233 ExprKind::Struct(path, _, _) => (qpath_search_pat(path).0, Pat::Str("}")),
234 ExprKind::Yield(e, YieldSource::Yield) => (Pat::Str("yield"), expr_search_pat_inner(tcx, e, outer_span).1),
235 _ => (Pat::Str(""), Pat::Str("")),
236 }
237 }
238
239 expr_search_pat_inner(tcx, e, e.span)
240}
241
242fn fn_header_search_pat(header: FnHeader) -> Pat {
243 if header.is_async() {
244 Pat::Str("async")
245 } else if header.is_const() {
246 Pat::Str("const")
247 } else if header.is_unsafe() {
248 Pat::Str("unsafe")
249 } else if header.abi != ExternAbi::Rust {
250 Pat::Str("extern")
251 } else {
252 Pat::MultiStr(&["fn", "extern"])
253 }
254}
255
256fn item_search_pat(item: &Item<'_>) -> (Pat, Pat) {
257 let (start_pat, end_pat) = match &item.kind {
258 ItemKind::ExternCrate(..) => (Pat::Str("extern"), Pat::Str(";")),
259 ItemKind::Static(..) => (Pat::Str("static"), Pat::Str(";")),
260 ItemKind::Const(..) => (Pat::Str("const"), Pat::Str(";")),
261 ItemKind::Fn { sig, .. } => (fn_header_search_pat(sig.header), Pat::Str("")),
262 ItemKind::ForeignMod { .. } => (Pat::Str("extern"), Pat::Str("}")),
263 ItemKind::TyAlias(..) => (Pat::Str("type"), Pat::Str(";")),
264 ItemKind::Enum(..) => (Pat::Str("enum"), Pat::Str("}")),
265 ItemKind::Struct(_, _, VariantData::Struct { .. }) => (Pat::Str("struct"), Pat::Str("}")),
266 ItemKind::Struct(..) => (Pat::Str("struct"), Pat::Str(";")),
267 ItemKind::Union(..) => (Pat::Str("union"), Pat::Str("}")),
268 ItemKind::Trait(_, _, Safety::Unsafe, ..)
269 | ItemKind::Impl(Impl {
270 of_trait: Some(TraitImplHeader {
271 safety: Safety::Unsafe, ..
272 }),
273 ..
274 }) => (Pat::Str("unsafe"), Pat::Str("}")),
275 ItemKind::Trait(_, IsAuto::Yes, ..) => (Pat::Str("auto"), Pat::Str("}")),
276 ItemKind::Trait(..) => (Pat::Str("trait"), Pat::Str("}")),
277 ItemKind::Impl(_) => (Pat::Str("impl"), Pat::Str("}")),
278 ItemKind::Mod(..) => (Pat::Str("mod"), Pat::Str("")),
279 ItemKind::Macro(_, def, _) => (
280 Pat::Str(if def.macro_rules { "macro_rules" } else { "macro" }),
281 Pat::Str(""),
282 ),
283 ItemKind::TraitAlias(..) => (Pat::Str("trait"), Pat::Str(";")),
284 ItemKind::GlobalAsm { .. } => return (Pat::Str("global_asm"), Pat::Str("")),
285 ItemKind::Use(..) => return (Pat::Str(""), Pat::Str("")),
286 };
287 if item.vis_span.is_empty() {
288 (start_pat, end_pat)
289 } else {
290 (Pat::Str("pub"), end_pat)
291 }
292}
293
294fn trait_item_search_pat(item: &TraitItem<'_>) -> (Pat, Pat) {
295 match &item.kind {
296 TraitItemKind::Const(..) => (Pat::Str("const"), Pat::Str(";")),
297 TraitItemKind::Type(..) => (Pat::Str("type"), Pat::Str(";")),
298 TraitItemKind::Fn(sig, ..) => (fn_header_search_pat(sig.header), Pat::Str("")),
299 }
300}
301
302fn impl_item_search_pat(item: &ImplItem<'_>) -> (Pat, Pat) {
303 let (mut start_pat, end_pat) = match &item.kind {
304 ImplItemKind::Const(..) => (Pat::Str("const"), Pat::Str(";")),
305 ImplItemKind::Type(..) => (Pat::Str("type"), Pat::Str(";")),
306 ImplItemKind::Fn(sig, ..) => (fn_header_search_pat(sig.header), Pat::Str("")),
307 };
308 if let ImplItemImplKind::Inherent { vis_span, .. } = item.impl_kind
309 && !vis_span.is_empty()
310 {
311 start_pat = Pat::Str("pub");
312 }
313 (start_pat, end_pat)
314}
315
316fn field_def_search_pat(def: &FieldDef<'_>) -> (Pat, Pat) {
317 if def.vis_span.is_empty() {
318 if def.is_positional() {
319 (Pat::Str(""), Pat::Str(""))
320 } else {
321 (Pat::Sym(def.ident.name), Pat::Str(""))
322 }
323 } else {
324 (Pat::Str("pub"), Pat::Str(""))
325 }
326}
327
328fn variant_search_pat(v: &Variant<'_>) -> (Pat, Pat) {
329 match v.data {
330 VariantData::Struct { .. } => (Pat::Sym(v.ident.name), Pat::Str("}")),
331 VariantData::Tuple(..) => (Pat::Sym(v.ident.name), Pat::Str("")),
332 VariantData::Unit(..) => (Pat::Sym(v.ident.name), Pat::Sym(v.ident.name)),
333 }
334}
335
336fn fn_kind_pat(tcx: TyCtxt<'_>, kind: &FnKind<'_>, body: &Body<'_>, hir_id: HirId) -> (Pat, Pat) {
337 let (mut start_pat, end_pat) = match kind {
338 FnKind::ItemFn(.., header) => (fn_header_search_pat(*header), Pat::Str("")),
339 FnKind::Method(.., sig) => (fn_header_search_pat(sig.header), Pat::Str("")),
340 FnKind::Closure => return (Pat::Str(""), expr_search_pat(tcx, body.value).1),
341 };
342 match tcx.hir_node(hir_id) {
343 Node::Item(Item { vis_span, .. })
344 | Node::ImplItem(ImplItem {
345 impl_kind: ImplItemImplKind::Inherent { vis_span, .. },
346 ..
347 }) => {
348 if !vis_span.is_empty() {
349 start_pat = Pat::Str("pub");
350 }
351 },
352 Node::ImplItem(_) | Node::TraitItem(_) => {},
353 _ => start_pat = Pat::Str(""),
354 }
355 (start_pat, end_pat)
356}
357
358fn attr_search_pat(attr: &Attribute) -> (Pat, Pat) {
359 match attr.kind {
360 AttrKind::Normal(..) => {
361 if let Some(name) = attr.name() {
362 (Pat::Attr(name), Pat::Str(""))
364 } else {
365 (Pat::Str("#"), Pat::Str("]"))
366 }
367 },
368 AttrKind::DocComment(_kind @ CommentKind::Line, ..) => {
369 if attr.style == AttrStyle::Outer {
370 (Pat::Str("///"), Pat::Str(""))
371 } else {
372 (Pat::Str("//!"), Pat::Str(""))
373 }
374 },
375 AttrKind::DocComment(_kind @ CommentKind::Block, ..) => {
376 if attr.style == AttrStyle::Outer {
377 (Pat::Str("/**"), Pat::Str("*/"))
378 } else {
379 (Pat::Str("/*!"), Pat::Str("*/"))
380 }
381 },
382 }
383}
384
385fn ty_search_pat(ty: &Ty<'_>) -> (Pat, Pat) {
386 match ty.kind {
387 TyKind::Slice(..) | TyKind::Array(..) => (Pat::Str("["), Pat::Str("]")),
388 TyKind::Ptr(MutTy { ty, .. }) => (Pat::Str("*"), ty_search_pat(ty).1),
389 TyKind::Ref(_, MutTy { ty, .. }) => (Pat::Str("&"), ty_search_pat(ty).1),
390 TyKind::FnPtr(fn_ptr) => (
391 if fn_ptr.safety.is_unsafe() {
392 Pat::Str("unsafe")
393 } else if fn_ptr.abi != ExternAbi::Rust {
394 Pat::Str("extern")
395 } else {
396 Pat::MultiStr(&["fn", "extern"])
397 },
398 match fn_ptr.decl.output {
399 FnRetTy::DefaultReturn(_) => {
400 if let [.., ty] = fn_ptr.decl.inputs {
401 ty_search_pat(ty).1
402 } else {
403 Pat::Str("(")
404 }
405 },
406 FnRetTy::Return(ty) => ty_search_pat(ty).1,
407 },
408 ),
409 TyKind::Never => (Pat::Str("!"), Pat::Str("!")),
410 TyKind::Tup([]) => (Pat::Str(")"), Pat::Str("(")),
413 TyKind::Tup([ty]) => ty_search_pat(ty),
414 TyKind::Tup([head, .., tail]) => (ty_search_pat(head).0, ty_search_pat(tail).1),
415 TyKind::OpaqueDef(..) => (Pat::Str("impl"), Pat::Str("")),
416 TyKind::Path(qpath) => qpath_search_pat(&qpath),
417 TyKind::Infer(()) => (Pat::Str("_"), Pat::Str("_")),
418 TyKind::UnsafeBinder(binder_ty) => (Pat::Str("unsafe"), ty_search_pat(binder_ty.inner_ty).1),
419 TyKind::TraitObject(_, tagged_ptr) if let TraitObjectSyntax::Dyn = tagged_ptr.tag() => {
420 (Pat::Str("dyn"), Pat::Str(""))
421 },
422 _ => (Pat::Str(""), Pat::Str("")),
424 }
425}
426
427fn ast_ty_search_pat(ty: &ast::Ty) -> (Pat, Pat) {
428 use ast::{Extern, FnRetTy, MutTy, Safety, TraitObjectSyntax, TyKind};
429
430 match &ty.kind {
431 TyKind::Slice(..) | TyKind::Array(..) => (Pat::Str("["), Pat::Str("]")),
432 TyKind::Ptr(MutTy { ty, .. }) => (Pat::Str("*"), ast_ty_search_pat(ty).1),
433 TyKind::Ref(_, MutTy { ty, .. }) | TyKind::PinnedRef(_, MutTy { ty, .. }) => {
434 (Pat::Str("&"), ast_ty_search_pat(ty).1)
435 },
436 TyKind::FnPtr(fn_ptr) => (
437 if let Safety::Unsafe(_) = fn_ptr.safety {
438 Pat::Str("unsafe")
439 } else if let Extern::Explicit(strlit, _) = fn_ptr.ext
440 && strlit.symbol == sym::rust
441 {
442 Pat::MultiStr(&["fn", "extern"])
443 } else {
444 Pat::Str("extern")
445 },
446 match &fn_ptr.decl.output {
447 FnRetTy::Default(_) => {
448 if let [.., param] = &*fn_ptr.decl.inputs {
449 ast_ty_search_pat(¶m.ty).1
450 } else {
451 Pat::Str("(")
452 }
453 },
454 FnRetTy::Ty(ty) => ast_ty_search_pat(ty).1,
455 },
456 ),
457 TyKind::Never => (Pat::Str("!"), Pat::Str("!")),
458 TyKind::Tup(tup) => match &**tup {
461 [] => (Pat::Str(")"), Pat::Str("(")),
462 [ty] => ast_ty_search_pat(ty),
463 [head, .., tail] => (ast_ty_search_pat(head).0, ast_ty_search_pat(tail).1),
464 },
465 TyKind::ImplTrait(..) => (Pat::Str("impl"), Pat::Str("")),
466 TyKind::Path(qself_path, path) => {
467 let start = if qself_path.is_some() {
468 Pat::Str("<")
469 } else if let Some(first) = path.segments.first() {
470 ident_search_pat(first.ident).0
471 } else {
472 Pat::Str("")
474 };
475 let end = if let Some(last) = path.segments.last() {
476 match last.args.as_deref() {
477 Some(GenericArgs::AngleBracketed(_)) => Pat::Str(">"),
479 Some(GenericArgs::Parenthesized(par_args)) => match &par_args.output {
480 FnRetTy::Default(_) => {
481 if let Some(last) = par_args.inputs.last() {
482 ast_ty_search_pat(last).1
484 } else {
485 Pat::Str("(")
487 }
488 },
489 FnRetTy::Ty(ty) => ast_ty_search_pat(ty).1,
491 },
492 Some(GenericArgs::ParenthesizedElided(_)) => Pat::Str(".."),
494 None => ident_search_pat(last.ident).1,
496 }
497 } else {
498 Pat::Str(
500 if qself_path.is_some() {
501 ">" } else {
503 ""
504 }
505 )
506 };
507 (start, end)
508 },
509 TyKind::Infer => (Pat::Str("_"), Pat::Str("_")),
510 TyKind::Paren(ty) => ast_ty_search_pat(ty),
511 TyKind::UnsafeBinder(binder_ty) => (Pat::Str("unsafe"), ast_ty_search_pat(&binder_ty.inner_ty).1),
512 TyKind::TraitObject(_, trait_obj_syntax) => {
513 if let TraitObjectSyntax::Dyn = trait_obj_syntax {
514 (Pat::Str("dyn"), Pat::Str(""))
515 } else {
516 (Pat::Str(""), Pat::Str(""))
518 }
519 },
520 TyKind::MacCall(mac_call) => {
521 let start = if let Some(first) = mac_call.path.segments.first() {
522 ident_search_pat(first.ident).0
523 } else {
524 Pat::Str("")
525 };
526 (start, Pat::Str(""))
527 },
528
529 TyKind::ImplicitSelf
531
532 | TyKind::Pat(..)
534
535 | TyKind::CVarArgs
537
538 | TyKind::Dummy
540 | TyKind::Err(_) => (Pat::Str(""), Pat::Str("")),
541 }
542}
543
544fn ident_search_pat(ident: Ident) -> (Pat, Pat) {
545 (Pat::Sym(ident.name), Pat::Sym(ident.name))
546}
547
548pub trait WithSearchPat<'cx> {
549 type Context: LintContext;
550 fn search_pat(&self, cx: &Self::Context) -> (Pat, Pat);
551 fn span(&self) -> Span;
552}
553macro_rules! impl_with_search_pat {
554 (($cx_ident:ident: $cx_ty:ident<$cx_lt:lifetime>, $self:tt: $ty:ty) => $fn:ident($($args:tt)*)) => {
555 impl<$cx_lt> WithSearchPat<$cx_lt> for $ty {
556 type Context = $cx_ty<$cx_lt>;
557 fn search_pat(&$self, $cx_ident: &Self::Context) -> (Pat, Pat) {
558 $fn($($args)*)
559 }
560 fn span(&self) -> Span {
561 self.span
562 }
563 }
564 };
565}
566impl_with_search_pat!((cx: LateContext<'tcx>, self: Expr<'tcx>) => expr_search_pat(cx.tcx, self));
567impl_with_search_pat!((_cx: LateContext<'tcx>, self: Item<'_>) => item_search_pat(self));
568impl_with_search_pat!((_cx: LateContext<'tcx>, self: TraitItem<'_>) => trait_item_search_pat(self));
569impl_with_search_pat!((_cx: LateContext<'tcx>, self: ImplItem<'_>) => impl_item_search_pat(self));
570impl_with_search_pat!((_cx: LateContext<'tcx>, self: FieldDef<'_>) => field_def_search_pat(self));
571impl_with_search_pat!((_cx: LateContext<'tcx>, self: Variant<'_>) => variant_search_pat(self));
572impl_with_search_pat!((_cx: LateContext<'tcx>, self: Ty<'_>) => ty_search_pat(self));
573impl_with_search_pat!((_cx: LateContext<'tcx>, self: Ident) => ident_search_pat(*self));
574impl_with_search_pat!((_cx: LateContext<'tcx>, self: Lit) => lit_search_pat(&self.node));
575impl_with_search_pat!((_cx: LateContext<'tcx>, self: Path<'_>) => path_search_pat(self));
576
577impl_with_search_pat!((_cx: EarlyContext<'tcx>, self: Attribute) => attr_search_pat(self));
578impl_with_search_pat!((_cx: EarlyContext<'tcx>, self: ast::Ty) => ast_ty_search_pat(self));
579
580impl<'cx> WithSearchPat<'cx> for (&FnKind<'cx>, &Body<'cx>, HirId, Span) {
581 type Context = LateContext<'cx>;
582
583 fn search_pat(&self, cx: &Self::Context) -> (Pat, Pat) {
584 fn_kind_pat(cx.tcx, self.0, self.1, self.2)
585 }
586
587 fn span(&self) -> Span {
588 self.3
589 }
590}
591
592pub fn is_from_proc_macro<'cx, T: WithSearchPat<'cx>>(cx: &T::Context, item: &T) -> bool {
597 let (start_pat, end_pat) = item.search_pat(cx);
598 !span_matches_pat(cx.sess(), item.span(), start_pat, end_pat)
599}
600
601pub fn is_span_match(cx: &impl LintContext, span: Span) -> bool {
603 span_matches_pat(cx.sess(), span, Pat::Str("match"), Pat::Str("}"))
604}
605
606pub fn is_span_if(cx: &impl LintContext, span: Span) -> bool {
608 span_matches_pat(cx.sess(), span, Pat::Str("if"), Pat::Str("}"))
609}