]> git.lizzy.rs Git - rust.git/blob - src/librustc/lint/builtin.rs
Auto merge of #21522 - nikomatsakis:assoc-type-ice-hunt-take-3, r=nick29581
[rust.git] / src / librustc / lint / builtin.rs
1 // Copyright 2012-2014 The Rust Project Developers. See the COPYRIGHT
2 // file at the top-level directory of this distribution and at
3 // http://rust-lang.org/COPYRIGHT.
4 //
5 // Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
6 // http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
7 // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
8 // option. This file may not be copied, modified, or distributed
9 // except according to those terms.
10
11 //! Lints built in to rustc.
12 //!
13 //! This is a sibling of `lint::context` in order to ensure that
14 //! lints implemented here use the same public API as lint plugins.
15 //!
16 //! To add a new lint to rustc, declare it here using `declare_lint!()`.
17 //! Then add code to emit the new lint in the appropriate circumstances.
18 //! You can do that in an existing `LintPass` if it makes sense, or in
19 //! a new `LintPass`, or using `Session::add_lint` elsewhere in the
20 //! compiler. Only do the latter if the check can't be written cleanly
21 //! as a `LintPass`.
22 //!
23 //! If you define a new `LintPass`, you will also need to add it to the
24 //! `add_builtin!` or `add_builtin_with_new!` invocation in `context.rs`.
25 //! Use the former for unit-like structs and the latter for structs with
26 //! a `pub fn new()`.
27 use self::MethodContext::*;
28
29 use metadata::csearch;
30 use middle::def::*;
31 use middle::subst::Substs;
32 use middle::ty::{self, Ty};
33 use middle::{def, pat_util, stability};
34 use middle::const_eval::{eval_const_expr_partial, const_int, const_uint};
35 use middle::cfg;
36 use util::ppaux::{ty_to_string};
37 use util::nodemap::{FnvHashMap, NodeSet};
38 use lint::{Level, Context, LintPass, LintArray, Lint};
39
40 use std::collections::BitvSet;
41 use std::collections::hash_map::Entry::{Occupied, Vacant};
42 use std::num::SignedInt;
43 use std::{cmp, slice};
44 use std::{i8, i16, i32, i64, u8, u16, u32, u64, f32, f64};
45
46 use syntax::{abi, ast, ast_map};
47 use syntax::ast_util::is_shift_binop;
48 use syntax::attr::{self, AttrMetaMethods};
49 use syntax::codemap::{self, Span};
50 use syntax::parse::token;
51 use syntax::ast::{TyIs, TyUs, TyI8, TyU8, TyI16, TyU16, TyI32, TyU32, TyI64, TyU64};
52 use syntax::ast_util;
53 use syntax::ptr::P;
54 use syntax::visit::{self, Visitor};
55
56 declare_lint! {
57     WHILE_TRUE,
58     Warn,
59     "suggest using `loop { }` instead of `while true { }`"
60 }
61
62 #[derive(Copy)]
63 pub struct WhileTrue;
64
65 impl LintPass for WhileTrue {
66     fn get_lints(&self) -> LintArray {
67         lint_array!(WHILE_TRUE)
68     }
69
70     fn check_expr(&mut self, cx: &Context, e: &ast::Expr) {
71         if let ast::ExprWhile(ref cond, _, _) = e.node {
72             if let ast::ExprLit(ref lit) = cond.node {
73                 if let ast::LitBool(true) = lit.node {
74                     cx.span_lint(WHILE_TRUE, e.span,
75                                  "denote infinite loops with loop { ... }");
76                 }
77             }
78         }
79     }
80 }
81
82 declare_lint! {
83     UNUSED_TYPECASTS,
84     Allow,
85     "detects unnecessary type casts that can be removed"
86 }
87
88 #[derive(Copy)]
89 pub struct UnusedCasts;
90
91 impl LintPass for UnusedCasts {
92     fn get_lints(&self) -> LintArray {
93         lint_array!(UNUSED_TYPECASTS)
94     }
95
96     fn check_expr(&mut self, cx: &Context, e: &ast::Expr) {
97         if let ast::ExprCast(ref expr, ref ty) = e.node {
98             let t_t = ty::expr_ty(cx.tcx, e);
99             if ty::expr_ty(cx.tcx, &**expr) == t_t {
100                 cx.span_lint(UNUSED_TYPECASTS, ty.span, "unnecessary type cast");
101             }
102         }
103     }
104 }
105
106 declare_lint! {
107     UNSIGNED_NEGATION,
108     Warn,
109     "using an unary minus operator on unsigned type"
110 }
111
112 declare_lint! {
113     UNUSED_COMPARISONS,
114     Warn,
115     "comparisons made useless by limits of the types involved"
116 }
117
118 declare_lint! {
119     OVERFLOWING_LITERALS,
120     Warn,
121     "literal out of range for its type"
122 }
123
124 declare_lint! {
125     EXCEEDING_BITSHIFTS,
126     Deny,
127     "shift exceeds the type's number of bits"
128 }
129
130 #[derive(Copy)]
131 pub struct TypeLimits {
132     /// Id of the last visited negated expression
133     negated_expr_id: ast::NodeId,
134 }
135
136 impl TypeLimits {
137     pub fn new() -> TypeLimits {
138         TypeLimits {
139             negated_expr_id: -1,
140         }
141     }
142 }
143
144 impl LintPass for TypeLimits {
145     fn get_lints(&self) -> LintArray {
146         lint_array!(UNSIGNED_NEGATION, UNUSED_COMPARISONS, OVERFLOWING_LITERALS,
147                     EXCEEDING_BITSHIFTS)
148     }
149
150     fn check_expr(&mut self, cx: &Context, e: &ast::Expr) {
151         match e.node {
152             ast::ExprUnary(ast::UnNeg, ref expr) => {
153                 match expr.node  {
154                     ast::ExprLit(ref lit) => {
155                         match lit.node {
156                             ast::LitInt(_, ast::UnsignedIntLit(_)) => {
157                                 cx.span_lint(UNSIGNED_NEGATION, e.span,
158                                              "negation of unsigned int literal may \
159                                              be unintentional");
160                             },
161                             _ => ()
162                         }
163                     },
164                     _ => {
165                         let t = ty::expr_ty(cx.tcx, &**expr);
166                         match t.sty {
167                             ty::ty_uint(_) => {
168                                 cx.span_lint(UNSIGNED_NEGATION, e.span,
169                                              "negation of unsigned int variable may \
170                                              be unintentional");
171                             },
172                             _ => ()
173                         }
174                     }
175                 };
176                 // propagate negation, if the negation itself isn't negated
177                 if self.negated_expr_id != e.id {
178                     self.negated_expr_id = expr.id;
179                 }
180             },
181             ast::ExprParen(ref expr) if self.negated_expr_id == e.id => {
182                 self.negated_expr_id = expr.id;
183             },
184             ast::ExprBinary(binop, ref l, ref r) => {
185                 if is_comparison(binop) && !check_limits(cx.tcx, binop, &**l, &**r) {
186                     cx.span_lint(UNUSED_COMPARISONS, e.span,
187                                  "comparison is useless due to type limits");
188                 }
189
190                 if is_shift_binop(binop.node) {
191                     let opt_ty_bits = match ty::expr_ty(cx.tcx, &**l).sty {
192                         ty::ty_int(t) => Some(int_ty_bits(t, cx.sess().target.int_type)),
193                         ty::ty_uint(t) => Some(uint_ty_bits(t, cx.sess().target.uint_type)),
194                         _ => None
195                     };
196
197                     if let Some(bits) = opt_ty_bits {
198                         let exceeding = if let ast::ExprLit(ref lit) = r.node {
199                             if let ast::LitInt(shift, _) = lit.node { shift >= bits }
200                             else { false }
201                         } else {
202                             match eval_const_expr_partial(cx.tcx, &**r) {
203                                 Ok(const_int(shift)) => { shift as u64 >= bits },
204                                 Ok(const_uint(shift)) => { shift >= bits },
205                                 _ => { false }
206                             }
207                         };
208                         if exceeding {
209                             cx.span_lint(EXCEEDING_BITSHIFTS, e.span,
210                                          "bitshift exceeds the type's number of bits");
211                         }
212                     };
213                 }
214             },
215             ast::ExprLit(ref lit) => {
216                 match ty::expr_ty(cx.tcx, e).sty {
217                     ty::ty_int(t) => {
218                         match lit.node {
219                             ast::LitInt(v, ast::SignedIntLit(_, ast::Plus)) |
220                             ast::LitInt(v, ast::UnsuffixedIntLit(ast::Plus)) => {
221                                 let int_type = if let ast::TyIs(_) = t {
222                                     cx.sess().target.int_type
223                                 } else { t };
224                                 let (min, max) = int_ty_range(int_type);
225                                 let negative = self.negated_expr_id == e.id;
226
227                                 if (negative && v > (min.abs() as u64)) ||
228                                    (!negative && v > (max.abs() as u64)) {
229                                     cx.span_lint(OVERFLOWING_LITERALS, e.span,
230                                                  "literal out of range for its type");
231                                     return;
232                                 }
233                             }
234                             _ => panic!()
235                         };
236                     },
237                     ty::ty_uint(t) => {
238                         let uint_type = if let ast::TyUs(_) = t {
239                             cx.sess().target.uint_type
240                         } else { t };
241                         let (min, max) = uint_ty_range(uint_type);
242                         let lit_val: u64 = match lit.node {
243                             ast::LitByte(_v) => return,  // _v is u8, within range by definition
244                             ast::LitInt(v, _) => v,
245                             _ => panic!()
246                         };
247                         if  lit_val < min || lit_val > max {
248                             cx.span_lint(OVERFLOWING_LITERALS, e.span,
249                                          "literal out of range for its type");
250                         }
251                     },
252                     ty::ty_float(t) => {
253                         let (min, max) = float_ty_range(t);
254                         let lit_val: f64 = match lit.node {
255                             ast::LitFloat(ref v, _) |
256                             ast::LitFloatUnsuffixed(ref v) => {
257                                 match v.parse() {
258                                     Some(f) => f,
259                                     None => return
260                                 }
261                             }
262                             _ => panic!()
263                         };
264                         if lit_val < min || lit_val > max {
265                             cx.span_lint(OVERFLOWING_LITERALS, e.span,
266                                          "literal out of range for its type");
267                         }
268                     },
269                     _ => ()
270                 };
271             },
272             _ => ()
273         };
274
275         fn is_valid<T:cmp::PartialOrd>(binop: ast::BinOp, v: T,
276                                 min: T, max: T) -> bool {
277             match binop.node {
278                 ast::BiLt => v >  min && v <= max,
279                 ast::BiLe => v >= min && v <  max,
280                 ast::BiGt => v >= min && v <  max,
281                 ast::BiGe => v >  min && v <= max,
282                 ast::BiEq | ast::BiNe => v >= min && v <= max,
283                 _ => panic!()
284             }
285         }
286
287         fn rev_binop(binop: ast::BinOp) -> ast::BinOp {
288             codemap::respan(binop.span, match binop.node {
289                 ast::BiLt => ast::BiGt,
290                 ast::BiLe => ast::BiGe,
291                 ast::BiGt => ast::BiLt,
292                 ast::BiGe => ast::BiLe,
293                 _ => return binop
294             })
295         }
296
297         // for int & uint, be conservative with the warnings, so that the
298         // warnings are consistent between 32- and 64-bit platforms
299         fn int_ty_range(int_ty: ast::IntTy) -> (i64, i64) {
300             match int_ty {
301                 ast::TyIs(_) =>    (i64::MIN,        i64::MAX),
302                 ast::TyI8 =>   (i8::MIN  as i64, i8::MAX  as i64),
303                 ast::TyI16 =>  (i16::MIN as i64, i16::MAX as i64),
304                 ast::TyI32 =>  (i32::MIN as i64, i32::MAX as i64),
305                 ast::TyI64 =>  (i64::MIN,        i64::MAX)
306             }
307         }
308
309         fn uint_ty_range(uint_ty: ast::UintTy) -> (u64, u64) {
310             match uint_ty {
311                 ast::TyUs(_) =>   (u64::MIN,         u64::MAX),
312                 ast::TyU8 =>  (u8::MIN   as u64, u8::MAX   as u64),
313                 ast::TyU16 => (u16::MIN  as u64, u16::MAX  as u64),
314                 ast::TyU32 => (u32::MIN  as u64, u32::MAX  as u64),
315                 ast::TyU64 => (u64::MIN,         u64::MAX)
316             }
317         }
318
319         fn float_ty_range(float_ty: ast::FloatTy) -> (f64, f64) {
320             match float_ty {
321                 ast::TyF32  => (f32::MIN_VALUE as f64, f32::MAX_VALUE as f64),
322                 ast::TyF64  => (f64::MIN_VALUE,        f64::MAX_VALUE)
323             }
324         }
325
326         fn int_ty_bits(int_ty: ast::IntTy, target_int_ty: ast::IntTy) -> u64 {
327             match int_ty {
328                 ast::TyIs(_) =>    int_ty_bits(target_int_ty, target_int_ty),
329                 ast::TyI8 =>   i8::BITS  as u64,
330                 ast::TyI16 =>  i16::BITS as u64,
331                 ast::TyI32 =>  i32::BITS as u64,
332                 ast::TyI64 =>  i64::BITS as u64
333             }
334         }
335
336         fn uint_ty_bits(uint_ty: ast::UintTy, target_uint_ty: ast::UintTy) -> u64 {
337             match uint_ty {
338                 ast::TyUs(_) =>    uint_ty_bits(target_uint_ty, target_uint_ty),
339                 ast::TyU8 =>   u8::BITS  as u64,
340                 ast::TyU16 =>  u16::BITS as u64,
341                 ast::TyU32 =>  u32::BITS as u64,
342                 ast::TyU64 =>  u64::BITS as u64
343             }
344         }
345
346         fn check_limits(tcx: &ty::ctxt, binop: ast::BinOp,
347                         l: &ast::Expr, r: &ast::Expr) -> bool {
348             let (lit, expr, swap) = match (&l.node, &r.node) {
349                 (&ast::ExprLit(_), _) => (l, r, true),
350                 (_, &ast::ExprLit(_)) => (r, l, false),
351                 _ => return true
352             };
353             // Normalize the binop so that the literal is always on the RHS in
354             // the comparison
355             let norm_binop = if swap { rev_binop(binop) } else { binop };
356             match ty::expr_ty(tcx, expr).sty {
357                 ty::ty_int(int_ty) => {
358                     let (min, max) = int_ty_range(int_ty);
359                     let lit_val: i64 = match lit.node {
360                         ast::ExprLit(ref li) => match li.node {
361                             ast::LitInt(v, ast::SignedIntLit(_, ast::Plus)) |
362                             ast::LitInt(v, ast::UnsuffixedIntLit(ast::Plus)) => v as i64,
363                             ast::LitInt(v, ast::SignedIntLit(_, ast::Minus)) |
364                             ast::LitInt(v, ast::UnsuffixedIntLit(ast::Minus)) => -(v as i64),
365                             _ => return true
366                         },
367                         _ => panic!()
368                     };
369                     is_valid(norm_binop, lit_val, min, max)
370                 }
371                 ty::ty_uint(uint_ty) => {
372                     let (min, max): (u64, u64) = uint_ty_range(uint_ty);
373                     let lit_val: u64 = match lit.node {
374                         ast::ExprLit(ref li) => match li.node {
375                             ast::LitInt(v, _) => v,
376                             _ => return true
377                         },
378                         _ => panic!()
379                     };
380                     is_valid(norm_binop, lit_val, min, max)
381                 }
382                 _ => true
383             }
384         }
385
386         fn is_comparison(binop: ast::BinOp) -> bool {
387             match binop.node {
388                 ast::BiEq | ast::BiLt | ast::BiLe |
389                 ast::BiNe | ast::BiGe | ast::BiGt => true,
390                 _ => false
391             }
392         }
393     }
394 }
395
396 declare_lint! {
397     IMPROPER_CTYPES,
398     Warn,
399     "proper use of libc types in foreign modules"
400 }
401
402 struct ImproperCTypesVisitor<'a, 'tcx: 'a> {
403     cx: &'a Context<'a, 'tcx>
404 }
405
406 impl<'a, 'tcx> ImproperCTypesVisitor<'a, 'tcx> {
407     fn check_def(&mut self, sp: Span, ty_id: ast::NodeId, path_id: ast::NodeId) {
408         match self.cx.tcx.def_map.borrow()[path_id].clone() {
409             def::DefPrimTy(ast::TyInt(ast::TyIs(_))) => {
410                 self.cx.span_lint(IMPROPER_CTYPES, sp,
411                                   "found rust type `isize` in foreign module, while \
412                                    libc::c_int or libc::c_long should be used");
413             }
414             def::DefPrimTy(ast::TyUint(ast::TyUs(_))) => {
415                 self.cx.span_lint(IMPROPER_CTYPES, sp,
416                                   "found rust type `usize` in foreign module, while \
417                                    libc::c_uint or libc::c_ulong should be used");
418             }
419             def::DefTy(..) => {
420                 let tty = match self.cx.tcx.ast_ty_to_ty_cache.borrow().get(&ty_id) {
421                     Some(&ty::atttce_resolved(t)) => t,
422                     _ => panic!("ast_ty_to_ty_cache was incomplete after typeck!")
423                 };
424
425                 if !ty::is_ffi_safe(self.cx.tcx, tty) {
426                     self.cx.span_lint(IMPROPER_CTYPES, sp,
427                                       "found type without foreign-function-safe
428                                       representation annotation in foreign module, consider \
429                                       adding a #[repr(...)] attribute to the type");
430                 }
431             }
432             _ => ()
433         }
434     }
435 }
436
437 impl<'a, 'tcx, 'v> Visitor<'v> for ImproperCTypesVisitor<'a, 'tcx> {
438     fn visit_ty(&mut self, ty: &ast::Ty) {
439         match ty.node {
440             ast::TyPath(_, id) => self.check_def(ty.span, ty.id, id),
441             _ => (),
442         }
443         visit::walk_ty(self, ty);
444     }
445 }
446
447 #[derive(Copy)]
448 pub struct ImproperCTypes;
449
450 impl LintPass for ImproperCTypes {
451     fn get_lints(&self) -> LintArray {
452         lint_array!(IMPROPER_CTYPES)
453     }
454
455     fn check_item(&mut self, cx: &Context, it: &ast::Item) {
456         fn check_ty(cx: &Context, ty: &ast::Ty) {
457             let mut vis = ImproperCTypesVisitor { cx: cx };
458             vis.visit_ty(ty);
459         }
460
461         fn check_foreign_fn(cx: &Context, decl: &ast::FnDecl) {
462             for input in decl.inputs.iter() {
463                 check_ty(cx, &*input.ty);
464             }
465             if let ast::Return(ref ret_ty) = decl.output {
466                 check_ty(cx, &**ret_ty);
467             }
468         }
469
470         match it.node {
471             ast::ItemForeignMod(ref nmod) if nmod.abi != abi::RustIntrinsic => {
472                 for ni in nmod.items.iter() {
473                     match ni.node {
474                         ast::ForeignItemFn(ref decl, _) => check_foreign_fn(cx, &**decl),
475                         ast::ForeignItemStatic(ref t, _) => check_ty(cx, &**t)
476                     }
477                 }
478             }
479             _ => (),
480         }
481     }
482 }
483
484 declare_lint! {
485     BOX_POINTERS,
486     Allow,
487     "use of owned (Box type) heap memory"
488 }
489
490 #[derive(Copy)]
491 pub struct BoxPointers;
492
493 impl BoxPointers {
494     fn check_heap_type<'a, 'tcx>(&self, cx: &Context<'a, 'tcx>,
495                                  span: Span, ty: Ty<'tcx>) {
496         let mut n_uniq = 0i;
497         ty::fold_ty(cx.tcx, ty, |t| {
498             match t.sty {
499                 ty::ty_uniq(_) => {
500                     n_uniq += 1;
501                 }
502
503                 _ => ()
504             };
505             t
506         });
507
508         if n_uniq > 0 {
509             let s = ty_to_string(cx.tcx, ty);
510             let m = format!("type uses owned (Box type) pointers: {}", s);
511             cx.span_lint(BOX_POINTERS, span, &m[]);
512         }
513     }
514 }
515
516 impl LintPass for BoxPointers {
517     fn get_lints(&self) -> LintArray {
518         lint_array!(BOX_POINTERS)
519     }
520
521     fn check_item(&mut self, cx: &Context, it: &ast::Item) {
522         match it.node {
523             ast::ItemFn(..) |
524             ast::ItemTy(..) |
525             ast::ItemEnum(..) |
526             ast::ItemStruct(..) =>
527                 self.check_heap_type(cx, it.span,
528                                      ty::node_id_to_type(cx.tcx, it.id)),
529             _ => ()
530         }
531
532         // If it's a struct, we also have to check the fields' types
533         match it.node {
534             ast::ItemStruct(ref struct_def, _) => {
535                 for struct_field in struct_def.fields.iter() {
536                     self.check_heap_type(cx, struct_field.span,
537                                          ty::node_id_to_type(cx.tcx, struct_field.node.id));
538                 }
539             }
540             _ => ()
541         }
542     }
543
544     fn check_expr(&mut self, cx: &Context, e: &ast::Expr) {
545         let ty = ty::expr_ty(cx.tcx, e);
546         self.check_heap_type(cx, e.span, ty);
547     }
548 }
549
550 declare_lint! {
551     RAW_POINTER_DERIVE,
552     Warn,
553     "uses of #[derive] with raw pointers are rarely correct"
554 }
555
556 struct RawPtrDeriveVisitor<'a, 'tcx: 'a> {
557     cx: &'a Context<'a, 'tcx>
558 }
559
560 impl<'a, 'tcx, 'v> Visitor<'v> for RawPtrDeriveVisitor<'a, 'tcx> {
561     fn visit_ty(&mut self, ty: &ast::Ty) {
562         static MSG: &'static str = "use of `#[derive]` with a raw pointer";
563         if let ast::TyPtr(..) = ty.node {
564             self.cx.span_lint(RAW_POINTER_DERIVE, ty.span, MSG);
565         }
566         visit::walk_ty(self, ty);
567     }
568     // explicit override to a no-op to reduce code bloat
569     fn visit_expr(&mut self, _: &ast::Expr) {}
570     fn visit_block(&mut self, _: &ast::Block) {}
571 }
572
573 pub struct RawPointerDerive {
574     checked_raw_pointers: NodeSet,
575 }
576
577 impl RawPointerDerive {
578     pub fn new() -> RawPointerDerive {
579         RawPointerDerive {
580             checked_raw_pointers: NodeSet(),
581         }
582     }
583 }
584
585 impl LintPass for RawPointerDerive {
586     fn get_lints(&self) -> LintArray {
587         lint_array!(RAW_POINTER_DERIVE)
588     }
589
590     fn check_item(&mut self, cx: &Context, item: &ast::Item) {
591         if !attr::contains_name(&item.attrs[], "automatically_derived") {
592             return
593         }
594         let did = match item.node {
595             ast::ItemImpl(..) => {
596                 match ty::node_id_to_type(cx.tcx, item.id).sty {
597                     ty::ty_enum(did, _) => did,
598                     ty::ty_struct(did, _) => did,
599                     _ => return,
600                 }
601             }
602             _ => return,
603         };
604         if !ast_util::is_local(did) { return }
605         let item = match cx.tcx.map.find(did.node) {
606             Some(ast_map::NodeItem(item)) => item,
607             _ => return,
608         };
609         if !self.checked_raw_pointers.insert(item.id) { return }
610         match item.node {
611             ast::ItemStruct(..) | ast::ItemEnum(..) => {
612                 let mut visitor = RawPtrDeriveVisitor { cx: cx };
613                 visit::walk_item(&mut visitor, &*item);
614             }
615             _ => {}
616         }
617     }
618 }
619
620 declare_lint! {
621     UNUSED_ATTRIBUTES,
622     Warn,
623     "detects attributes that were not used by the compiler"
624 }
625
626 #[derive(Copy)]
627 pub struct UnusedAttributes;
628
629 impl LintPass for UnusedAttributes {
630     fn get_lints(&self) -> LintArray {
631         lint_array!(UNUSED_ATTRIBUTES)
632     }
633
634     fn check_attribute(&mut self, cx: &Context, attr: &ast::Attribute) {
635         static ATTRIBUTE_WHITELIST: &'static [&'static str] = &[
636             // FIXME: #14408 whitelist docs since rustdoc looks at them
637             "doc",
638
639             // FIXME: #14406 these are processed in trans, which happens after the
640             // lint pass
641             "cold",
642             "export_name",
643             "inline",
644             "link",
645             "link_name",
646             "link_section",
647             "linkage",
648             "no_builtins",
649             "no_mangle",
650             "no_split_stack",
651             "no_stack_check",
652             "packed",
653             "static_assert",
654             "thread_local",
655             "no_debug",
656             "omit_gdb_pretty_printer_section",
657             "unsafe_no_drop_flag",
658
659             // used in resolve
660             "prelude_import",
661
662             // FIXME: #14407 these are only looked at on-demand so we can't
663             // guarantee they'll have already been checked
664             "deprecated",
665             "must_use",
666             "stable",
667             "unstable",
668             "rustc_on_unimplemented",
669
670             // FIXME: #19470 this shouldn't be needed forever
671             "old_orphan_check",
672             "old_impl_check",
673         ];
674
675         static CRATE_ATTRS: &'static [&'static str] = &[
676             "crate_name",
677             "crate_type",
678             "feature",
679             "no_start",
680             "no_main",
681             "no_std",
682             "no_builtins",
683         ];
684
685         for &name in ATTRIBUTE_WHITELIST.iter() {
686             if attr.check_name(name) {
687                 break;
688             }
689         }
690
691         if !attr::is_used(attr) {
692             cx.span_lint(UNUSED_ATTRIBUTES, attr.span, "unused attribute");
693             if CRATE_ATTRS.contains(&attr.name().get()) {
694                 let msg = match attr.node.style {
695                     ast::AttrOuter => "crate-level attribute should be an inner \
696                                        attribute: add an exclamation mark: #![foo]",
697                     ast::AttrInner => "crate-level attribute should be in the \
698                                        root module",
699                 };
700                 cx.span_lint(UNUSED_ATTRIBUTES, attr.span, msg);
701             }
702         }
703     }
704 }
705
706 declare_lint! {
707     pub PATH_STATEMENTS,
708     Warn,
709     "path statements with no effect"
710 }
711
712 #[derive(Copy)]
713 pub struct PathStatements;
714
715 impl LintPass for PathStatements {
716     fn get_lints(&self) -> LintArray {
717         lint_array!(PATH_STATEMENTS)
718     }
719
720     fn check_stmt(&mut self, cx: &Context, s: &ast::Stmt) {
721         match s.node {
722             ast::StmtSemi(ref expr, _) => {
723                 match expr.node {
724                     ast::ExprPath(_) => cx.span_lint(PATH_STATEMENTS, s.span,
725                                                      "path statement with no effect"),
726                     _ => ()
727                 }
728             }
729             _ => ()
730         }
731     }
732 }
733
734 declare_lint! {
735     pub UNUSED_MUST_USE,
736     Warn,
737     "unused result of a type flagged as #[must_use]"
738 }
739
740 declare_lint! {
741     pub UNUSED_RESULTS,
742     Allow,
743     "unused result of an expression in a statement"
744 }
745
746 #[derive(Copy)]
747 pub struct UnusedResults;
748
749 impl LintPass for UnusedResults {
750     fn get_lints(&self) -> LintArray {
751         lint_array!(UNUSED_MUST_USE, UNUSED_RESULTS)
752     }
753
754     fn check_stmt(&mut self, cx: &Context, s: &ast::Stmt) {
755         let expr = match s.node {
756             ast::StmtSemi(ref expr, _) => &**expr,
757             _ => return
758         };
759
760         if let ast::ExprRet(..) = expr.node {
761             return;
762         }
763
764         let t = ty::expr_ty(cx.tcx, expr);
765         let mut warned = false;
766         match t.sty {
767             ty::ty_tup(ref tys) if tys.is_empty() => return,
768             ty::ty_bool => return,
769             ty::ty_struct(did, _) |
770             ty::ty_enum(did, _) => {
771                 if ast_util::is_local(did) {
772                     if let ast_map::NodeItem(it) = cx.tcx.map.get(did.node) {
773                         warned |= check_must_use(cx, &it.attrs[], s.span);
774                     }
775                 } else {
776                     let attrs = csearch::get_item_attrs(&cx.sess().cstore, did);
777                     warned |= check_must_use(cx, &attrs[], s.span);
778                 }
779             }
780             _ => {}
781         }
782         if !warned {
783             cx.span_lint(UNUSED_RESULTS, s.span, "unused result");
784         }
785
786         fn check_must_use(cx: &Context, attrs: &[ast::Attribute], sp: Span) -> bool {
787             for attr in attrs.iter() {
788                 if attr.check_name("must_use") {
789                     let mut msg = "unused result which must be used".to_string();
790                     // check for #[must_use="..."]
791                     match attr.value_str() {
792                         None => {}
793                         Some(s) => {
794                             msg.push_str(": ");
795                             msg.push_str(s.get());
796                         }
797                     }
798                     cx.span_lint(UNUSED_MUST_USE, sp, &msg[]);
799                     return true;
800                 }
801             }
802             false
803         }
804     }
805 }
806
807 declare_lint! {
808     pub NON_CAMEL_CASE_TYPES,
809     Warn,
810     "types, variants, traits and type parameters should have camel case names"
811 }
812
813 #[derive(Copy)]
814 pub struct NonCamelCaseTypes;
815
816 impl NonCamelCaseTypes {
817     fn check_case(&self, cx: &Context, sort: &str, ident: ast::Ident, span: Span) {
818         fn is_camel_case(ident: ast::Ident) -> bool {
819             let ident = token::get_ident(ident);
820             if ident.get().is_empty() { return true; }
821             let ident = ident.get().trim_matches('_');
822
823             // start with a non-lowercase letter rather than non-uppercase
824             // ones (some scripts don't have a concept of upper/lowercase)
825             ident.len() > 0 && !ident.char_at(0).is_lowercase() && !ident.contains_char('_')
826         }
827
828         fn to_camel_case(s: &str) -> String {
829             s.split('_').flat_map(|word| word.chars().enumerate().map(|(i, c)|
830                 if i == 0 { c.to_uppercase() }
831                 else { c }
832             )).collect()
833         }
834
835         let s = token::get_ident(ident);
836
837         if !is_camel_case(ident) {
838             let c = to_camel_case(s.get());
839             let m = if c.is_empty() {
840                 format!("{} `{}` should have a camel case name such as `CamelCase`", sort, s)
841             } else {
842                 format!("{} `{}` should have a camel case name such as `{}`", sort, s, c)
843             };
844             cx.span_lint(NON_CAMEL_CASE_TYPES, span, &m[]);
845         }
846     }
847 }
848
849 impl LintPass for NonCamelCaseTypes {
850     fn get_lints(&self) -> LintArray {
851         lint_array!(NON_CAMEL_CASE_TYPES)
852     }
853
854     fn check_item(&mut self, cx: &Context, it: &ast::Item) {
855         let has_extern_repr = it.attrs.iter().map(|attr| {
856             attr::find_repr_attrs(cx.tcx.sess.diagnostic(), attr).iter()
857                 .any(|r| r == &attr::ReprExtern)
858         }).any(|x| x);
859         if has_extern_repr { return }
860
861         match it.node {
862             ast::ItemTy(..) | ast::ItemStruct(..) => {
863                 self.check_case(cx, "type", it.ident, it.span)
864             }
865             ast::ItemTrait(..) => {
866                 self.check_case(cx, "trait", it.ident, it.span)
867             }
868             ast::ItemEnum(ref enum_definition, _) => {
869                 if has_extern_repr { return }
870                 self.check_case(cx, "type", it.ident, it.span);
871                 for variant in enum_definition.variants.iter() {
872                     self.check_case(cx, "variant", variant.node.name, variant.span);
873                 }
874             }
875             _ => ()
876         }
877     }
878
879     fn check_generics(&mut self, cx: &Context, it: &ast::Generics) {
880         for gen in it.ty_params.iter() {
881             self.check_case(cx, "type parameter", gen.ident, gen.span);
882         }
883     }
884 }
885
886 #[derive(PartialEq)]
887 enum MethodContext {
888     TraitDefaultImpl,
889     TraitImpl,
890     PlainImpl
891 }
892
893 fn method_context(cx: &Context, m: &ast::Method) -> MethodContext {
894     let did = ast::DefId {
895         krate: ast::LOCAL_CRATE,
896         node: m.id
897     };
898
899     match cx.tcx.impl_or_trait_items.borrow().get(&did).cloned() {
900         None => cx.sess().span_bug(m.span, "missing method descriptor?!"),
901         Some(md) => {
902             match md {
903                 ty::MethodTraitItem(md) => {
904                     match md.container {
905                         ty::TraitContainer(..) => TraitDefaultImpl,
906                         ty::ImplContainer(cid) => {
907                             match ty::impl_trait_ref(cx.tcx, cid) {
908                                 Some(..) => TraitImpl,
909                                 None => PlainImpl
910                             }
911                         }
912                     }
913                 }
914                 ty::TypeTraitItem(typedef) => {
915                     match typedef.container {
916                         ty::TraitContainer(..) => TraitDefaultImpl,
917                         ty::ImplContainer(cid) => {
918                             match ty::impl_trait_ref(cx.tcx, cid) {
919                                 Some(..) => TraitImpl,
920                                 None => PlainImpl
921                             }
922                         }
923                     }
924                 }
925             }
926         }
927     }
928 }
929
930 declare_lint! {
931     pub NON_SNAKE_CASE,
932     Warn,
933     "methods, functions, lifetime parameters and modules should have snake case names"
934 }
935
936 #[derive(Copy)]
937 pub struct NonSnakeCase;
938
939 impl NonSnakeCase {
940     fn check_snake_case(&self, cx: &Context, sort: &str, ident: ast::Ident, span: Span) {
941         fn is_snake_case(ident: ast::Ident) -> bool {
942             let ident = token::get_ident(ident);
943             if ident.get().is_empty() { return true; }
944             let ident = ident.get().trim_left_matches('\'');
945             let ident = ident.trim_matches('_');
946
947             let mut allow_underscore = true;
948             ident.chars().all(|c| {
949                 allow_underscore = match c {
950                     c if c.is_lowercase() || c.is_numeric() => true,
951                     '_' if allow_underscore => false,
952                     _ => return false,
953                 };
954                 true
955             })
956         }
957
958         fn to_snake_case(str: &str) -> String {
959             let mut words = vec![];
960             for s in str.split('_') {
961                 let mut last_upper = false;
962                 let mut buf = String::new();
963                 if s.is_empty() { continue; }
964                 for ch in s.chars() {
965                     if !buf.is_empty() && buf != "'"
966                                        && ch.is_uppercase()
967                                        && !last_upper {
968                         words.push(buf);
969                         buf = String::new();
970                     }
971                     last_upper = ch.is_uppercase();
972                     buf.push(ch.to_lowercase());
973                 }
974                 words.push(buf);
975             }
976             words.connect("_")
977         }
978
979         let s = token::get_ident(ident);
980
981         if !is_snake_case(ident) {
982             cx.span_lint(NON_SNAKE_CASE, span,
983                 &format!("{} `{}` should have a snake case name such as `{}`",
984                         sort, s, to_snake_case(s.get()))[]);
985         }
986     }
987 }
988
989 impl LintPass for NonSnakeCase {
990     fn get_lints(&self) -> LintArray {
991         lint_array!(NON_SNAKE_CASE)
992     }
993
994     fn check_fn(&mut self, cx: &Context,
995                 fk: visit::FnKind, _: &ast::FnDecl,
996                 _: &ast::Block, span: Span, _: ast::NodeId) {
997         match fk {
998             visit::FkMethod(ident, _, m) => match method_context(cx, m) {
999                 PlainImpl
1000                     => self.check_snake_case(cx, "method", ident, span),
1001                 TraitDefaultImpl
1002                     => self.check_snake_case(cx, "trait method", ident, span),
1003                 _ => (),
1004             },
1005             visit::FkItemFn(ident, _, _, _)
1006                 => self.check_snake_case(cx, "function", ident, span),
1007             _ => (),
1008         }
1009     }
1010
1011     fn check_item(&mut self, cx: &Context, it: &ast::Item) {
1012         if let ast::ItemMod(_) = it.node {
1013             self.check_snake_case(cx, "module", it.ident, it.span);
1014         }
1015     }
1016
1017     fn check_ty_method(&mut self, cx: &Context, t: &ast::TypeMethod) {
1018         self.check_snake_case(cx, "trait method", t.ident, t.span);
1019     }
1020
1021     fn check_lifetime_def(&mut self, cx: &Context, t: &ast::LifetimeDef) {
1022         self.check_snake_case(cx, "lifetime", t.lifetime.name.ident(), t.lifetime.span);
1023     }
1024
1025     fn check_pat(&mut self, cx: &Context, p: &ast::Pat) {
1026         if let &ast::PatIdent(_, ref path1, _) = &p.node {
1027             if let Some(&def::DefLocal(_)) = cx.tcx.def_map.borrow().get(&p.id) {
1028                 self.check_snake_case(cx, "variable", path1.node, p.span);
1029             }
1030         }
1031     }
1032
1033     fn check_struct_def(&mut self, cx: &Context, s: &ast::StructDef,
1034             _: ast::Ident, _: &ast::Generics, _: ast::NodeId) {
1035         for sf in s.fields.iter() {
1036             if let ast::StructField_ { kind: ast::NamedField(ident, _), .. } = sf.node {
1037                 self.check_snake_case(cx, "structure field", ident, sf.span);
1038             }
1039         }
1040     }
1041 }
1042
1043 declare_lint! {
1044     pub NON_UPPER_CASE_GLOBALS,
1045     Warn,
1046     "static constants should have uppercase identifiers"
1047 }
1048
1049 #[derive(Copy)]
1050 pub struct NonUpperCaseGlobals;
1051
1052 impl LintPass for NonUpperCaseGlobals {
1053     fn get_lints(&self) -> LintArray {
1054         lint_array!(NON_UPPER_CASE_GLOBALS)
1055     }
1056
1057     fn check_item(&mut self, cx: &Context, it: &ast::Item) {
1058         match it.node {
1059             // only check static constants
1060             ast::ItemStatic(_, ast::MutImmutable, _) |
1061             ast::ItemConst(..) => {
1062                 let s = token::get_ident(it.ident);
1063                 // check for lowercase letters rather than non-uppercase
1064                 // ones (some scripts don't have a concept of
1065                 // upper/lowercase)
1066                 if s.get().chars().any(|c| c.is_lowercase()) {
1067                     cx.span_lint(NON_UPPER_CASE_GLOBALS, it.span,
1068                         &format!("static constant `{}` should have an uppercase name \
1069                                  such as `{}`",
1070                                 s.get(), &s.get().chars().map(|c| c.to_uppercase())
1071                                 .collect::<String>()[])[]);
1072                 }
1073             }
1074             _ => {}
1075         }
1076     }
1077
1078     fn check_pat(&mut self, cx: &Context, p: &ast::Pat) {
1079         // Lint for constants that look like binding identifiers (#7526)
1080         match (&p.node, cx.tcx.def_map.borrow().get(&p.id)) {
1081             (&ast::PatIdent(_, ref path1, _), Some(&def::DefConst(..))) => {
1082                 let s = token::get_ident(path1.node);
1083                 if s.get().chars().any(|c| c.is_lowercase()) {
1084                     cx.span_lint(NON_UPPER_CASE_GLOBALS, path1.span,
1085                         &format!("static constant in pattern `{}` should have an uppercase \
1086                                  name such as `{}`",
1087                                 s.get(), &s.get().chars().map(|c| c.to_uppercase())
1088                                     .collect::<String>()[])[]);
1089                 }
1090             }
1091             _ => {}
1092         }
1093     }
1094 }
1095
1096 declare_lint! {
1097     UNUSED_PARENS,
1098     Warn,
1099     "`if`, `match`, `while` and `return` do not need parentheses"
1100 }
1101
1102 #[derive(Copy)]
1103 pub struct UnusedParens;
1104
1105 impl UnusedParens {
1106     fn check_unused_parens_core(&self, cx: &Context, value: &ast::Expr, msg: &str,
1107                                      struct_lit_needs_parens: bool) {
1108         if let ast::ExprParen(ref inner) = value.node {
1109             let necessary = struct_lit_needs_parens && contains_exterior_struct_lit(&**inner);
1110             if !necessary {
1111                 cx.span_lint(UNUSED_PARENS, value.span,
1112                              &format!("unnecessary parentheses around {}",
1113                                      msg)[])
1114             }
1115         }
1116
1117         /// Expressions that syntactically contain an "exterior" struct
1118         /// literal i.e. not surrounded by any parens or other
1119         /// delimiters, e.g. `X { y: 1 }`, `X { y: 1 }.method()`, `foo
1120         /// == X { y: 1 }` and `X { y: 1 } == foo` all do, but `(X {
1121         /// y: 1 }) == foo` does not.
1122         fn contains_exterior_struct_lit(value: &ast::Expr) -> bool {
1123             match value.node {
1124                 ast::ExprStruct(..) => true,
1125
1126                 ast::ExprAssign(ref lhs, ref rhs) |
1127                 ast::ExprAssignOp(_, ref lhs, ref rhs) |
1128                 ast::ExprBinary(_, ref lhs, ref rhs) => {
1129                     // X { y: 1 } + X { y: 2 }
1130                     contains_exterior_struct_lit(&**lhs) ||
1131                         contains_exterior_struct_lit(&**rhs)
1132                 }
1133                 ast::ExprUnary(_, ref x) |
1134                 ast::ExprCast(ref x, _) |
1135                 ast::ExprField(ref x, _) |
1136                 ast::ExprTupField(ref x, _) |
1137                 ast::ExprIndex(ref x, _) => {
1138                     // &X { y: 1 }, X { y: 1 }.y
1139                     contains_exterior_struct_lit(&**x)
1140                 }
1141
1142                 ast::ExprMethodCall(_, _, ref exprs) => {
1143                     // X { y: 1 }.bar(...)
1144                     contains_exterior_struct_lit(&*exprs[0])
1145                 }
1146
1147                 _ => false
1148             }
1149         }
1150     }
1151 }
1152
1153 impl LintPass for UnusedParens {
1154     fn get_lints(&self) -> LintArray {
1155         lint_array!(UNUSED_PARENS)
1156     }
1157
1158     fn check_expr(&mut self, cx: &Context, e: &ast::Expr) {
1159         let (value, msg, struct_lit_needs_parens) = match e.node {
1160             ast::ExprIf(ref cond, _, _) => (cond, "`if` condition", true),
1161             ast::ExprWhile(ref cond, _, _) => (cond, "`while` condition", true),
1162             ast::ExprMatch(ref head, _, source) => match source {
1163                 ast::MatchSource::Normal => (head, "`match` head expression", true),
1164                 ast::MatchSource::IfLetDesugar { .. } => (head, "`if let` head expression", true),
1165                 ast::MatchSource::WhileLetDesugar => (head, "`while let` head expression", true),
1166             },
1167             ast::ExprRet(Some(ref value)) => (value, "`return` value", false),
1168             ast::ExprAssign(_, ref value) => (value, "assigned value", false),
1169             ast::ExprAssignOp(_, _, ref value) => (value, "assigned value", false),
1170             _ => return
1171         };
1172         self.check_unused_parens_core(cx, &**value, msg, struct_lit_needs_parens);
1173     }
1174
1175     fn check_stmt(&mut self, cx: &Context, s: &ast::Stmt) {
1176         let (value, msg) = match s.node {
1177             ast::StmtDecl(ref decl, _) => match decl.node {
1178                 ast::DeclLocal(ref local) => match local.init {
1179                     Some(ref value) => (value, "assigned value"),
1180                     None => return
1181                 },
1182                 _ => return
1183             },
1184             _ => return
1185         };
1186         self.check_unused_parens_core(cx, &**value, msg, false);
1187     }
1188 }
1189
1190 declare_lint! {
1191     UNUSED_IMPORT_BRACES,
1192     Allow,
1193     "unnecessary braces around an imported item"
1194 }
1195
1196 #[derive(Copy)]
1197 pub struct UnusedImportBraces;
1198
1199 impl LintPass for UnusedImportBraces {
1200     fn get_lints(&self) -> LintArray {
1201         lint_array!(UNUSED_IMPORT_BRACES)
1202     }
1203
1204     fn check_item(&mut self, cx: &Context, item: &ast::Item) {
1205         match item.node {
1206             ast::ItemUse(ref view_path) => {
1207                 match view_path.node {
1208                     ast::ViewPathList(_, ref items) => {
1209                         if items.len() == 1 {
1210                             match items[0].node {
1211                                 ast::PathListIdent {ref name, ..} => {
1212                                     let m = format!("braces around {} is unnecessary",
1213                                                     token::get_ident(*name).get());
1214                                     cx.span_lint(UNUSED_IMPORT_BRACES, item.span,
1215                                                  &m[]);
1216                                 },
1217                                 _ => ()
1218                             }
1219                         }
1220                     }
1221                     _ => ()
1222                 }
1223             },
1224             _ => ()
1225         }
1226     }
1227 }
1228
1229 declare_lint! {
1230     NON_SHORTHAND_FIELD_PATTERNS,
1231     Warn,
1232     "using `Struct { x: x }` instead of `Struct { x }`"
1233 }
1234
1235 #[derive(Copy)]
1236 pub struct NonShorthandFieldPatterns;
1237
1238 impl LintPass for NonShorthandFieldPatterns {
1239     fn get_lints(&self) -> LintArray {
1240         lint_array!(NON_SHORTHAND_FIELD_PATTERNS)
1241     }
1242
1243     fn check_pat(&mut self, cx: &Context, pat: &ast::Pat) {
1244         let def_map = cx.tcx.def_map.borrow();
1245         if let ast::PatStruct(_, ref v, _) = pat.node {
1246             for fieldpat in v.iter()
1247                              .filter(|fieldpat| !fieldpat.node.is_shorthand)
1248                              .filter(|fieldpat| def_map.get(&fieldpat.node.pat.id)
1249                                                 == Some(&def::DefLocal(fieldpat.node.pat.id))) {
1250                 if let ast::PatIdent(_, ident, None) = fieldpat.node.pat.node {
1251                     if ident.node.as_str() == fieldpat.node.ident.as_str() {
1252                         cx.span_lint(NON_SHORTHAND_FIELD_PATTERNS, fieldpat.span,
1253                                      &format!("the `{}:` in this pattern is redundant and can \
1254                                               be removed", ident.node.as_str())[])
1255                     }
1256                 }
1257             }
1258         }
1259     }
1260 }
1261
1262 declare_lint! {
1263     pub UNUSED_UNSAFE,
1264     Warn,
1265     "unnecessary use of an `unsafe` block"
1266 }
1267
1268 #[derive(Copy)]
1269 pub struct UnusedUnsafe;
1270
1271 impl LintPass for UnusedUnsafe {
1272     fn get_lints(&self) -> LintArray {
1273         lint_array!(UNUSED_UNSAFE)
1274     }
1275
1276     fn check_expr(&mut self, cx: &Context, e: &ast::Expr) {
1277         if let ast::ExprBlock(ref blk) = e.node {
1278             // Don't warn about generated blocks, that'll just pollute the output.
1279             if blk.rules == ast::UnsafeBlock(ast::UserProvided) &&
1280                 !cx.tcx.used_unsafe.borrow().contains(&blk.id) {
1281                     cx.span_lint(UNUSED_UNSAFE, blk.span, "unnecessary `unsafe` block");
1282             }
1283         }
1284     }
1285 }
1286
1287 declare_lint! {
1288     UNSAFE_BLOCKS,
1289     Allow,
1290     "usage of an `unsafe` block"
1291 }
1292
1293 #[derive(Copy)]
1294 pub struct UnsafeBlocks;
1295
1296 impl LintPass for UnsafeBlocks {
1297     fn get_lints(&self) -> LintArray {
1298         lint_array!(UNSAFE_BLOCKS)
1299     }
1300
1301     fn check_expr(&mut self, cx: &Context, e: &ast::Expr) {
1302         if let ast::ExprBlock(ref blk) = e.node {
1303             // Don't warn about generated blocks, that'll just pollute the output.
1304             if blk.rules == ast::UnsafeBlock(ast::UserProvided) {
1305                 cx.span_lint(UNSAFE_BLOCKS, blk.span, "usage of an `unsafe` block");
1306             }
1307         }
1308     }
1309 }
1310
1311 declare_lint! {
1312     pub UNUSED_MUT,
1313     Warn,
1314     "detect mut variables which don't need to be mutable"
1315 }
1316
1317 #[derive(Copy)]
1318 pub struct UnusedMut;
1319
1320 impl UnusedMut {
1321     fn check_unused_mut_pat(&self, cx: &Context, pats: &[P<ast::Pat>]) {
1322         // collect all mutable pattern and group their NodeIDs by their Identifier to
1323         // avoid false warnings in match arms with multiple patterns
1324
1325         let mut mutables = FnvHashMap();
1326         for p in pats.iter() {
1327             pat_util::pat_bindings(&cx.tcx.def_map, &**p, |mode, id, _, path1| {
1328                 let ident = path1.node;
1329                 if let ast::BindByValue(ast::MutMutable) = mode {
1330                     if !token::get_ident(ident).get().starts_with("_") {
1331                         match mutables.entry(ident.name.usize()) {
1332                             Vacant(entry) => { entry.insert(vec![id]); },
1333                             Occupied(mut entry) => { entry.get_mut().push(id); },
1334                         }
1335                     }
1336                 }
1337             });
1338         }
1339
1340         let used_mutables = cx.tcx.used_mut_nodes.borrow();
1341         for (_, v) in mutables.iter() {
1342             if !v.iter().any(|e| used_mutables.contains(e)) {
1343                 cx.span_lint(UNUSED_MUT, cx.tcx.map.span(v[0]),
1344                              "variable does not need to be mutable");
1345             }
1346         }
1347     }
1348 }
1349
1350 impl LintPass for UnusedMut {
1351     fn get_lints(&self) -> LintArray {
1352         lint_array!(UNUSED_MUT)
1353     }
1354
1355     fn check_expr(&mut self, cx: &Context, e: &ast::Expr) {
1356         if let ast::ExprMatch(_, ref arms, _) = e.node {
1357             for a in arms.iter() {
1358                 self.check_unused_mut_pat(cx, &a.pats[])
1359             }
1360         }
1361     }
1362
1363     fn check_stmt(&mut self, cx: &Context, s: &ast::Stmt) {
1364         if let ast::StmtDecl(ref d, _) = s.node {
1365             if let ast::DeclLocal(ref l) = d.node {
1366                 self.check_unused_mut_pat(cx, slice::ref_slice(&l.pat));
1367             }
1368         }
1369     }
1370
1371     fn check_fn(&mut self, cx: &Context,
1372                 _: visit::FnKind, decl: &ast::FnDecl,
1373                 _: &ast::Block, _: Span, _: ast::NodeId) {
1374         for a in decl.inputs.iter() {
1375             self.check_unused_mut_pat(cx, slice::ref_slice(&a.pat));
1376         }
1377     }
1378 }
1379
1380 declare_lint! {
1381     UNUSED_ALLOCATION,
1382     Warn,
1383     "detects unnecessary allocations that can be eliminated"
1384 }
1385
1386 #[derive(Copy)]
1387 pub struct UnusedAllocation;
1388
1389 impl LintPass for UnusedAllocation {
1390     fn get_lints(&self) -> LintArray {
1391         lint_array!(UNUSED_ALLOCATION)
1392     }
1393
1394     fn check_expr(&mut self, cx: &Context, e: &ast::Expr) {
1395         match e.node {
1396             ast::ExprUnary(ast::UnUniq, _) => (),
1397             _ => return
1398         }
1399
1400         if let Some(adjustment) = cx.tcx.adjustments.borrow().get(&e.id) {
1401             if let ty::AdjustDerefRef(ty::AutoDerefRef { ref autoref, .. }) = *adjustment {
1402                 match autoref {
1403                     &Some(ty::AutoPtr(_, ast::MutImmutable, None)) => {
1404                         cx.span_lint(UNUSED_ALLOCATION, e.span,
1405                                      "unnecessary allocation, use & instead");
1406                     }
1407                     &Some(ty::AutoPtr(_, ast::MutMutable, None)) => {
1408                         cx.span_lint(UNUSED_ALLOCATION, e.span,
1409                                      "unnecessary allocation, use &mut instead");
1410                     }
1411                     _ => ()
1412                 }
1413             }
1414         }
1415     }
1416 }
1417
1418 declare_lint! {
1419     MISSING_DOCS,
1420     Allow,
1421     "detects missing documentation for public members"
1422 }
1423
1424 pub struct MissingDoc {
1425     /// Stack of IDs of struct definitions.
1426     struct_def_stack: Vec<ast::NodeId>,
1427
1428     /// True if inside variant definition
1429     in_variant: bool,
1430
1431     /// Stack of whether #[doc(hidden)] is set
1432     /// at each level which has lint attributes.
1433     doc_hidden_stack: Vec<bool>,
1434 }
1435
1436 impl MissingDoc {
1437     pub fn new() -> MissingDoc {
1438         MissingDoc {
1439             struct_def_stack: vec!(),
1440             in_variant: false,
1441             doc_hidden_stack: vec!(false),
1442         }
1443     }
1444
1445     fn doc_hidden(&self) -> bool {
1446         *self.doc_hidden_stack.last().expect("empty doc_hidden_stack")
1447     }
1448
1449     fn check_missing_docs_attrs(&self,
1450                                cx: &Context,
1451                                id: Option<ast::NodeId>,
1452                                attrs: &[ast::Attribute],
1453                                sp: Span,
1454                                desc: &'static str) {
1455         // If we're building a test harness, then warning about
1456         // documentation is probably not really relevant right now.
1457         if cx.sess().opts.test { return }
1458
1459         // `#[doc(hidden)]` disables missing_docs check.
1460         if self.doc_hidden() { return }
1461
1462         // Only check publicly-visible items, using the result from the privacy pass.
1463         // It's an option so the crate root can also use this function (it doesn't
1464         // have a NodeId).
1465         if let Some(ref id) = id {
1466             if !cx.exported_items.contains(id) {
1467                 return;
1468             }
1469         }
1470
1471         let has_doc = attrs.iter().any(|a| {
1472             match a.node.value.node {
1473                 ast::MetaNameValue(ref name, _) if *name == "doc" => true,
1474                 _ => false
1475             }
1476         });
1477         if !has_doc {
1478             cx.span_lint(MISSING_DOCS, sp,
1479                 &format!("missing documentation for {}", desc)[]);
1480         }
1481     }
1482 }
1483
1484 impl LintPass for MissingDoc {
1485     fn get_lints(&self) -> LintArray {
1486         lint_array!(MISSING_DOCS)
1487     }
1488
1489     fn enter_lint_attrs(&mut self, _: &Context, attrs: &[ast::Attribute]) {
1490         let doc_hidden = self.doc_hidden() || attrs.iter().any(|attr| {
1491             attr.check_name("doc") && match attr.meta_item_list() {
1492                 None => false,
1493                 Some(l) => attr::contains_name(&l[], "hidden"),
1494             }
1495         });
1496         self.doc_hidden_stack.push(doc_hidden);
1497     }
1498
1499     fn exit_lint_attrs(&mut self, _: &Context, _: &[ast::Attribute]) {
1500         self.doc_hidden_stack.pop().expect("empty doc_hidden_stack");
1501     }
1502
1503     fn check_struct_def(&mut self, _: &Context,
1504         _: &ast::StructDef, _: ast::Ident, _: &ast::Generics, id: ast::NodeId) {
1505         self.struct_def_stack.push(id);
1506     }
1507
1508     fn check_struct_def_post(&mut self, _: &Context,
1509         _: &ast::StructDef, _: ast::Ident, _: &ast::Generics, id: ast::NodeId) {
1510         let popped = self.struct_def_stack.pop().expect("empty struct_def_stack");
1511         assert!(popped == id);
1512     }
1513
1514     fn check_crate(&mut self, cx: &Context, krate: &ast::Crate) {
1515         self.check_missing_docs_attrs(cx, None, &krate.attrs[],
1516                                      krate.span, "crate");
1517     }
1518
1519     fn check_item(&mut self, cx: &Context, it: &ast::Item) {
1520         let desc = match it.node {
1521             ast::ItemFn(..) => "a function",
1522             ast::ItemMod(..) => "a module",
1523             ast::ItemEnum(..) => "an enum",
1524             ast::ItemStruct(..) => "a struct",
1525             ast::ItemTrait(..) => "a trait",
1526             ast::ItemTy(..) => "a type alias",
1527             _ => return
1528         };
1529         self.check_missing_docs_attrs(cx, Some(it.id), &it.attrs[],
1530                                      it.span, desc);
1531     }
1532
1533     fn check_fn(&mut self, cx: &Context,
1534             fk: visit::FnKind, _: &ast::FnDecl,
1535             _: &ast::Block, _: Span, _: ast::NodeId) {
1536         if let visit::FkMethod(_, _, m) = fk {
1537             // If the method is an impl for a trait, don't doc.
1538             if method_context(cx, m) == TraitImpl { return; }
1539
1540             // Otherwise, doc according to privacy. This will also check
1541             // doc for default methods defined on traits.
1542             self.check_missing_docs_attrs(cx, Some(m.id), &m.attrs[],
1543                                           m.span, "a method");
1544         }
1545     }
1546
1547     fn check_ty_method(&mut self, cx: &Context, tm: &ast::TypeMethod) {
1548         self.check_missing_docs_attrs(cx, Some(tm.id), &tm.attrs[],
1549                                      tm.span, "a type method");
1550     }
1551
1552     fn check_struct_field(&mut self, cx: &Context, sf: &ast::StructField) {
1553         if let ast::NamedField(_, vis) = sf.node.kind {
1554             if vis == ast::Public || self.in_variant {
1555                 let cur_struct_def = *self.struct_def_stack.last()
1556                     .expect("empty struct_def_stack");
1557                 self.check_missing_docs_attrs(cx, Some(cur_struct_def),
1558                                               &sf.node.attrs[], sf.span,
1559                                               "a struct field")
1560             }
1561         }
1562     }
1563
1564     fn check_variant(&mut self, cx: &Context, v: &ast::Variant, _: &ast::Generics) {
1565         self.check_missing_docs_attrs(cx, Some(v.node.id), &v.node.attrs[],
1566                                      v.span, "a variant");
1567         assert!(!self.in_variant);
1568         self.in_variant = true;
1569     }
1570
1571     fn check_variant_post(&mut self, _: &Context, _: &ast::Variant, _: &ast::Generics) {
1572         assert!(self.in_variant);
1573         self.in_variant = false;
1574     }
1575 }
1576
1577 #[derive(Copy)]
1578 pub struct MissingCopyImplementations;
1579
1580 impl LintPass for MissingCopyImplementations {
1581     fn get_lints(&self) -> LintArray {
1582         lint_array!(MISSING_COPY_IMPLEMENTATIONS)
1583     }
1584
1585     fn check_item(&mut self, cx: &Context, item: &ast::Item) {
1586         if !cx.exported_items.contains(&item.id) {
1587             return
1588         }
1589         if cx.tcx
1590              .destructor_for_type
1591              .borrow()
1592              .contains_key(&ast_util::local_def(item.id)) {
1593             return
1594         }
1595         let ty = match item.node {
1596             ast::ItemStruct(_, ref ast_generics) => {
1597                 if ast_generics.is_parameterized() {
1598                     return
1599                 }
1600                 ty::mk_struct(cx.tcx,
1601                               ast_util::local_def(item.id),
1602                               cx.tcx.mk_substs(Substs::empty()))
1603             }
1604             ast::ItemEnum(_, ref ast_generics) => {
1605                 if ast_generics.is_parameterized() {
1606                     return
1607                 }
1608                 ty::mk_enum(cx.tcx,
1609                             ast_util::local_def(item.id),
1610                             cx.tcx.mk_substs(Substs::empty()))
1611             }
1612             _ => return,
1613         };
1614         let parameter_environment = ty::empty_parameter_environment(cx.tcx);
1615         if !ty::type_moves_by_default(&parameter_environment, item.span, ty) {
1616             return
1617         }
1618         if ty::can_type_implement_copy(&parameter_environment, item.span, ty).is_ok() {
1619             cx.span_lint(MISSING_COPY_IMPLEMENTATIONS,
1620                          item.span,
1621                          "type could implement `Copy`; consider adding `impl \
1622                           Copy`")
1623         }
1624     }
1625 }
1626
1627 declare_lint! {
1628     MISSING_DEBUG_IMPLEMENTATIONS,
1629     Allow,
1630     "detects missing implementations of fmt::Debug"
1631 }
1632
1633 pub struct MissingDebugImplementations {
1634     impling_types: Option<NodeSet>,
1635 }
1636
1637 impl MissingDebugImplementations {
1638     pub fn new() -> MissingDebugImplementations {
1639         MissingDebugImplementations {
1640             impling_types: None,
1641         }
1642     }
1643 }
1644
1645 impl LintPass for MissingDebugImplementations {
1646     fn get_lints(&self) -> LintArray {
1647         lint_array!(MISSING_DEBUG_IMPLEMENTATIONS)
1648     }
1649
1650     fn check_item(&mut self, cx: &Context, item: &ast::Item) {
1651         if !cx.exported_items.contains(&item.id) {
1652             return;
1653         }
1654
1655         match item.node {
1656             ast::ItemStruct(..) | ast::ItemEnum(..) => {},
1657             _ => return,
1658         }
1659
1660         let debug = match cx.tcx.lang_items.debug_trait() {
1661             Some(debug) => debug,
1662             None => return,
1663         };
1664
1665         if self.impling_types.is_none() {
1666             let impls = cx.tcx.trait_impls.borrow();
1667             let impls = match impls.get(&debug) {
1668                 Some(impls) => {
1669                     impls.borrow().iter()
1670                         .filter(|d| d.krate == ast::LOCAL_CRATE)
1671                         .filter_map(|d| ty::ty_to_def_id(ty::node_id_to_type(cx.tcx, d.node)))
1672                         .map(|d| d.node)
1673                         .collect()
1674                 }
1675                 None => NodeSet(),
1676             };
1677             self.impling_types = Some(impls);
1678             debug!("{:?}", self.impling_types);
1679         }
1680
1681         if !self.impling_types.as_ref().unwrap().contains(&item.id) {
1682             cx.span_lint(MISSING_DEBUG_IMPLEMENTATIONS,
1683                          item.span,
1684                          "type does not implement `fmt::Debug`; consider adding #[derive(Debug)] \
1685                           or a manual implementation")
1686         }
1687     }
1688 }
1689
1690 declare_lint! {
1691     DEPRECATED,
1692     Warn,
1693     "detects use of #[deprecated] items"
1694 }
1695
1696 /// Checks for use of items with `#[deprecated]` attributes
1697 #[derive(Copy)]
1698 pub struct Stability;
1699
1700 impl Stability {
1701     fn lint(&self, cx: &Context, _id: ast::DefId, span: Span, stability: &Option<attr::Stability>) {
1702
1703         // deprecated attributes apply in-crate and cross-crate
1704         let (lint, label) = match *stability {
1705             Some(attr::Stability { deprecated_since: Some(_), .. }) =>
1706                 (DEPRECATED, "deprecated"),
1707             _ => return
1708         };
1709
1710         output(cx, span, stability, lint, label);
1711
1712         fn output(cx: &Context, span: Span, stability: &Option<attr::Stability>,
1713                   lint: &'static Lint, label: &'static str) {
1714             let msg = match *stability {
1715                 Some(attr::Stability { reason: Some(ref s), .. }) => {
1716                     format!("use of {} item: {}", label, *s)
1717                 }
1718                 _ => format!("use of {} item", label)
1719             };
1720
1721             cx.span_lint(lint, span, &msg[]);
1722         }
1723     }
1724 }
1725
1726 impl LintPass for Stability {
1727     fn get_lints(&self) -> LintArray {
1728         lint_array!(DEPRECATED)
1729     }
1730
1731     fn check_item(&mut self, cx: &Context, item: &ast::Item) {
1732         stability::check_item(cx.tcx, item,
1733                               &mut |id, sp, stab| self.lint(cx, id, sp, stab));
1734     }
1735
1736     fn check_expr(&mut self, cx: &Context, e: &ast::Expr) {
1737         stability::check_expr(cx.tcx, e,
1738                               &mut |id, sp, stab| self.lint(cx, id, sp, stab));
1739     }
1740 }
1741
1742 declare_lint! {
1743     pub UNCONDITIONAL_RECURSION,
1744     Warn,
1745     "functions that cannot return without calling themselves"
1746 }
1747
1748 #[derive(Copy)]
1749 pub struct UnconditionalRecursion;
1750
1751
1752 impl LintPass for UnconditionalRecursion {
1753     fn get_lints(&self) -> LintArray {
1754         lint_array![UNCONDITIONAL_RECURSION]
1755     }
1756
1757     fn check_fn(&mut self, cx: &Context, fn_kind: visit::FnKind, _: &ast::FnDecl,
1758                 blk: &ast::Block, sp: Span, id: ast::NodeId) {
1759         type F = for<'tcx> fn(&ty::ctxt<'tcx>,
1760                               ast::NodeId, ast::NodeId, ast::Ident, ast::NodeId) -> bool;
1761
1762         let (name, checker) = match fn_kind {
1763             visit::FkItemFn(name, _, _, _) => (name, id_refers_to_this_fn as F),
1764             visit::FkMethod(name, _, _) => (name, id_refers_to_this_method as F),
1765             // closures can't recur, so they don't matter.
1766             visit::FkFnBlock => return
1767         };
1768
1769         let impl_def_id = ty::impl_of_method(cx.tcx, ast_util::local_def(id))
1770             .unwrap_or(ast_util::local_def(ast::DUMMY_NODE_ID));
1771         assert!(ast_util::is_local(impl_def_id));
1772         let impl_node_id = impl_def_id.node;
1773
1774         // Walk through this function (say `f`) looking to see if
1775         // every possible path references itself, i.e. the function is
1776         // called recursively unconditionally. This is done by trying
1777         // to find a path from the entry node to the exit node that
1778         // *doesn't* call `f` by traversing from the entry while
1779         // pretending that calls of `f` are sinks (i.e. ignoring any
1780         // exit edges from them).
1781         //
1782         // NB. this has an edge case with non-returning statements,
1783         // like `loop {}` or `panic!()`: control flow never reaches
1784         // the exit node through these, so one can have a function
1785         // that never actually calls itselfs but is still picked up by
1786         // this lint:
1787         //
1788         //     fn f(cond: bool) {
1789         //         if !cond { panic!() } // could come from `assert!(cond)`
1790         //         f(false)
1791         //     }
1792         //
1793         // In general, functions of that form may be able to call
1794         // itself a finite number of times and then diverge. The lint
1795         // considers this to be an error for two reasons, (a) it is
1796         // easier to implement, and (b) it seems rare to actually want
1797         // to have behaviour like the above, rather than
1798         // e.g. accidentally recurring after an assert.
1799
1800         let cfg = cfg::CFG::new(cx.tcx, blk);
1801
1802         let mut work_queue = vec![cfg.entry];
1803         let mut reached_exit_without_self_call = false;
1804         let mut self_call_spans = vec![];
1805         let mut visited = BitvSet::new();
1806
1807         while let Some(idx) = work_queue.pop() {
1808             let cfg_id = idx.node_id();
1809             if idx == cfg.exit {
1810                 // found a path!
1811                 reached_exit_without_self_call = true;
1812                 break
1813             } else if visited.contains(&cfg_id) {
1814                 // already done
1815                 continue
1816             }
1817             visited.insert(cfg_id);
1818             let node_id = cfg.graph.node_data(idx).id;
1819
1820             // is this a recursive call?
1821             if node_id != ast::DUMMY_NODE_ID && checker(cx.tcx, impl_node_id, id, name, node_id) {
1822
1823                 self_call_spans.push(cx.tcx.map.span(node_id));
1824                 // this is a self call, so we shouldn't explore past
1825                 // this node in the CFG.
1826                 continue
1827             }
1828             // add the successors of this node to explore the graph further.
1829             cfg.graph.each_outgoing_edge(idx, |_, edge| {
1830                 let target_idx = edge.target();
1831                 let target_cfg_id = target_idx.node_id();
1832                 if !visited.contains(&target_cfg_id) {
1833                     work_queue.push(target_idx)
1834                 }
1835                 true
1836             });
1837         }
1838
1839         // check the number of sell calls because a function that
1840         // doesn't return (e.g. calls a `-> !` function or `loop { /*
1841         // no break */ }`) shouldn't be linted unless it actually
1842         // recurs.
1843         if !reached_exit_without_self_call && self_call_spans.len() > 0 {
1844             cx.span_lint(UNCONDITIONAL_RECURSION, sp,
1845                          "function cannot return without recurring");
1846
1847             // FIXME #19668: these could be span_lint_note's instead of this manual guard.
1848             if cx.current_level(UNCONDITIONAL_RECURSION) != Level::Allow {
1849                 let sess = cx.sess();
1850                 // offer some help to the programmer.
1851                 for call in self_call_spans.iter() {
1852                     sess.span_note(*call, "recursive call site")
1853                 }
1854                 sess.span_help(sp, "a `loop` may express intention better if this is on purpose")
1855             }
1856         }
1857
1858         // all done
1859         return;
1860
1861         // Functions for identifying if the given NodeId `id`
1862         // represents a call to the function `fn_id`/method
1863         // `method_id`.
1864
1865         fn id_refers_to_this_fn<'tcx>(tcx: &ty::ctxt<'tcx>,
1866                                       _: ast::NodeId,
1867                                       fn_id: ast::NodeId,
1868                                       _: ast::Ident,
1869                                       id: ast::NodeId) -> bool {
1870             tcx.def_map.borrow().get(&id)
1871                 .map_or(false, |def| {
1872                     let did = def.def_id();
1873                     ast_util::is_local(did) && did.node == fn_id
1874                 })
1875         }
1876
1877         // check if the method call `id` refers to method `method_id`
1878         // (with name `method_name` contained in impl `impl_id`).
1879         fn id_refers_to_this_method<'tcx>(tcx: &ty::ctxt<'tcx>,
1880                                           impl_id: ast::NodeId,
1881                                           method_id: ast::NodeId,
1882                                           method_name: ast::Ident,
1883                                           id: ast::NodeId) -> bool {
1884             let did = match tcx.method_map.borrow().get(&ty::MethodCall::expr(id)) {
1885                 None => return false,
1886                 Some(m) => match m.origin {
1887                     // There's no way to know if a method call via a
1888                     // vtable is recursion, so we assume it's not.
1889                     ty::MethodTraitObject(_) => return false,
1890
1891                     // This `did` refers directly to the method definition.
1892                     ty::MethodStatic(did) | ty::MethodStaticClosure(did) => did,
1893
1894                     // MethodTypeParam are methods from traits:
1895
1896                     // The `impl ... for ...` of this method call
1897                     // isn't known, e.g. it might be a default method
1898                     // in a trait, so we get the def-id of the trait
1899                     // method instead.
1900                     ty::MethodTypeParam(
1901                         ty::MethodParam { ref trait_ref, method_num, impl_def_id: None, }) => {
1902                         ty::trait_item(tcx, trait_ref.def_id, method_num).def_id()
1903                     }
1904
1905                     // The `impl` is known, so we check that with a
1906                     // special case:
1907                     ty::MethodTypeParam(
1908                         ty::MethodParam { impl_def_id: Some(impl_def_id), .. }) => {
1909
1910                         let name = match tcx.map.expect_expr(id).node {
1911                             ast::ExprMethodCall(ref sp_ident, _, _) => sp_ident.node,
1912                             _ => tcx.sess.span_bug(
1913                                 tcx.map.span(id),
1914                                 "non-method call expr behaving like a method call?")
1915                         };
1916                         // it matches if it comes from the same impl,
1917                         // and has the same method name.
1918                         return ast_util::is_local(impl_def_id)
1919                             && impl_def_id.node == impl_id
1920                             && method_name.name == name.name
1921                     }
1922                 }
1923             };
1924
1925             ast_util::is_local(did) && did.node == method_id
1926         }
1927     }
1928 }
1929
1930 declare_lint! {
1931     pub UNUSED_IMPORTS,
1932     Warn,
1933     "imports that are never used"
1934 }
1935
1936 declare_lint! {
1937     pub UNUSED_EXTERN_CRATES,
1938     Allow,
1939     "extern crates that are never used"
1940 }
1941
1942 declare_lint! {
1943     pub UNUSED_QUALIFICATIONS,
1944     Allow,
1945     "detects unnecessarily qualified names"
1946 }
1947
1948 declare_lint! {
1949     pub UNKNOWN_LINTS,
1950     Warn,
1951     "unrecognized lint attribute"
1952 }
1953
1954 declare_lint! {
1955     pub UNUSED_VARIABLES,
1956     Warn,
1957     "detect variables which are not used in any way"
1958 }
1959
1960 declare_lint! {
1961     pub UNUSED_ASSIGNMENTS,
1962     Warn,
1963     "detect assignments that will never be read"
1964 }
1965
1966 declare_lint! {
1967     pub DEAD_CODE,
1968     Warn,
1969     "detect unused, unexported items"
1970 }
1971
1972 declare_lint! {
1973     pub UNREACHABLE_CODE,
1974     Warn,
1975     "detects unreachable code paths"
1976 }
1977
1978 declare_lint! {
1979     pub WARNINGS,
1980     Warn,
1981     "mass-change the level for lints which produce warnings"
1982 }
1983
1984 declare_lint! {
1985     pub UNUSED_FEATURES,
1986     Deny,
1987     "unused or unknown features found in crate-level #[feature] directives"
1988 }
1989
1990 declare_lint! {
1991     pub UNKNOWN_CRATE_TYPES,
1992     Deny,
1993     "unknown crate type found in #[crate_type] directive"
1994 }
1995
1996 declare_lint! {
1997     pub VARIANT_SIZE_DIFFERENCES,
1998     Allow,
1999     "detects enums with widely varying variant sizes"
2000 }
2001
2002 declare_lint! {
2003     pub FAT_PTR_TRANSMUTES,
2004     Allow,
2005     "detects transmutes of fat pointers"
2006 }
2007
2008 declare_lint! {
2009     pub MISSING_COPY_IMPLEMENTATIONS,
2010     Warn,
2011     "detects potentially-forgotten implementations of `Copy`"
2012 }
2013
2014 /// Does nothing as a lint pass, but registers some `Lint`s
2015 /// which are used by other parts of the compiler.
2016 #[derive(Copy)]
2017 pub struct HardwiredLints;
2018
2019 impl LintPass for HardwiredLints {
2020     fn get_lints(&self) -> LintArray {
2021         lint_array!(
2022             UNUSED_IMPORTS,
2023             UNUSED_EXTERN_CRATES,
2024             UNUSED_QUALIFICATIONS,
2025             UNKNOWN_LINTS,
2026             UNUSED_VARIABLES,
2027             UNUSED_ASSIGNMENTS,
2028             DEAD_CODE,
2029             UNREACHABLE_CODE,
2030             WARNINGS,
2031             UNUSED_FEATURES,
2032             UNKNOWN_CRATE_TYPES,
2033             VARIANT_SIZE_DIFFERENCES,
2034             FAT_PTR_TRANSMUTES
2035         )
2036     }
2037 }
2038
2039 /// Forbids using the `#[feature(...)]` attribute
2040 #[derive(Copy)]
2041 pub struct UnstableFeatures;
2042
2043 declare_lint!(UNSTABLE_FEATURES, Allow,
2044               "enabling unstable features");
2045
2046 impl LintPass for UnstableFeatures {
2047     fn get_lints(&self) -> LintArray {
2048         lint_array!(UNSTABLE_FEATURES)
2049     }
2050     fn check_attribute(&mut self, ctx: &Context, attr: &ast::Attribute) {
2051         use syntax::attr;
2052         if attr::contains_name(&[attr.node.value.clone()], "feature") {
2053             ctx.span_lint(UNSTABLE_FEATURES, attr.span, "unstable feature");
2054         }
2055     }
2056 }