1use crate::consts::ConstEvalCtxt;
2use crate::macros::macro_backtrace;
3use crate::source::{SpanRange, SpanRangeExt, walk_span_to_context};
4use crate::tokenize_with_text;
5use rustc_ast::ast;
6use rustc_ast::ast::InlineAsmTemplatePiece;
7use rustc_data_structures::fx::{FxHasher, FxIndexMap};
8use rustc_hir::MatchSource::TryDesugar;
9use rustc_hir::def::{DefKind, Res};
10use rustc_hir::def_id::DefId;
11use rustc_hir::{
12 AssocItemConstraint, BinOpKind, BindingMode, Block, BodyId, ByRef, Closure, ConstArg, ConstArgKind, ConstItemRhs,
13 Expr, ExprField, ExprKind, FnDecl, FnRetTy, FnSig, GenericArg, GenericArgs, GenericBound, GenericBounds,
14 GenericParam, GenericParamKind, GenericParamSource, Generics, HirId, HirIdMap, InlineAsmOperand, ItemId, ItemKind,
15 LetExpr, Lifetime, LifetimeKind, LifetimeParamKind, Node, ParamName, Pat, PatExpr, PatExprKind, PatField, PatKind,
16 Path, PathSegment, PreciseCapturingArgKind, PrimTy, QPath, Stmt, StmtKind, StructTailExpr, TraitBoundModifiers, Ty,
17 TyKind, TyPat, TyPatKind, UseKind, WherePredicate, WherePredicateKind,
18};
19use rustc_lexer::{FrontmatterAllowed, TokenKind, tokenize};
20use rustc_lint::LateContext;
21use rustc_middle::ty::TypeckResults;
22use rustc_span::{BytePos, ExpnKind, MacroKind, Symbol, SyntaxContext, sym};
23use std::hash::{Hash, Hasher};
24use std::ops::Range;
25use std::slice;
26
27type SpanlessEqCallback<'a> = dyn FnMut(&Expr<'_>, &Expr<'_>) -> bool + 'a;
30
31#[derive(Copy, Clone, Debug, Default)]
33pub enum PathCheck {
34 #[default]
39 Exact,
40 Resolution,
50}
51
52pub struct SpanlessEq<'a, 'tcx> {
58 cx: &'a LateContext<'tcx>,
60 maybe_typeck_results: Option<(&'tcx TypeckResults<'tcx>, &'tcx TypeckResults<'tcx>)>,
61 allow_side_effects: bool,
62 expr_fallback: Option<Box<SpanlessEqCallback<'a>>>,
63 path_check: PathCheck,
64}
65
66impl<'a, 'tcx> SpanlessEq<'a, 'tcx> {
67 pub fn new(cx: &'a LateContext<'tcx>) -> Self {
68 Self {
69 cx,
70 maybe_typeck_results: cx.maybe_typeck_results().map(|x| (x, x)),
71 allow_side_effects: true,
72 expr_fallback: None,
73 path_check: PathCheck::default(),
74 }
75 }
76
77 #[must_use]
79 pub fn deny_side_effects(self) -> Self {
80 Self {
81 allow_side_effects: false,
82 ..self
83 }
84 }
85
86 #[must_use]
89 pub fn paths_by_resolution(self) -> Self {
90 Self {
91 path_check: PathCheck::Resolution,
92 ..self
93 }
94 }
95
96 #[must_use]
97 pub fn expr_fallback(self, expr_fallback: impl FnMut(&Expr<'_>, &Expr<'_>) -> bool + 'a) -> Self {
98 Self {
99 expr_fallback: Some(Box::new(expr_fallback)),
100 ..self
101 }
102 }
103
104 pub fn inter_expr(&mut self) -> HirEqInterExpr<'_, 'a, 'tcx> {
107 HirEqInterExpr {
108 inner: self,
109 left_ctxt: SyntaxContext::root(),
110 right_ctxt: SyntaxContext::root(),
111 locals: HirIdMap::default(),
112 local_items: FxIndexMap::default(),
113 }
114 }
115
116 pub fn eq_block(&mut self, left: &Block<'_>, right: &Block<'_>) -> bool {
117 self.inter_expr().eq_block(left, right)
118 }
119
120 pub fn eq_expr(&mut self, left: &Expr<'_>, right: &Expr<'_>) -> bool {
121 self.inter_expr().eq_expr(left, right)
122 }
123
124 pub fn eq_path(&mut self, left: &Path<'_>, right: &Path<'_>) -> bool {
125 self.inter_expr().eq_path(left, right)
126 }
127
128 pub fn eq_path_segment(&mut self, left: &PathSegment<'_>, right: &PathSegment<'_>) -> bool {
129 self.inter_expr().eq_path_segment(left, right)
130 }
131
132 pub fn eq_path_segments(&mut self, left: &[PathSegment<'_>], right: &[PathSegment<'_>]) -> bool {
133 self.inter_expr().eq_path_segments(left, right)
134 }
135
136 pub fn eq_modifiers(left: TraitBoundModifiers, right: TraitBoundModifiers) -> bool {
137 std::mem::discriminant(&left.constness) == std::mem::discriminant(&right.constness)
138 && std::mem::discriminant(&left.polarity) == std::mem::discriminant(&right.polarity)
139 }
140}
141
142pub struct HirEqInterExpr<'a, 'b, 'tcx> {
143 inner: &'a mut SpanlessEq<'b, 'tcx>,
144 left_ctxt: SyntaxContext,
145 right_ctxt: SyntaxContext,
146
147 pub locals: HirIdMap<HirId>,
151 pub local_items: FxIndexMap<DefId, DefId>,
152}
153
154impl HirEqInterExpr<'_, '_, '_> {
155 pub fn eq_stmt(&mut self, left: &Stmt<'_>, right: &Stmt<'_>) -> bool {
156 match (&left.kind, &right.kind) {
157 (StmtKind::Let(l), StmtKind::Let(r)) => {
158 if let Some((typeck_lhs, typeck_rhs)) = self.inner.maybe_typeck_results {
161 let l_ty = typeck_lhs.pat_ty(l.pat);
162 let r_ty = typeck_rhs.pat_ty(r.pat);
163 if l_ty != r_ty {
164 return false;
165 }
166 }
167
168 both(l.init.as_ref(), r.init.as_ref(), |l, r| self.eq_expr(l, r))
171 && both(l.ty.as_ref(), r.ty.as_ref(), |l, r| self.eq_ty(l, r))
172 && both(l.els.as_ref(), r.els.as_ref(), |l, r| self.eq_block(l, r))
173 && self.eq_pat(l.pat, r.pat)
174 },
175 (StmtKind::Expr(l), StmtKind::Expr(r)) | (StmtKind::Semi(l), StmtKind::Semi(r)) => self.eq_expr(l, r),
176 (StmtKind::Item(l), StmtKind::Item(r)) => self.eq_item(*l, *r),
177 _ => false,
178 }
179 }
180
181 pub fn eq_item(&mut self, l: ItemId, r: ItemId) -> bool {
182 let left = self.inner.cx.tcx.hir_item(l);
183 let right = self.inner.cx.tcx.hir_item(r);
184 let eq = match (left.kind, right.kind) {
185 (
186 ItemKind::Const(l_ident, l_generics, l_ty, ConstItemRhs::Body(l_body)),
187 ItemKind::Const(r_ident, r_generics, r_ty, ConstItemRhs::Body(r_body)),
188 ) => {
189 l_ident.name == r_ident.name
190 && self.eq_generics(l_generics, r_generics)
191 && self.eq_ty(l_ty, r_ty)
192 && self.eq_body(l_body, r_body)
193 },
194 (ItemKind::Static(l_mut, l_ident, l_ty, l_body), ItemKind::Static(r_mut, r_ident, r_ty, r_body)) => {
195 l_mut == r_mut && l_ident.name == r_ident.name && self.eq_ty(l_ty, r_ty) && self.eq_body(l_body, r_body)
196 },
197 (
198 ItemKind::Fn {
199 sig: l_sig,
200 ident: l_ident,
201 generics: l_generics,
202 body: l_body,
203 has_body: l_has_body,
204 },
205 ItemKind::Fn {
206 sig: r_sig,
207 ident: r_ident,
208 generics: r_generics,
209 body: r_body,
210 has_body: r_has_body,
211 },
212 ) => {
213 l_ident.name == r_ident.name
214 && (l_has_body == r_has_body)
215 && self.eq_fn_sig(&l_sig, &r_sig)
216 && self.eq_generics(l_generics, r_generics)
217 && self.eq_body(l_body, r_body)
218 },
219 (ItemKind::TyAlias(l_ident, l_generics, l_ty), ItemKind::TyAlias(r_ident, r_generics, r_ty)) => {
220 l_ident.name == r_ident.name && self.eq_generics(l_generics, r_generics) && self.eq_ty(l_ty, r_ty)
221 },
222 (ItemKind::Use(l_path, l_kind), ItemKind::Use(r_path, r_kind)) => {
223 self.eq_path_segments(l_path.segments, r_path.segments)
224 && match (l_kind, r_kind) {
225 (UseKind::Single(l_ident), UseKind::Single(r_ident)) => l_ident.name == r_ident.name,
226 (UseKind::Glob, UseKind::Glob) | (UseKind::ListStem, UseKind::ListStem) => true,
227 _ => false,
228 }
229 },
230 (ItemKind::Mod(l_ident, l_mod), ItemKind::Mod(r_ident, r_mod)) => {
231 l_ident.name == r_ident.name && over(l_mod.item_ids, r_mod.item_ids, |l, r| self.eq_item(*l, *r))
232 },
233 _ => false,
234 };
235 if eq {
236 self.local_items.insert(l.owner_id.to_def_id(), r.owner_id.to_def_id());
237 }
238 eq
239 }
240
241 fn eq_fn_sig(&mut self, left: &FnSig<'_>, right: &FnSig<'_>) -> bool {
242 left.header.safety == right.header.safety
243 && left.header.constness == right.header.constness
244 && left.header.asyncness == right.header.asyncness
245 && left.header.abi == right.header.abi
246 && self.eq_fn_decl(left.decl, right.decl)
247 }
248
249 fn eq_fn_decl(&mut self, left: &FnDecl<'_>, right: &FnDecl<'_>) -> bool {
250 over(left.inputs, right.inputs, |l, r| self.eq_ty(l, r))
251 && (match (left.output, right.output) {
252 (FnRetTy::DefaultReturn(_), FnRetTy::DefaultReturn(_)) => true,
253 (FnRetTy::Return(l_ty), FnRetTy::Return(r_ty)) => self.eq_ty(l_ty, r_ty),
254 _ => false,
255 })
256 && left.c_variadic == right.c_variadic
257 && left.implicit_self == right.implicit_self
258 && left.lifetime_elision_allowed == right.lifetime_elision_allowed
259 }
260
261 fn eq_generics(&mut self, left: &Generics<'_>, right: &Generics<'_>) -> bool {
262 self.eq_generics_param(left.params, right.params)
263 && self.eq_generics_predicate(left.predicates, right.predicates)
264 }
265
266 fn eq_generics_predicate(&mut self, left: &[WherePredicate<'_>], right: &[WherePredicate<'_>]) -> bool {
267 over(left, right, |l, r| match (l.kind, r.kind) {
268 (WherePredicateKind::BoundPredicate(l_bound), WherePredicateKind::BoundPredicate(r_bound)) => {
269 l_bound.origin == r_bound.origin
270 && self.eq_ty(l_bound.bounded_ty, r_bound.bounded_ty)
271 && self.eq_generics_param(l_bound.bound_generic_params, r_bound.bound_generic_params)
272 && self.eq_generics_bound(l_bound.bounds, r_bound.bounds)
273 },
274 (WherePredicateKind::RegionPredicate(l_region), WherePredicateKind::RegionPredicate(r_region)) => {
275 Self::eq_lifetime(l_region.lifetime, r_region.lifetime)
276 && self.eq_generics_bound(l_region.bounds, r_region.bounds)
277 },
278 (WherePredicateKind::EqPredicate(l_eq), WherePredicateKind::EqPredicate(r_eq)) => {
279 self.eq_ty(l_eq.lhs_ty, r_eq.lhs_ty)
280 },
281 _ => false,
282 })
283 }
284
285 fn eq_generics_bound(&mut self, left: GenericBounds<'_>, right: GenericBounds<'_>) -> bool {
286 over(left, right, |l, r| match (l, r) {
287 (GenericBound::Trait(l_trait), GenericBound::Trait(r_trait)) => {
288 l_trait.modifiers == r_trait.modifiers
289 && self.eq_path(l_trait.trait_ref.path, r_trait.trait_ref.path)
290 && self.eq_generics_param(l_trait.bound_generic_params, r_trait.bound_generic_params)
291 },
292 (GenericBound::Outlives(l_lifetime), GenericBound::Outlives(r_lifetime)) => {
293 Self::eq_lifetime(l_lifetime, r_lifetime)
294 },
295 (GenericBound::Use(l_capture, _), GenericBound::Use(r_capture, _)) => {
296 over(l_capture, r_capture, |l, r| match (l, r) {
297 (PreciseCapturingArgKind::Lifetime(l_lifetime), PreciseCapturingArgKind::Lifetime(r_lifetime)) => {
298 Self::eq_lifetime(l_lifetime, r_lifetime)
299 },
300 (PreciseCapturingArgKind::Param(l_param), PreciseCapturingArgKind::Param(r_param)) => {
301 l_param.ident == r_param.ident && l_param.res == r_param.res
302 },
303 _ => false,
304 })
305 },
306 _ => false,
307 })
308 }
309
310 fn eq_generics_param(&mut self, left: &[GenericParam<'_>], right: &[GenericParam<'_>]) -> bool {
311 over(left, right, |l, r| {
312 (match (l.name, r.name) {
313 (ParamName::Plain(l_ident), ParamName::Plain(r_ident))
314 | (ParamName::Error(l_ident), ParamName::Error(r_ident)) => l_ident.name == r_ident.name,
315 (ParamName::Fresh, ParamName::Fresh) => true,
316 _ => false,
317 }) && l.pure_wrt_drop == r.pure_wrt_drop
318 && self.eq_generics_param_kind(&l.kind, &r.kind)
319 && (matches!(
320 (l.source, r.source),
321 (GenericParamSource::Generics, GenericParamSource::Generics)
322 | (GenericParamSource::Binder, GenericParamSource::Binder)
323 ))
324 })
325 }
326
327 fn eq_generics_param_kind(&mut self, left: &GenericParamKind<'_>, right: &GenericParamKind<'_>) -> bool {
328 match (left, right) {
329 (GenericParamKind::Lifetime { kind: l_kind }, GenericParamKind::Lifetime { kind: r_kind }) => {
330 match (l_kind, r_kind) {
331 (LifetimeParamKind::Explicit, LifetimeParamKind::Explicit)
332 | (LifetimeParamKind::Error, LifetimeParamKind::Error) => true,
333 (LifetimeParamKind::Elided(l_lifetime_kind), LifetimeParamKind::Elided(r_lifetime_kind)) => {
334 l_lifetime_kind == r_lifetime_kind
335 },
336 _ => false,
337 }
338 },
339 (
340 GenericParamKind::Type {
341 default: l_default,
342 synthetic: l_synthetic,
343 },
344 GenericParamKind::Type {
345 default: r_default,
346 synthetic: r_synthetic,
347 },
348 ) => both(*l_default, *r_default, |l, r| self.eq_ty(l, r)) && l_synthetic == r_synthetic,
349 (
350 GenericParamKind::Const {
351 ty: l_ty,
352 default: l_default,
353 },
354 GenericParamKind::Const {
355 ty: r_ty,
356 default: r_default,
357 },
358 ) => self.eq_ty(l_ty, r_ty) && both(*l_default, *r_default, |l, r| self.eq_const_arg(l, r)),
359 _ => false,
360 }
361 }
362
363 fn eq_block(&mut self, left: &Block<'_>, right: &Block<'_>) -> bool {
365 use TokenKind::{Semi, Whitespace};
366 if left.stmts.len() != right.stmts.len() {
367 return false;
368 }
369 let lspan = left.span.data();
370 let rspan = right.span.data();
371 if lspan.ctxt != SyntaxContext::root() && rspan.ctxt != SyntaxContext::root() {
372 return over(left.stmts, right.stmts, |left, right| self.eq_stmt(left, right))
374 && both(left.expr.as_ref(), right.expr.as_ref(), |left, right| {
375 self.eq_expr(left, right)
376 });
377 }
378 if lspan.ctxt != rspan.ctxt {
379 return false;
380 }
381
382 let mut lstart = lspan.lo;
383 let mut rstart = rspan.lo;
384
385 for (left, right) in left.stmts.iter().zip(right.stmts) {
386 if !self.eq_stmt(left, right) {
387 return false;
388 }
389
390 let Some(lstmt_span) = walk_span_to_context(left.span, lspan.ctxt) else {
392 return false;
393 };
394 let Some(rstmt_span) = walk_span_to_context(right.span, rspan.ctxt) else {
395 return false;
396 };
397 let lstmt_span = lstmt_span.data();
398 let rstmt_span = rstmt_span.data();
399
400 if lstmt_span.lo < lstart && rstmt_span.lo < rstart {
401 continue;
404 }
405 if lstmt_span.lo < lstart || rstmt_span.lo < rstart {
406 return false;
408 }
409 if !eq_span_tokens(self.inner.cx, lstart..lstmt_span.lo, rstart..rstmt_span.lo, |t| {
410 !matches!(t, Whitespace | Semi)
411 }) {
412 return false;
413 }
414
415 lstart = lstmt_span.hi;
416 rstart = rstmt_span.hi;
417 }
418
419 let (lend, rend) = match (left.expr, right.expr) {
420 (Some(left), Some(right)) => {
421 if !self.eq_expr(left, right) {
422 return false;
423 }
424 let Some(lexpr_span) = walk_span_to_context(left.span, lspan.ctxt) else {
425 return false;
426 };
427 let Some(rexpr_span) = walk_span_to_context(right.span, rspan.ctxt) else {
428 return false;
429 };
430 (lexpr_span.lo(), rexpr_span.lo())
431 },
432 (None, None) => (lspan.hi, rspan.hi),
433 (Some(_), None) | (None, Some(_)) => return false,
434 };
435
436 if lend < lstart && rend < rstart {
437 return true;
440 } else if lend < lstart || rend < rstart {
441 return false;
443 }
444 eq_span_tokens(self.inner.cx, lstart..lend, rstart..rend, |t| {
445 !matches!(t, Whitespace | Semi)
446 })
447 }
448
449 fn should_ignore(&self, expr: &Expr<'_>) -> bool {
450 macro_backtrace(expr.span).last().is_some_and(|macro_call| {
451 matches!(
452 self.inner.cx.tcx.get_diagnostic_name(macro_call.def_id),
453 Some(sym::todo_macro | sym::unimplemented_macro)
454 )
455 })
456 }
457
458 pub fn eq_body(&mut self, left: BodyId, right: BodyId) -> bool {
459 let old_maybe_typeck_results = self.inner.maybe_typeck_results.replace((
461 self.inner.cx.tcx.typeck_body(left),
462 self.inner.cx.tcx.typeck_body(right),
463 ));
464 let res = self.eq_expr(
465 self.inner.cx.tcx.hir_body(left).value,
466 self.inner.cx.tcx.hir_body(right).value,
467 );
468 self.inner.maybe_typeck_results = old_maybe_typeck_results;
469 res
470 }
471
472 #[expect(clippy::too_many_lines)]
473 pub fn eq_expr(&mut self, left: &Expr<'_>, right: &Expr<'_>) -> bool {
474 if !self.check_ctxt(left.span.ctxt(), right.span.ctxt()) {
475 return false;
476 }
477
478 if let Some((typeck_lhs, typeck_rhs)) = self.inner.maybe_typeck_results
479 && typeck_lhs.expr_ty(left) == typeck_rhs.expr_ty(right)
480 && let (Some(l), Some(r)) = (
481 ConstEvalCtxt::with_env(self.inner.cx.tcx, self.inner.cx.typing_env(), typeck_lhs)
482 .eval_local(left, self.left_ctxt),
483 ConstEvalCtxt::with_env(self.inner.cx.tcx, self.inner.cx.typing_env(), typeck_rhs)
484 .eval_local(right, self.right_ctxt),
485 )
486 && l == r
487 {
488 return true;
489 }
490
491 let is_eq = match (
492 reduce_exprkind(self.inner.cx, &left.kind),
493 reduce_exprkind(self.inner.cx, &right.kind),
494 ) {
495 (ExprKind::AddrOf(lb, l_mut, le), ExprKind::AddrOf(rb, r_mut, re)) => {
496 lb == rb && l_mut == r_mut && self.eq_expr(le, re)
497 },
498 (ExprKind::Array(l), ExprKind::Array(r)) => self.eq_exprs(l, r),
499 (ExprKind::Assign(ll, lr, _), ExprKind::Assign(rl, rr, _)) => {
500 self.inner.allow_side_effects && self.eq_expr(ll, rl) && self.eq_expr(lr, rr)
501 },
502 (ExprKind::AssignOp(lo, ll, lr), ExprKind::AssignOp(ro, rl, rr)) => {
503 self.inner.allow_side_effects && lo.node == ro.node && self.eq_expr(ll, rl) && self.eq_expr(lr, rr)
504 },
505 (ExprKind::Block(l, _), ExprKind::Block(r, _)) => self.eq_block(l, r),
506 (ExprKind::Binary(l_op, ll, lr), ExprKind::Binary(r_op, rl, rr)) => {
507 l_op.node == r_op.node && self.eq_expr(ll, rl) && self.eq_expr(lr, rr)
508 || swap_binop(l_op.node, ll, lr).is_some_and(|(l_op, ll, lr)| {
509 l_op == r_op.node && self.eq_expr(ll, rl) && self.eq_expr(lr, rr)
510 })
511 },
512 (ExprKind::Break(li, le), ExprKind::Break(ri, re)) => {
513 both(li.label.as_ref(), ri.label.as_ref(), |l, r| l.ident.name == r.ident.name)
514 && both(le.as_ref(), re.as_ref(), |l, r| self.eq_expr(l, r))
515 },
516 (ExprKind::Call(l_fun, l_args), ExprKind::Call(r_fun, r_args)) => {
517 self.inner.allow_side_effects && self.eq_expr(l_fun, r_fun) && self.eq_exprs(l_args, r_args)
518 },
519 (ExprKind::Cast(lx, lt), ExprKind::Cast(rx, rt)) => {
520 self.eq_expr(lx, rx) && self.eq_ty(lt, rt)
521 },
522 (ExprKind::Closure(_l), ExprKind::Closure(_r)) => false,
523 (ExprKind::ConstBlock(lb), ExprKind::ConstBlock(rb)) => self.eq_body(lb.body, rb.body),
524 (ExprKind::Continue(li), ExprKind::Continue(ri)) => {
525 both(li.label.as_ref(), ri.label.as_ref(), |l, r| l.ident.name == r.ident.name)
526 },
527 (ExprKind::DropTemps(le), ExprKind::DropTemps(re)) => self.eq_expr(le, re),
528 (ExprKind::Field(l_f_exp, l_f_ident), ExprKind::Field(r_f_exp, r_f_ident)) => {
529 l_f_ident.name == r_f_ident.name && self.eq_expr(l_f_exp, r_f_exp)
530 },
531 (ExprKind::Index(la, li, _), ExprKind::Index(ra, ri, _)) => self.eq_expr(la, ra) && self.eq_expr(li, ri),
532 (ExprKind::If(lc, lt, le), ExprKind::If(rc, rt, re)) => {
533 self.eq_expr(lc, rc) && self.eq_expr(lt, rt)
534 && both(le.as_ref(), re.as_ref(), |l, r| self.eq_expr(l, r))
535 },
536 (ExprKind::Let(l), ExprKind::Let(r)) => {
537 self.eq_pat(l.pat, r.pat)
538 && both(l.ty.as_ref(), r.ty.as_ref(), |l, r| self.eq_ty(l, r))
539 && self.eq_expr(l.init, r.init)
540 },
541 (ExprKind::Lit(l), ExprKind::Lit(r)) => l.node == r.node,
542 (ExprKind::Loop(lb, ll, lls, _), ExprKind::Loop(rb, rl, rls, _)) => {
543 lls == rls && self.eq_block(lb, rb)
544 && both(ll.as_ref(), rl.as_ref(), |l, r| l.ident.name == r.ident.name)
545 },
546 (ExprKind::Match(le, la, ls), ExprKind::Match(re, ra, rs)) => {
547 (ls == rs || (matches!((ls, rs), (TryDesugar(_), TryDesugar(_)))))
548 && self.eq_expr(le, re)
549 && over(la, ra, |l, r| {
550 self.eq_pat(l.pat, r.pat)
551 && both(l.guard.as_ref(), r.guard.as_ref(), |l, r| self.eq_expr(l, r))
552 && self.eq_expr(l.body, r.body)
553 })
554 },
555 (
556 ExprKind::MethodCall(l_path, l_receiver, l_args, _),
557 ExprKind::MethodCall(r_path, r_receiver, r_args, _),
558 ) => {
559 self.inner.allow_side_effects
560 && self.eq_path_segment(l_path, r_path)
561 && self.eq_expr(l_receiver, r_receiver)
562 && self.eq_exprs(l_args, r_args)
563 },
564 (ExprKind::UnsafeBinderCast(lkind, le, None), ExprKind::UnsafeBinderCast(rkind, re, None)) =>
565 lkind == rkind && self.eq_expr(le, re),
566 (ExprKind::UnsafeBinderCast(lkind, le, Some(lt)), ExprKind::UnsafeBinderCast(rkind, re, Some(rt))) =>
567 lkind == rkind && self.eq_expr(le, re) && self.eq_ty(lt, rt),
568 (ExprKind::OffsetOf(l_container, l_fields), ExprKind::OffsetOf(r_container, r_fields)) => {
569 self.eq_ty(l_container, r_container) && over(l_fields, r_fields, |l, r| l.name == r.name)
570 },
571 (ExprKind::Path(l), ExprKind::Path(r)) => self.eq_qpath(l, r),
572 (ExprKind::Repeat(le, ll), ExprKind::Repeat(re, rl)) => {
573 self.eq_expr(le, re) && self.eq_const_arg(ll, rl)
574 },
575 (ExprKind::Ret(l), ExprKind::Ret(r)) => both(l.as_ref(), r.as_ref(), |l, r| self.eq_expr(l, r)),
576 (ExprKind::Struct(l_path, lf, lo), ExprKind::Struct(r_path, rf, ro)) => {
577 self.eq_qpath(l_path, r_path)
578 && match (lo, ro) {
579 (StructTailExpr::Base(l),StructTailExpr::Base(r)) => self.eq_expr(l, r),
580 (StructTailExpr::None, StructTailExpr::None) |
581 (StructTailExpr::DefaultFields(_), StructTailExpr::DefaultFields(_)) => true,
582 _ => false,
583 }
584 && over(lf, rf, |l, r| self.eq_expr_field(l, r))
585 },
586 (ExprKind::Tup(l_tup), ExprKind::Tup(r_tup)) => self.eq_exprs(l_tup, r_tup),
587 (ExprKind::Use(l_expr, _), ExprKind::Use(r_expr, _)) => self.eq_expr(l_expr, r_expr),
588 (ExprKind::Type(le, lt), ExprKind::Type(re, rt)) => self.eq_expr(le, re) && self.eq_ty(lt, rt),
589 (ExprKind::Unary(l_op, le), ExprKind::Unary(r_op, re)) => l_op == r_op && self.eq_expr(le, re),
590 (ExprKind::Yield(le, _), ExprKind::Yield(re, _)) => return self.eq_expr(le, re),
591 (
592 | ExprKind::AddrOf(..)
594 | ExprKind::Array(..)
595 | ExprKind::Assign(..)
596 | ExprKind::AssignOp(..)
597 | ExprKind::Binary(..)
598 | ExprKind::Become(..)
599 | ExprKind::Block(..)
600 | ExprKind::Break(..)
601 | ExprKind::Call(..)
602 | ExprKind::Cast(..)
603 | ExprKind::ConstBlock(..)
604 | ExprKind::Continue(..)
605 | ExprKind::DropTemps(..)
606 | ExprKind::Field(..)
607 | ExprKind::Index(..)
608 | ExprKind::If(..)
609 | ExprKind::Let(..)
610 | ExprKind::Lit(..)
611 | ExprKind::Loop(..)
612 | ExprKind::Match(..)
613 | ExprKind::MethodCall(..)
614 | ExprKind::OffsetOf(..)
615 | ExprKind::Path(..)
616 | ExprKind::Repeat(..)
617 | ExprKind::Ret(..)
618 | ExprKind::Struct(..)
619 | ExprKind::Tup(..)
620 | ExprKind::Use(..)
621 | ExprKind::Type(..)
622 | ExprKind::Unary(..)
623 | ExprKind::Yield(..)
624 | ExprKind::UnsafeBinderCast(..)
625
626 | ExprKind::Err(..)
631
632 | ExprKind::Closure(..)
635 | ExprKind::InlineAsm(_)
638 , _
639 ) => false,
640 };
641 (is_eq && (!self.should_ignore(left) || !self.should_ignore(right)))
642 || self.inner.expr_fallback.as_mut().is_some_and(|f| f(left, right))
643 }
644
645 fn eq_exprs(&mut self, left: &[Expr<'_>], right: &[Expr<'_>]) -> bool {
646 over(left, right, |l, r| self.eq_expr(l, r))
647 }
648
649 fn eq_expr_field(&mut self, left: &ExprField<'_>, right: &ExprField<'_>) -> bool {
650 left.ident.name == right.ident.name && self.eq_expr(left.expr, right.expr)
651 }
652
653 fn eq_generic_arg(&mut self, left: &GenericArg<'_>, right: &GenericArg<'_>) -> bool {
654 match (left, right) {
655 (GenericArg::Const(l), GenericArg::Const(r)) => self.eq_const_arg(l.as_unambig_ct(), r.as_unambig_ct()),
656 (GenericArg::Lifetime(l_lt), GenericArg::Lifetime(r_lt)) => Self::eq_lifetime(l_lt, r_lt),
657 (GenericArg::Type(l_ty), GenericArg::Type(r_ty)) => self.eq_ty(l_ty.as_unambig_ty(), r_ty.as_unambig_ty()),
658 (GenericArg::Infer(l_inf), GenericArg::Infer(r_inf)) => self.eq_ty(&l_inf.to_ty(), &r_inf.to_ty()),
659 _ => false,
660 }
661 }
662
663 fn eq_const_arg(&mut self, left: &ConstArg<'_>, right: &ConstArg<'_>) -> bool {
664 match (&left.kind, &right.kind) {
665 (ConstArgKind::Path(l_p), ConstArgKind::Path(r_p)) => self.eq_qpath(l_p, r_p),
666 (ConstArgKind::Anon(l_an), ConstArgKind::Anon(r_an)) => self.eq_body(l_an.body, r_an.body),
667 (ConstArgKind::Infer(..), ConstArgKind::Infer(..)) => true,
668 (ConstArgKind::Struct(path_a, inits_a), ConstArgKind::Struct(path_b, inits_b)) => {
669 self.eq_qpath(path_a, path_b)
670 && inits_a
671 .iter()
672 .zip(*inits_b)
673 .all(|(init_a, init_b)| self.eq_const_arg(init_a.expr, init_b.expr))
674 },
675 (
677 ConstArgKind::Path(..)
678 | ConstArgKind::Anon(..)
679 | ConstArgKind::Infer(..)
680 | ConstArgKind::Struct(..)
681 | ConstArgKind::Error(..),
682 _,
683 ) => false,
684 }
685 }
686
687 fn eq_lifetime(left: &Lifetime, right: &Lifetime) -> bool {
688 left.kind == right.kind
689 }
690
691 fn eq_pat_field(&mut self, left: &PatField<'_>, right: &PatField<'_>) -> bool {
692 let (PatField { ident: li, pat: lp, .. }, PatField { ident: ri, pat: rp, .. }) = (&left, &right);
693 li.name == ri.name && self.eq_pat(lp, rp)
694 }
695
696 fn eq_pat_expr(&mut self, left: &PatExpr<'_>, right: &PatExpr<'_>) -> bool {
697 match (&left.kind, &right.kind) {
698 (
699 PatExprKind::Lit {
700 lit: left,
701 negated: left_neg,
702 },
703 PatExprKind::Lit {
704 lit: right,
705 negated: right_neg,
706 },
707 ) => left_neg == right_neg && left.node == right.node,
708 (PatExprKind::ConstBlock(left), PatExprKind::ConstBlock(right)) => self.eq_body(left.body, right.body),
709 (PatExprKind::Path(left), PatExprKind::Path(right)) => self.eq_qpath(left, right),
710 (PatExprKind::Lit { .. } | PatExprKind::ConstBlock(..) | PatExprKind::Path(..), _) => false,
711 }
712 }
713
714 fn eq_pat(&mut self, left: &Pat<'_>, right: &Pat<'_>) -> bool {
716 match (&left.kind, &right.kind) {
717 (PatKind::Box(l), PatKind::Box(r)) => self.eq_pat(l, r),
718 (PatKind::Struct(lp, la, ..), PatKind::Struct(rp, ra, ..)) => {
719 self.eq_qpath(lp, rp) && over(la, ra, |l, r| self.eq_pat_field(l, r))
720 },
721 (PatKind::TupleStruct(lp, la, ls), PatKind::TupleStruct(rp, ra, rs)) => {
722 self.eq_qpath(lp, rp) && over(la, ra, |l, r| self.eq_pat(l, r)) && ls == rs
723 },
724 (PatKind::Binding(lb, li, _, lp), PatKind::Binding(rb, ri, _, rp)) => {
725 let eq = lb == rb && both(lp.as_ref(), rp.as_ref(), |l, r| self.eq_pat(l, r));
726 if eq {
727 self.locals.insert(*li, *ri);
728 }
729 eq
730 },
731 (PatKind::Expr(l), PatKind::Expr(r)) => self.eq_pat_expr(l, r),
732 (PatKind::Tuple(l, ls), PatKind::Tuple(r, rs)) => ls == rs && over(l, r, |l, r| self.eq_pat(l, r)),
733 (PatKind::Range(ls, le, li), PatKind::Range(rs, re, ri)) => {
734 both(ls.as_ref(), rs.as_ref(), |a, b| self.eq_pat_expr(a, b))
735 && both(le.as_ref(), re.as_ref(), |a, b| self.eq_pat_expr(a, b))
736 && (li == ri)
737 },
738 (PatKind::Ref(le, lp, lm), PatKind::Ref(re, rp, rm)) => lp == rp && lm == rm && self.eq_pat(le, re),
739 (PatKind::Slice(ls, li, le), PatKind::Slice(rs, ri, re)) => {
740 over(ls, rs, |l, r| self.eq_pat(l, r))
741 && over(le, re, |l, r| self.eq_pat(l, r))
742 && both(li.as_ref(), ri.as_ref(), |l, r| self.eq_pat(l, r))
743 },
744 (PatKind::Wild, PatKind::Wild) => true,
745 _ => false,
746 }
747 }
748
749 fn eq_qpath(&mut self, left: &QPath<'_>, right: &QPath<'_>) -> bool {
750 match (left, right) {
751 (QPath::Resolved(lty, lpath), QPath::Resolved(rty, rpath)) => {
752 both(lty.as_ref(), rty.as_ref(), |l, r| self.eq_ty(l, r)) && self.eq_path(lpath, rpath)
753 },
754 (QPath::TypeRelative(lty, lseg), QPath::TypeRelative(rty, rseg)) => {
755 self.eq_ty(lty, rty) && self.eq_path_segment(lseg, rseg)
756 },
757 _ => false,
758 }
759 }
760
761 pub fn eq_path(&mut self, left: &Path<'_>, right: &Path<'_>) -> bool {
762 match (left.res, right.res) {
763 (Res::Local(l), Res::Local(r)) => l == r || self.locals.get(&l) == Some(&r),
764 (Res::Local(_), _) | (_, Res::Local(_)) => false,
765 (Res::Def(l_kind, l), Res::Def(r_kind, r))
766 if l_kind == r_kind
767 && let DefKind::Const
768 | DefKind::Static { .. }
769 | DefKind::Fn
770 | DefKind::TyAlias
771 | DefKind::Use
772 | DefKind::Mod = l_kind =>
773 {
774 (l == r || self.local_items.get(&l) == Some(&r)) && self.eq_path_segments(left.segments, right.segments)
775 },
776 _ => self.eq_path_segments(left.segments, right.segments),
777 }
778 }
779
780 fn eq_path_parameters(&mut self, left: &GenericArgs<'_>, right: &GenericArgs<'_>) -> bool {
781 if left.parenthesized == right.parenthesized {
782 over(left.args, right.args, |l, r| self.eq_generic_arg(l, r)) && over(left.constraints, right.constraints, |l, r| self.eq_assoc_eq_constraint(l, r))
784 } else {
785 false
786 }
787 }
788
789 pub fn eq_path_segments<'tcx>(
790 &mut self,
791 mut left: &'tcx [PathSegment<'tcx>],
792 mut right: &'tcx [PathSegment<'tcx>],
793 ) -> bool {
794 if let PathCheck::Resolution = self.inner.path_check
795 && let Some(left_seg) = generic_path_segments(left)
796 && let Some(right_seg) = generic_path_segments(right)
797 {
798 left = left_seg;
801 right = right_seg;
802 }
803
804 over(left, right, |l, r| self.eq_path_segment(l, r))
805 }
806
807 pub fn eq_path_segment(&mut self, left: &PathSegment<'_>, right: &PathSegment<'_>) -> bool {
808 if !self.eq_path_parameters(left.args(), right.args()) {
809 return false;
810 }
811
812 if let PathCheck::Resolution = self.inner.path_check
813 && left.res != Res::Err
814 && right.res != Res::Err
815 {
816 left.res == right.res
817 } else {
818 left.ident.name == right.ident.name
821 }
822 }
823
824 pub fn eq_ty(&mut self, left: &Ty<'_>, right: &Ty<'_>) -> bool {
825 match (&left.kind, &right.kind) {
826 (TyKind::Slice(l_vec), TyKind::Slice(r_vec)) => self.eq_ty(l_vec, r_vec),
827 (TyKind::Array(lt, ll), TyKind::Array(rt, rl)) => self.eq_ty(lt, rt) && self.eq_const_arg(ll, rl),
828 (TyKind::Ptr(l_mut), TyKind::Ptr(r_mut)) => l_mut.mutbl == r_mut.mutbl && self.eq_ty(l_mut.ty, r_mut.ty),
829 (TyKind::Ref(_, l_rmut), TyKind::Ref(_, r_rmut)) => {
830 l_rmut.mutbl == r_rmut.mutbl && self.eq_ty(l_rmut.ty, r_rmut.ty)
831 },
832 (TyKind::Path(l), TyKind::Path(r)) => self.eq_qpath(l, r),
833 (TyKind::Tup(l), TyKind::Tup(r)) => over(l, r, |l, r| self.eq_ty(l, r)),
834 (TyKind::Infer(()), TyKind::Infer(())) => true,
835 _ => false,
836 }
837 }
838
839 fn eq_assoc_eq_constraint(&mut self, left: &AssocItemConstraint<'_>, right: &AssocItemConstraint<'_>) -> bool {
842 left.ident.name == right.ident.name
844 && (both_some_and(left.ty(), right.ty(), |l, r| self.eq_ty(l, r))
845 || both_some_and(left.ct(), right.ct(), |l, r| self.eq_const_arg(l, r)))
846 }
847
848 fn check_ctxt(&mut self, left: SyntaxContext, right: SyntaxContext) -> bool {
849 if self.left_ctxt == left && self.right_ctxt == right {
850 return true;
851 } else if self.left_ctxt == left || self.right_ctxt == right {
852 return false;
854 } else if left != SyntaxContext::root() {
855 let mut left_data = left.outer_expn_data();
856 let mut right_data = right.outer_expn_data();
857 loop {
858 use TokenKind::{BlockComment, LineComment, Whitespace};
859 if left_data.macro_def_id != right_data.macro_def_id
860 || (matches!(
861 left_data.kind,
862 ExpnKind::Macro(MacroKind::Bang, name)
863 if name == sym::cfg || name == sym::option_env
864 ) && !eq_span_tokens(self.inner.cx, left_data.call_site, right_data.call_site, |t| {
865 !matches!(t, Whitespace | LineComment { .. } | BlockComment { .. })
866 }))
867 {
868 return false;
870 }
871 let left_ctxt = left_data.call_site.ctxt();
872 let right_ctxt = right_data.call_site.ctxt();
873 if left_ctxt == SyntaxContext::root() && right_ctxt == SyntaxContext::root() {
874 break;
875 }
876 if left_ctxt == SyntaxContext::root() || right_ctxt == SyntaxContext::root() {
877 return false;
880 }
881 left_data = left_ctxt.outer_expn_data();
882 right_data = right_ctxt.outer_expn_data();
883 }
884 }
885 self.left_ctxt = left;
886 self.right_ctxt = right;
887 true
888 }
889}
890
891fn reduce_exprkind<'hir>(cx: &LateContext<'_>, kind: &'hir ExprKind<'hir>) -> &'hir ExprKind<'hir> {
893 if let ExprKind::Block(block, _) = kind {
894 match (block.stmts, block.expr) {
895 ([], None) if block.span.is_empty() => &ExprKind::Tup(&[]),
898 ([], None)
900 if block.span.check_source_text(cx, |src| {
901 tokenize(src, FrontmatterAllowed::No)
902 .map(|t| t.kind)
903 .filter(|t| {
904 !matches!(
905 t,
906 TokenKind::LineComment { .. } | TokenKind::BlockComment { .. } | TokenKind::Whitespace
907 )
908 })
909 .eq([TokenKind::OpenBrace, TokenKind::CloseBrace].iter().copied())
910 }) =>
911 {
912 &ExprKind::Tup(&[])
913 },
914 ([], Some(expr)) => match expr.kind {
915 ExprKind::Ret(..) => &expr.kind,
917 _ => kind,
918 },
919 ([stmt], None) => match stmt.kind {
920 StmtKind::Expr(expr) | StmtKind::Semi(expr) => match expr.kind {
921 ExprKind::Ret(..) => &expr.kind,
923 _ => kind,
924 },
925 _ => kind,
926 },
927 _ => kind,
928 }
929 } else {
930 kind
931 }
932}
933
934fn swap_binop<'a>(
935 binop: BinOpKind,
936 lhs: &'a Expr<'a>,
937 rhs: &'a Expr<'a>,
938) -> Option<(BinOpKind, &'a Expr<'a>, &'a Expr<'a>)> {
939 match binop {
940 BinOpKind::Add | BinOpKind::Eq | BinOpKind::Ne | BinOpKind::BitAnd | BinOpKind::BitXor | BinOpKind::BitOr => {
941 Some((binop, rhs, lhs))
942 },
943 BinOpKind::Lt => Some((BinOpKind::Gt, rhs, lhs)),
944 BinOpKind::Le => Some((BinOpKind::Ge, rhs, lhs)),
945 BinOpKind::Ge => Some((BinOpKind::Le, rhs, lhs)),
946 BinOpKind::Gt => Some((BinOpKind::Lt, rhs, lhs)),
947 BinOpKind::Mul | BinOpKind::Shl
949 | BinOpKind::Shr
950 | BinOpKind::Rem
951 | BinOpKind::Sub
952 | BinOpKind::Div
953 | BinOpKind::And
954 | BinOpKind::Or => None,
955 }
956}
957
958pub fn both<X>(l: Option<&X>, r: Option<&X>, mut eq_fn: impl FnMut(&X, &X) -> bool) -> bool {
961 l.as_ref()
962 .map_or_else(|| r.is_none(), |x| r.as_ref().is_some_and(|y| eq_fn(x, y)))
963}
964
965pub fn both_some_and<X, Y>(l: Option<X>, r: Option<Y>, mut pred: impl FnMut(X, Y) -> bool) -> bool {
967 l.is_some_and(|l| r.is_some_and(|r| pred(l, r)))
968}
969
970pub fn over<X, Y>(left: &[X], right: &[Y], mut eq_fn: impl FnMut(&X, &Y) -> bool) -> bool {
972 left.len() == right.len() && left.iter().zip(right).all(|(x, y)| eq_fn(x, y))
973}
974
975pub fn count_eq<X: Sized>(
977 left: &mut dyn Iterator<Item = X>,
978 right: &mut dyn Iterator<Item = X>,
979 mut eq_fn: impl FnMut(&X, &X) -> bool,
980) -> usize {
981 left.zip(right).take_while(|(l, r)| eq_fn(l, r)).count()
982}
983
984pub fn eq_expr_value(cx: &LateContext<'_>, left: &Expr<'_>, right: &Expr<'_>) -> bool {
986 SpanlessEq::new(cx).deny_side_effects().eq_expr(left, right)
987}
988
989fn generic_path_segments<'tcx>(segments: &'tcx [PathSegment<'tcx>]) -> Option<&'tcx [PathSegment<'tcx>]> {
993 match segments.last()?.res {
994 Res::Def(DefKind::AssocConst | DefKind::AssocFn | DefKind::AssocTy, _) => {
995 Some(&segments[segments.len().checked_sub(2)?..])
998 },
999 Res::Err => None,
1000 _ => Some(slice::from_ref(segments.last()?)),
1001 }
1002}
1003
1004pub struct SpanlessHash<'a, 'tcx> {
1010 cx: &'a LateContext<'tcx>,
1012 maybe_typeck_results: Option<&'tcx TypeckResults<'tcx>>,
1013 s: FxHasher,
1014 path_check: PathCheck,
1015}
1016
1017impl<'a, 'tcx> SpanlessHash<'a, 'tcx> {
1018 pub fn new(cx: &'a LateContext<'tcx>) -> Self {
1019 Self {
1020 cx,
1021 maybe_typeck_results: cx.maybe_typeck_results(),
1022 s: FxHasher::default(),
1023 path_check: PathCheck::default(),
1024 }
1025 }
1026
1027 #[must_use]
1030 pub fn paths_by_resolution(self) -> Self {
1031 Self {
1032 path_check: PathCheck::Resolution,
1033 ..self
1034 }
1035 }
1036
1037 pub fn finish(self) -> u64 {
1038 self.s.finish()
1039 }
1040
1041 pub fn hash_block(&mut self, b: &Block<'_>) {
1042 for s in b.stmts {
1043 self.hash_stmt(s);
1044 }
1045
1046 if let Some(e) = b.expr {
1047 self.hash_expr(e);
1048 }
1049
1050 std::mem::discriminant(&b.rules).hash(&mut self.s);
1051 }
1052
1053 #[expect(clippy::too_many_lines)]
1054 pub fn hash_expr(&mut self, e: &Expr<'_>) {
1055 let simple_const = self.maybe_typeck_results.and_then(|typeck_results| {
1056 ConstEvalCtxt::with_env(self.cx.tcx, self.cx.typing_env(), typeck_results).eval_local(e, e.span.ctxt())
1057 });
1058
1059 simple_const.hash(&mut self.s);
1062 if simple_const.is_some() {
1063 return;
1064 }
1065
1066 std::mem::discriminant(&e.kind).hash(&mut self.s);
1067
1068 match &e.kind {
1069 ExprKind::AddrOf(kind, m, e) => {
1070 std::mem::discriminant(kind).hash(&mut self.s);
1071 m.hash(&mut self.s);
1072 self.hash_expr(e);
1073 },
1074 ExprKind::Continue(i) => {
1075 if let Some(i) = i.label {
1076 self.hash_name(i.ident.name);
1077 }
1078 },
1079 ExprKind::Array(v) => {
1080 self.hash_exprs(v);
1081 },
1082 ExprKind::Assign(l, r, _) => {
1083 self.hash_expr(l);
1084 self.hash_expr(r);
1085 },
1086 ExprKind::AssignOp(o, l, r) => {
1087 std::mem::discriminant(&o.node).hash(&mut self.s);
1088 self.hash_expr(l);
1089 self.hash_expr(r);
1090 },
1091 ExprKind::Become(f) => {
1092 self.hash_expr(f);
1093 },
1094 ExprKind::Block(b, _) => {
1095 self.hash_block(b);
1096 },
1097 ExprKind::Binary(op, l, r) => {
1098 std::mem::discriminant(&op.node).hash(&mut self.s);
1099 self.hash_expr(l);
1100 self.hash_expr(r);
1101 },
1102 ExprKind::Break(i, j) => {
1103 if let Some(i) = i.label {
1104 self.hash_name(i.ident.name);
1105 }
1106 if let Some(j) = j {
1107 self.hash_expr(j);
1108 }
1109 },
1110 ExprKind::Call(fun, args) => {
1111 self.hash_expr(fun);
1112 self.hash_exprs(args);
1113 },
1114 ExprKind::Cast(e, ty) | ExprKind::Type(e, ty) => {
1115 self.hash_expr(e);
1116 self.hash_ty(ty);
1117 },
1118 ExprKind::Closure(Closure {
1119 capture_clause, body, ..
1120 }) => {
1121 std::mem::discriminant(capture_clause).hash(&mut self.s);
1122 self.hash_expr(self.cx.tcx.hir_body(*body).value);
1124 },
1125 ExprKind::ConstBlock(l_id) => {
1126 self.hash_body(l_id.body);
1127 },
1128 ExprKind::DropTemps(e) | ExprKind::Yield(e, _) => {
1129 self.hash_expr(e);
1130 },
1131 ExprKind::Field(e, f) => {
1132 self.hash_expr(e);
1133 self.hash_name(f.name);
1134 },
1135 ExprKind::Index(a, i, _) => {
1136 self.hash_expr(a);
1137 self.hash_expr(i);
1138 },
1139 ExprKind::InlineAsm(asm) => {
1140 for piece in asm.template {
1141 match piece {
1142 InlineAsmTemplatePiece::String(s) => s.hash(&mut self.s),
1143 InlineAsmTemplatePiece::Placeholder {
1144 operand_idx,
1145 modifier,
1146 span: _,
1147 } => {
1148 operand_idx.hash(&mut self.s);
1149 modifier.hash(&mut self.s);
1150 },
1151 }
1152 }
1153 asm.options.hash(&mut self.s);
1154 for (op, _op_sp) in asm.operands {
1155 match op {
1156 InlineAsmOperand::In { reg, expr } => {
1157 reg.hash(&mut self.s);
1158 self.hash_expr(expr);
1159 },
1160 InlineAsmOperand::Out { reg, late, expr } => {
1161 reg.hash(&mut self.s);
1162 late.hash(&mut self.s);
1163 if let Some(expr) = expr {
1164 self.hash_expr(expr);
1165 }
1166 },
1167 InlineAsmOperand::InOut { reg, late, expr } => {
1168 reg.hash(&mut self.s);
1169 late.hash(&mut self.s);
1170 self.hash_expr(expr);
1171 },
1172 InlineAsmOperand::SplitInOut {
1173 reg,
1174 late,
1175 in_expr,
1176 out_expr,
1177 } => {
1178 reg.hash(&mut self.s);
1179 late.hash(&mut self.s);
1180 self.hash_expr(in_expr);
1181 if let Some(out_expr) = out_expr {
1182 self.hash_expr(out_expr);
1183 }
1184 },
1185 InlineAsmOperand::SymFn { expr } => {
1186 self.hash_expr(expr);
1187 },
1188 InlineAsmOperand::Const { anon_const } => {
1189 self.hash_body(anon_const.body);
1190 },
1191 InlineAsmOperand::SymStatic { path, def_id: _ } => self.hash_qpath(path),
1192 InlineAsmOperand::Label { block } => self.hash_block(block),
1193 }
1194 }
1195 },
1196 ExprKind::Let(LetExpr { pat, init, ty, .. }) => {
1197 self.hash_expr(init);
1198 if let Some(ty) = ty {
1199 self.hash_ty(ty);
1200 }
1201 self.hash_pat(pat);
1202 },
1203 ExprKind::Lit(l) => {
1204 l.node.hash(&mut self.s);
1205 },
1206 ExprKind::Loop(b, i, ..) => {
1207 self.hash_block(b);
1208 if let Some(i) = i {
1209 self.hash_name(i.ident.name);
1210 }
1211 },
1212 ExprKind::If(cond, then, else_opt) => {
1213 self.hash_expr(cond);
1214 self.hash_expr(then);
1215 if let Some(e) = else_opt {
1216 self.hash_expr(e);
1217 }
1218 },
1219 ExprKind::Match(scrutinee, arms, _) => {
1220 self.hash_expr(scrutinee);
1221
1222 for arm in *arms {
1223 self.hash_pat(arm.pat);
1224 if let Some(e) = arm.guard {
1225 self.hash_expr(e);
1226 }
1227 self.hash_expr(arm.body);
1228 }
1229 },
1230 ExprKind::MethodCall(path, receiver, args, _fn_span) => {
1231 self.hash_name(path.ident.name);
1232 self.hash_expr(receiver);
1233 self.hash_exprs(args);
1234 },
1235 ExprKind::OffsetOf(container, fields) => {
1236 self.hash_ty(container);
1237 for field in *fields {
1238 self.hash_name(field.name);
1239 }
1240 },
1241 ExprKind::Path(qpath) => {
1242 self.hash_qpath(qpath);
1243 },
1244 ExprKind::Repeat(e, len) => {
1245 self.hash_expr(e);
1246 self.hash_const_arg(len);
1247 },
1248 ExprKind::Ret(e) => {
1249 if let Some(e) = e {
1250 self.hash_expr(e);
1251 }
1252 },
1253 ExprKind::Struct(path, fields, expr) => {
1254 self.hash_qpath(path);
1255
1256 for f in *fields {
1257 self.hash_name(f.ident.name);
1258 self.hash_expr(f.expr);
1259 }
1260
1261 if let StructTailExpr::Base(e) = expr {
1262 self.hash_expr(e);
1263 }
1264 },
1265 ExprKind::Tup(tup) => {
1266 self.hash_exprs(tup);
1267 },
1268 ExprKind::Use(expr, _) => {
1269 self.hash_expr(expr);
1270 },
1271 ExprKind::Unary(l_op, le) => {
1272 std::mem::discriminant(l_op).hash(&mut self.s);
1273 self.hash_expr(le);
1274 },
1275 ExprKind::UnsafeBinderCast(kind, expr, ty) => {
1276 std::mem::discriminant(kind).hash(&mut self.s);
1277 self.hash_expr(expr);
1278 if let Some(ty) = ty {
1279 self.hash_ty(ty);
1280 }
1281 },
1282 ExprKind::Err(_) => {},
1283 }
1284 }
1285
1286 pub fn hash_exprs(&mut self, e: &[Expr<'_>]) {
1287 for e in e {
1288 self.hash_expr(e);
1289 }
1290 }
1291
1292 pub fn hash_name(&mut self, n: Symbol) {
1293 n.hash(&mut self.s);
1294 }
1295
1296 pub fn hash_qpath(&mut self, p: &QPath<'_>) {
1297 match p {
1298 QPath::Resolved(_, path) => {
1299 self.hash_path(path);
1300 },
1301 QPath::TypeRelative(_, path) => {
1302 self.hash_name(path.ident.name);
1303 },
1304 }
1305 }
1307
1308 pub fn hash_pat_expr(&mut self, lit: &PatExpr<'_>) {
1309 std::mem::discriminant(&lit.kind).hash(&mut self.s);
1310 match &lit.kind {
1311 PatExprKind::Lit { lit, negated } => {
1312 lit.node.hash(&mut self.s);
1313 negated.hash(&mut self.s);
1314 },
1315 PatExprKind::ConstBlock(c) => self.hash_body(c.body),
1316 PatExprKind::Path(qpath) => self.hash_qpath(qpath),
1317 }
1318 }
1319
1320 pub fn hash_ty_pat(&mut self, pat: &TyPat<'_>) {
1321 std::mem::discriminant(&pat.kind).hash(&mut self.s);
1322 match pat.kind {
1323 TyPatKind::Range(s, e) => {
1324 self.hash_const_arg(s);
1325 self.hash_const_arg(e);
1326 },
1327 TyPatKind::Or(variants) => {
1328 for variant in variants {
1329 self.hash_ty_pat(variant);
1330 }
1331 },
1332 TyPatKind::NotNull | TyPatKind::Err(_) => {},
1333 }
1334 }
1335
1336 pub fn hash_pat(&mut self, pat: &Pat<'_>) {
1337 std::mem::discriminant(&pat.kind).hash(&mut self.s);
1338 match &pat.kind {
1339 PatKind::Missing => unreachable!(),
1340 PatKind::Binding(BindingMode(by_ref, mutability), _, _, pat) => {
1341 std::mem::discriminant(by_ref).hash(&mut self.s);
1342 if let ByRef::Yes(pi, mu) = by_ref {
1343 std::mem::discriminant(pi).hash(&mut self.s);
1344 std::mem::discriminant(mu).hash(&mut self.s);
1345 }
1346 std::mem::discriminant(mutability).hash(&mut self.s);
1347 if let Some(pat) = pat {
1348 self.hash_pat(pat);
1349 }
1350 },
1351 PatKind::Box(pat) | PatKind::Deref(pat) => self.hash_pat(pat),
1352 PatKind::Expr(expr) => self.hash_pat_expr(expr),
1353 PatKind::Or(pats) => {
1354 for pat in *pats {
1355 self.hash_pat(pat);
1356 }
1357 },
1358 PatKind::Range(s, e, i) => {
1359 if let Some(s) = s {
1360 self.hash_pat_expr(s);
1361 }
1362 if let Some(e) = e {
1363 self.hash_pat_expr(e);
1364 }
1365 std::mem::discriminant(i).hash(&mut self.s);
1366 },
1367 PatKind::Ref(pat, pi, mu) => {
1368 self.hash_pat(pat);
1369 std::mem::discriminant(pi).hash(&mut self.s);
1370 std::mem::discriminant(mu).hash(&mut self.s);
1371 },
1372 PatKind::Guard(pat, guard) => {
1373 self.hash_pat(pat);
1374 self.hash_expr(guard);
1375 },
1376 PatKind::Slice(l, m, r) => {
1377 for pat in *l {
1378 self.hash_pat(pat);
1379 }
1380 if let Some(pat) = m {
1381 self.hash_pat(pat);
1382 }
1383 for pat in *r {
1384 self.hash_pat(pat);
1385 }
1386 },
1387 PatKind::Struct(qpath, fields, e) => {
1388 self.hash_qpath(qpath);
1389 for f in *fields {
1390 self.hash_name(f.ident.name);
1391 self.hash_pat(f.pat);
1392 }
1393 e.hash(&mut self.s);
1394 },
1395 PatKind::Tuple(pats, e) => {
1396 for pat in *pats {
1397 self.hash_pat(pat);
1398 }
1399 e.hash(&mut self.s);
1400 },
1401 PatKind::TupleStruct(qpath, pats, e) => {
1402 self.hash_qpath(qpath);
1403 for pat in *pats {
1404 self.hash_pat(pat);
1405 }
1406 e.hash(&mut self.s);
1407 },
1408 PatKind::Never | PatKind::Wild | PatKind::Err(_) => {},
1409 }
1410 }
1411
1412 pub fn hash_path(&mut self, path: &Path<'_>) {
1413 match path.res {
1414 Res::Local(_) => 1_usize.hash(&mut self.s),
1418 _ => {
1419 if let PathCheck::Resolution = self.path_check
1420 && let [.., last] = path.segments
1421 && let Some(segments) = generic_path_segments(path.segments)
1422 {
1423 for seg in segments {
1424 self.hash_generic_args(seg.args().args);
1425 }
1426 last.res.hash(&mut self.s);
1427 } else {
1428 for seg in path.segments {
1429 self.hash_name(seg.ident.name);
1430 self.hash_generic_args(seg.args().args);
1431 }
1432 }
1433 },
1434 }
1435 }
1436
1437 pub fn hash_modifiers(&mut self, modifiers: TraitBoundModifiers) {
1438 let TraitBoundModifiers { constness, polarity } = modifiers;
1439 std::mem::discriminant(&polarity).hash(&mut self.s);
1440 std::mem::discriminant(&constness).hash(&mut self.s);
1441 }
1442
1443 pub fn hash_stmt(&mut self, b: &Stmt<'_>) {
1444 std::mem::discriminant(&b.kind).hash(&mut self.s);
1445
1446 match &b.kind {
1447 StmtKind::Let(local) => {
1448 self.hash_pat(local.pat);
1449 if let Some(init) = local.init {
1450 self.hash_expr(init);
1451 }
1452 if let Some(els) = local.els {
1453 self.hash_block(els);
1454 }
1455 },
1456 StmtKind::Item(..) => {},
1457 StmtKind::Expr(expr) | StmtKind::Semi(expr) => {
1458 self.hash_expr(expr);
1459 },
1460 }
1461 }
1462
1463 pub fn hash_lifetime(&mut self, lifetime: &Lifetime) {
1464 lifetime.ident.name.hash(&mut self.s);
1465 std::mem::discriminant(&lifetime.kind).hash(&mut self.s);
1466 if let LifetimeKind::Param(param_id) = lifetime.kind {
1467 param_id.hash(&mut self.s);
1468 }
1469 }
1470
1471 pub fn hash_ty(&mut self, ty: &Ty<'_>) {
1472 std::mem::discriminant(&ty.kind).hash(&mut self.s);
1473 self.hash_tykind(&ty.kind);
1474 }
1475
1476 pub fn hash_tykind(&mut self, ty: &TyKind<'_>) {
1477 match ty {
1478 TyKind::Slice(ty) => {
1479 self.hash_ty(ty);
1480 },
1481 TyKind::Array(ty, len) => {
1482 self.hash_ty(ty);
1483 self.hash_const_arg(len);
1484 },
1485 TyKind::Pat(ty, pat) => {
1486 self.hash_ty(ty);
1487 self.hash_ty_pat(pat);
1488 },
1489 TyKind::Ptr(mut_ty) => {
1490 self.hash_ty(mut_ty.ty);
1491 mut_ty.mutbl.hash(&mut self.s);
1492 },
1493 TyKind::Ref(lifetime, mut_ty) => {
1494 self.hash_lifetime(lifetime);
1495 self.hash_ty(mut_ty.ty);
1496 mut_ty.mutbl.hash(&mut self.s);
1497 },
1498 TyKind::FnPtr(fn_ptr) => {
1499 fn_ptr.safety.hash(&mut self.s);
1500 fn_ptr.abi.hash(&mut self.s);
1501 for arg in fn_ptr.decl.inputs {
1502 self.hash_ty(arg);
1503 }
1504 std::mem::discriminant(&fn_ptr.decl.output).hash(&mut self.s);
1505 match fn_ptr.decl.output {
1506 FnRetTy::DefaultReturn(_) => {},
1507 FnRetTy::Return(ty) => {
1508 self.hash_ty(ty);
1509 },
1510 }
1511 fn_ptr.decl.c_variadic.hash(&mut self.s);
1512 },
1513 TyKind::Tup(ty_list) => {
1514 for ty in *ty_list {
1515 self.hash_ty(ty);
1516 }
1517 },
1518 TyKind::Path(qpath) => self.hash_qpath(qpath),
1519 TyKind::TraitObject(_, lifetime) => {
1520 self.hash_lifetime(lifetime);
1521 },
1522 TyKind::UnsafeBinder(binder) => {
1523 self.hash_ty(binder.inner_ty);
1524 },
1525 TyKind::Err(_)
1526 | TyKind::Infer(())
1527 | TyKind::Never
1528 | TyKind::InferDelegation(..)
1529 | TyKind::OpaqueDef(_)
1530 | TyKind::TraitAscription(_) => {},
1531 }
1532 }
1533
1534 pub fn hash_body(&mut self, body_id: BodyId) {
1535 let old_maybe_typeck_results = self.maybe_typeck_results.replace(self.cx.tcx.typeck_body(body_id));
1537 self.hash_expr(self.cx.tcx.hir_body(body_id).value);
1538 self.maybe_typeck_results = old_maybe_typeck_results;
1539 }
1540
1541 fn hash_const_arg(&mut self, const_arg: &ConstArg<'_>) {
1542 match &const_arg.kind {
1543 ConstArgKind::Path(path) => self.hash_qpath(path),
1544 ConstArgKind::Anon(anon) => self.hash_body(anon.body),
1545 ConstArgKind::Struct(path, inits) => {
1546 self.hash_qpath(path);
1547 for init in *inits {
1548 self.hash_const_arg(init.expr);
1549 }
1550 },
1551 ConstArgKind::Infer(..) | ConstArgKind::Error(..) => {},
1552 }
1553 }
1554
1555 fn hash_generic_args(&mut self, arg_list: &[GenericArg<'_>]) {
1556 for arg in arg_list {
1557 match arg {
1558 GenericArg::Lifetime(l) => self.hash_lifetime(l),
1559 GenericArg::Type(ty) => self.hash_ty(ty.as_unambig_ty()),
1560 GenericArg::Const(ca) => self.hash_const_arg(ca.as_unambig_ct()),
1561 GenericArg::Infer(inf) => self.hash_ty(&inf.to_ty()),
1562 }
1563 }
1564 }
1565}
1566
1567pub fn hash_stmt(cx: &LateContext<'_>, s: &Stmt<'_>) -> u64 {
1568 let mut h = SpanlessHash::new(cx);
1569 h.hash_stmt(s);
1570 h.finish()
1571}
1572
1573pub fn is_bool(ty: &Ty<'_>) -> bool {
1574 if let TyKind::Path(QPath::Resolved(_, path)) = ty.kind {
1575 matches!(path.res, Res::PrimTy(PrimTy::Bool))
1576 } else {
1577 false
1578 }
1579}
1580
1581pub fn hash_expr(cx: &LateContext<'_>, e: &Expr<'_>) -> u64 {
1582 let mut h = SpanlessHash::new(cx);
1583 h.hash_expr(e);
1584 h.finish()
1585}
1586
1587fn eq_span_tokens(
1588 cx: &LateContext<'_>,
1589 left: impl SpanRange,
1590 right: impl SpanRange,
1591 pred: impl Fn(TokenKind) -> bool,
1592) -> bool {
1593 fn f(cx: &LateContext<'_>, left: Range<BytePos>, right: Range<BytePos>, pred: impl Fn(TokenKind) -> bool) -> bool {
1594 if let Some(lsrc) = left.get_source_range(cx)
1595 && let Some(lsrc) = lsrc.as_str()
1596 && let Some(rsrc) = right.get_source_range(cx)
1597 && let Some(rsrc) = rsrc.as_str()
1598 {
1599 let pred = |&(token, ..): &(TokenKind, _, _)| pred(token);
1600 let map = |(_, source, _)| source;
1601
1602 let ltok = tokenize_with_text(lsrc).filter(pred).map(map);
1603 let rtok = tokenize_with_text(rsrc).filter(pred).map(map);
1604 ltok.eq(rtok)
1605 } else {
1606 false
1608 }
1609 }
1610 f(cx, left.into_range(), right.into_range(), pred)
1611}
1612
1613pub fn has_ambiguous_literal_in_expr(cx: &LateContext<'_>, expr: &Expr<'_>) -> bool {
1616 match expr.kind {
1617 ExprKind::Path(ref qpath) => {
1618 if let Res::Local(hir_id) = cx.qpath_res(qpath, expr.hir_id)
1619 && let Node::LetStmt(local) = cx.tcx.parent_hir_node(hir_id)
1620 && local.ty.is_none()
1621 && let Some(init) = local.init
1622 {
1623 return has_ambiguous_literal_in_expr(cx, init);
1624 }
1625 false
1626 },
1627 ExprKind::Lit(lit) => matches!(
1628 lit.node,
1629 ast::LitKind::Float(_, ast::LitFloatType::Unsuffixed) | ast::LitKind::Int(_, ast::LitIntType::Unsuffixed)
1630 ),
1631
1632 ExprKind::Array(exprs) | ExprKind::Tup(exprs) => exprs.iter().any(|e| has_ambiguous_literal_in_expr(cx, e)),
1633
1634 ExprKind::Assign(lhs, rhs, _) | ExprKind::AssignOp(_, lhs, rhs) | ExprKind::Binary(_, lhs, rhs) => {
1635 has_ambiguous_literal_in_expr(cx, lhs) || has_ambiguous_literal_in_expr(cx, rhs)
1636 },
1637
1638 ExprKind::Unary(_, e)
1639 | ExprKind::Cast(e, _)
1640 | ExprKind::Type(e, _)
1641 | ExprKind::DropTemps(e)
1642 | ExprKind::AddrOf(_, _, e)
1643 | ExprKind::Field(e, _)
1644 | ExprKind::Index(e, _, _)
1645 | ExprKind::Yield(e, _) => has_ambiguous_literal_in_expr(cx, e),
1646
1647 ExprKind::MethodCall(_, receiver, args, _) | ExprKind::Call(receiver, args) => {
1648 has_ambiguous_literal_in_expr(cx, receiver) || args.iter().any(|e| has_ambiguous_literal_in_expr(cx, e))
1649 },
1650
1651 ExprKind::Closure(Closure { body, .. }) => {
1652 let body = cx.tcx.hir_body(*body);
1653 let closure_expr = crate::peel_blocks(body.value);
1654 has_ambiguous_literal_in_expr(cx, closure_expr)
1655 },
1656
1657 ExprKind::Block(blk, _) => blk.expr.as_ref().is_some_and(|e| has_ambiguous_literal_in_expr(cx, e)),
1658
1659 ExprKind::If(cond, then_expr, else_expr) => {
1660 has_ambiguous_literal_in_expr(cx, cond)
1661 || has_ambiguous_literal_in_expr(cx, then_expr)
1662 || else_expr.as_ref().is_some_and(|e| has_ambiguous_literal_in_expr(cx, e))
1663 },
1664
1665 ExprKind::Match(scrutinee, arms, _) => {
1666 has_ambiguous_literal_in_expr(cx, scrutinee)
1667 || arms.iter().any(|arm| has_ambiguous_literal_in_expr(cx, arm.body))
1668 },
1669
1670 ExprKind::Loop(body, ..) => body.expr.is_some_and(|e| has_ambiguous_literal_in_expr(cx, e)),
1671
1672 ExprKind::Ret(opt_expr) | ExprKind::Break(_, opt_expr) => {
1673 opt_expr.as_ref().is_some_and(|e| has_ambiguous_literal_in_expr(cx, e))
1674 },
1675
1676 _ => false,
1677 }
1678}