]> git.lizzy.rs Git - rust.git/blob - src/librustc/lint/builtin.rs
auto merge of #15454 : jakub-/rust/15453, r=huonw
[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
28 use metadata::csearch;
29 use middle::def::*;
30 use middle::trans::adt; // for `adt::is_ffi_safe`
31 use middle::typeck::astconv::ast_ty_to_ty;
32 use middle::typeck::infer;
33 use middle::{typeck, ty, def, pat_util, stability};
34 use util::ppaux::{ty_to_str};
35 use util::nodemap::NodeSet;
36 use lint::{Context, LintPass, LintArray};
37
38 use std::cmp;
39 use std::collections::HashMap;
40 use std::i16;
41 use std::i32;
42 use std::i64;
43 use std::i8;
44 use std::u16;
45 use std::u32;
46 use std::u64;
47 use std::u8;
48 use std::gc::Gc;
49 use syntax::abi;
50 use syntax::ast_map;
51 use syntax::attr::AttrMetaMethods;
52 use syntax::attr;
53 use syntax::codemap::Span;
54 use syntax::parse::token;
55 use syntax::{ast, ast_util, visit};
56
57 declare_lint!(WHILE_TRUE, Warn,
58               "suggest using `loop { }` instead of `while true { }`")
59
60 pub struct WhileTrue;
61
62 impl LintPass for WhileTrue {
63     fn get_lints(&self) -> LintArray {
64         lint_array!(WHILE_TRUE)
65     }
66
67     fn check_expr(&mut self, cx: &Context, e: &ast::Expr) {
68         match e.node {
69             ast::ExprWhile(cond, _) => {
70                 match cond.node {
71                     ast::ExprLit(lit) => {
72                         match lit.node {
73                             ast::LitBool(true) => {
74                                 cx.span_lint(WHILE_TRUE, e.span,
75                                              "denote infinite loops with loop \
76                                               { ... }");
77                             }
78                             _ => {}
79                         }
80                     }
81                     _ => ()
82                 }
83             }
84             _ => ()
85         }
86     }
87 }
88
89 declare_lint!(UNNECESSARY_TYPECAST, Allow,
90               "detects unnecessary type casts, that can be removed")
91
92 pub struct UnusedCasts;
93
94 impl LintPass for UnusedCasts {
95     fn get_lints(&self) -> LintArray {
96         lint_array!(UNNECESSARY_TYPECAST)
97     }
98
99     fn check_expr(&mut self, cx: &Context, e: &ast::Expr) {
100         match e.node {
101             ast::ExprCast(expr, ty) => {
102                 let t_t = ast_ty_to_ty(cx, &infer::new_infer_ctxt(cx.tcx), &*ty);
103                 if ty::get(ty::expr_ty(cx.tcx, &*expr)).sty == ty::get(t_t).sty {
104                     cx.span_lint(UNNECESSARY_TYPECAST, ty.span, "unnecessary type cast");
105                 }
106             }
107             _ => ()
108         }
109     }
110 }
111
112 declare_lint!(UNSIGNED_NEGATE, Warn,
113               "using an unary minus operator on unsigned type")
114
115 declare_lint!(TYPE_LIMITS, Warn,
116               "comparisons made useless by limits of the types involved")
117
118 declare_lint!(TYPE_OVERFLOW, Warn,
119               "literal out of range for its type")
120
121 pub struct TypeLimits {
122     /// Id of the last visited negated expression
123     negated_expr_id: ast::NodeId,
124 }
125
126 impl TypeLimits {
127     pub fn new() -> TypeLimits {
128         TypeLimits {
129             negated_expr_id: -1,
130         }
131     }
132 }
133
134 impl LintPass for TypeLimits {
135     fn get_lints(&self) -> LintArray {
136         lint_array!(UNSIGNED_NEGATE, TYPE_LIMITS, TYPE_OVERFLOW)
137     }
138
139     fn check_expr(&mut self, cx: &Context, e: &ast::Expr) {
140         match e.node {
141             ast::ExprUnary(ast::UnNeg, expr) => {
142                 match expr.node  {
143                     ast::ExprLit(lit) => {
144                         match lit.node {
145                             ast::LitUint(..) => {
146                                 cx.span_lint(UNSIGNED_NEGATE, e.span,
147                                              "negation of unsigned int literal may \
148                                              be unintentional");
149                             },
150                             _ => ()
151                         }
152                     },
153                     _ => {
154                         let t = ty::expr_ty(cx.tcx, &*expr);
155                         match ty::get(t).sty {
156                             ty::ty_uint(_) => {
157                                 cx.span_lint(UNSIGNED_NEGATE, e.span,
158                                              "negation of unsigned int variable may \
159                                              be unintentional");
160                             },
161                             _ => ()
162                         }
163                     }
164                 };
165                 // propagate negation, if the negation itself isn't negated
166                 if self.negated_expr_id != e.id {
167                     self.negated_expr_id = expr.id;
168                 }
169             },
170             ast::ExprParen(expr) if self.negated_expr_id == e.id => {
171                 self.negated_expr_id = expr.id;
172             },
173             ast::ExprBinary(binop, l, r) => {
174                 if is_comparison(binop) && !check_limits(cx.tcx, binop, &*l, &*r) {
175                     cx.span_lint(TYPE_LIMITS, e.span,
176                                  "comparison is useless due to type limits");
177                 }
178             },
179             ast::ExprLit(lit) => {
180                 match ty::get(ty::expr_ty(cx.tcx, e)).sty {
181                     ty::ty_int(t) => {
182                         let int_type = if t == ast::TyI {
183                             cx.sess().targ_cfg.int_type
184                         } else { t };
185                         let (min, max) = int_ty_range(int_type);
186                         let mut lit_val: i64 = match lit.node {
187                             ast::LitInt(v, _) => v,
188                             ast::LitUint(v, _) => v as i64,
189                             ast::LitIntUnsuffixed(v) => v,
190                             _ => fail!()
191                         };
192                         if self.negated_expr_id == e.id {
193                             lit_val *= -1;
194                         }
195                         if  lit_val < min || lit_val > max {
196                             cx.span_lint(TYPE_OVERFLOW, e.span,
197                                          "literal out of range for its type");
198                         }
199                     },
200                     ty::ty_uint(t) => {
201                         let uint_type = if t == ast::TyU {
202                             cx.sess().targ_cfg.uint_type
203                         } else { t };
204                         let (min, max) = uint_ty_range(uint_type);
205                         let lit_val: u64 = match lit.node {
206                             ast::LitByte(_v) => return,  // _v is u8, within range by definition
207                             ast::LitInt(v, _) => v as u64,
208                             ast::LitUint(v, _) => v,
209                             ast::LitIntUnsuffixed(v) => v as u64,
210                             _ => fail!()
211                         };
212                         if  lit_val < min || lit_val > max {
213                             cx.span_lint(TYPE_OVERFLOW, e.span,
214                                          "literal out of range for its type");
215                         }
216                     },
217
218                     _ => ()
219                 };
220             },
221             _ => ()
222         };
223
224         fn is_valid<T:cmp::PartialOrd>(binop: ast::BinOp, v: T,
225                                 min: T, max: T) -> bool {
226             match binop {
227                 ast::BiLt => v >  min && v <= max,
228                 ast::BiLe => v >= min && v <  max,
229                 ast::BiGt => v >= min && v <  max,
230                 ast::BiGe => v >  min && v <= max,
231                 ast::BiEq | ast::BiNe => v >= min && v <= max,
232                 _ => fail!()
233             }
234         }
235
236         fn rev_binop(binop: ast::BinOp) -> ast::BinOp {
237             match binop {
238                 ast::BiLt => ast::BiGt,
239                 ast::BiLe => ast::BiGe,
240                 ast::BiGt => ast::BiLt,
241                 ast::BiGe => ast::BiLe,
242                 _ => binop
243             }
244         }
245
246         // for int & uint, be conservative with the warnings, so that the
247         // warnings are consistent between 32- and 64-bit platforms
248         fn int_ty_range(int_ty: ast::IntTy) -> (i64, i64) {
249             match int_ty {
250                 ast::TyI =>    (i64::MIN,        i64::MAX),
251                 ast::TyI8 =>   (i8::MIN  as i64, i8::MAX  as i64),
252                 ast::TyI16 =>  (i16::MIN as i64, i16::MAX as i64),
253                 ast::TyI32 =>  (i32::MIN as i64, i32::MAX as i64),
254                 ast::TyI64 =>  (i64::MIN,        i64::MAX)
255             }
256         }
257
258         fn uint_ty_range(uint_ty: ast::UintTy) -> (u64, u64) {
259             match uint_ty {
260                 ast::TyU =>   (u64::MIN,         u64::MAX),
261                 ast::TyU8 =>  (u8::MIN   as u64, u8::MAX   as u64),
262                 ast::TyU16 => (u16::MIN  as u64, u16::MAX  as u64),
263                 ast::TyU32 => (u32::MIN  as u64, u32::MAX  as u64),
264                 ast::TyU64 => (u64::MIN,         u64::MAX)
265             }
266         }
267
268         fn check_limits(tcx: &ty::ctxt, binop: ast::BinOp,
269                         l: &ast::Expr, r: &ast::Expr) -> bool {
270             let (lit, expr, swap) = match (&l.node, &r.node) {
271                 (&ast::ExprLit(_), _) => (l, r, true),
272                 (_, &ast::ExprLit(_)) => (r, l, false),
273                 _ => return true
274             };
275             // Normalize the binop so that the literal is always on the RHS in
276             // the comparison
277             let norm_binop = if swap { rev_binop(binop) } else { binop };
278             match ty::get(ty::expr_ty(tcx, expr)).sty {
279                 ty::ty_int(int_ty) => {
280                     let (min, max) = int_ty_range(int_ty);
281                     let lit_val: i64 = match lit.node {
282                         ast::ExprLit(li) => match li.node {
283                             ast::LitInt(v, _) => v,
284                             ast::LitUint(v, _) => v as i64,
285                             ast::LitIntUnsuffixed(v) => v,
286                             _ => return true
287                         },
288                         _ => fail!()
289                     };
290                     is_valid(norm_binop, lit_val, min, max)
291                 }
292                 ty::ty_uint(uint_ty) => {
293                     let (min, max): (u64, u64) = uint_ty_range(uint_ty);
294                     let lit_val: u64 = match lit.node {
295                         ast::ExprLit(li) => match li.node {
296                             ast::LitInt(v, _) => v as u64,
297                             ast::LitUint(v, _) => v,
298                             ast::LitIntUnsuffixed(v) => v as u64,
299                             _ => return true
300                         },
301                         _ => fail!()
302                     };
303                     is_valid(norm_binop, lit_val, min, max)
304                 }
305                 _ => true
306             }
307         }
308
309         fn is_comparison(binop: ast::BinOp) -> bool {
310             match binop {
311                 ast::BiEq | ast::BiLt | ast::BiLe |
312                 ast::BiNe | ast::BiGe | ast::BiGt => true,
313                 _ => false
314             }
315         }
316     }
317 }
318
319 declare_lint!(CTYPES, Warn,
320               "proper use of libc types in foreign modules")
321
322 pub struct CTypes;
323
324 impl LintPass for CTypes {
325     fn get_lints(&self) -> LintArray {
326         lint_array!(CTYPES)
327     }
328
329     fn check_item(&mut self, cx: &Context, it: &ast::Item) {
330         fn check_ty(cx: &Context, ty: &ast::Ty) {
331             match ty.node {
332                 ast::TyPath(_, _, id) => {
333                     match cx.tcx.def_map.borrow().get_copy(&id) {
334                         def::DefPrimTy(ast::TyInt(ast::TyI)) => {
335                             cx.span_lint(CTYPES, ty.span,
336                                          "found rust type `int` in foreign module, while \
337                                           libc::c_int or libc::c_long should be used");
338                         }
339                         def::DefPrimTy(ast::TyUint(ast::TyU)) => {
340                             cx.span_lint(CTYPES, ty.span,
341                                          "found rust type `uint` in foreign module, while \
342                                           libc::c_uint or libc::c_ulong should be used");
343                         }
344                         def::DefTy(def_id) => {
345                             if !adt::is_ffi_safe(cx.tcx, def_id) {
346                                 cx.span_lint(CTYPES, ty.span,
347                                              "found enum type without foreign-function-safe \
348                                               representation annotation in foreign module");
349                                 // hmm... this message could be more helpful
350                             }
351                         }
352                         _ => ()
353                     }
354                 }
355                 ast::TyPtr(ref mt) => { check_ty(cx, &*mt.ty) }
356                 _ => {}
357             }
358         }
359
360         fn check_foreign_fn(cx: &Context, decl: &ast::FnDecl) {
361             for input in decl.inputs.iter() {
362                 check_ty(cx, &*input.ty);
363             }
364             check_ty(cx, &*decl.output)
365         }
366
367         match it.node {
368           ast::ItemForeignMod(ref nmod) if nmod.abi != abi::RustIntrinsic => {
369             for ni in nmod.items.iter() {
370                 match ni.node {
371                     ast::ForeignItemFn(decl, _) => check_foreign_fn(cx, &*decl),
372                     ast::ForeignItemStatic(t, _) => check_ty(cx, &*t)
373                 }
374             }
375           }
376           _ => {/* nothing to do */ }
377         }
378     }
379 }
380
381 declare_lint!(MANAGED_HEAP_MEMORY, Allow,
382               "use of managed (@ type) heap memory")
383
384 declare_lint!(OWNED_HEAP_MEMORY, Allow,
385               "use of owned (Box type) heap memory")
386
387 declare_lint!(HEAP_MEMORY, Allow,
388               "use of any (Box type or @ type) heap memory")
389
390 pub struct HeapMemory;
391
392 impl HeapMemory {
393     fn check_heap_type(&self, cx: &Context, span: Span, ty: ty::t) {
394         let mut n_box = 0i;
395         let mut n_uniq = 0i;
396         ty::fold_ty(cx.tcx, ty, |t| {
397             match ty::get(t).sty {
398                 ty::ty_box(_) => {
399                     n_box += 1;
400                 }
401                 ty::ty_uniq(_) |
402                 ty::ty_closure(box ty::ClosureTy {
403                     store: ty::UniqTraitStore,
404                     ..
405                 }) => {
406                     n_uniq += 1;
407                 }
408
409                 _ => ()
410             };
411             t
412         });
413
414         if n_uniq > 0 {
415             let s = ty_to_str(cx.tcx, ty);
416             let m = format!("type uses owned (Box type) pointers: {}", s);
417             cx.span_lint(OWNED_HEAP_MEMORY, span, m.as_slice());
418             cx.span_lint(HEAP_MEMORY, span, m.as_slice());
419         }
420
421         if n_box > 0 {
422             let s = ty_to_str(cx.tcx, ty);
423             let m = format!("type uses managed (@ type) pointers: {}", s);
424             cx.span_lint(MANAGED_HEAP_MEMORY, span, m.as_slice());
425             cx.span_lint(HEAP_MEMORY, span, m.as_slice());
426         }
427     }
428 }
429
430 impl LintPass for HeapMemory {
431     fn get_lints(&self) -> LintArray {
432         lint_array!(MANAGED_HEAP_MEMORY, OWNED_HEAP_MEMORY, HEAP_MEMORY)
433     }
434
435     fn check_item(&mut self, cx: &Context, it: &ast::Item) {
436         match it.node {
437             ast::ItemFn(..) |
438             ast::ItemTy(..) |
439             ast::ItemEnum(..) |
440             ast::ItemStruct(..) =>
441                 self.check_heap_type(cx, it.span,
442                                      ty::node_id_to_type(cx.tcx, it.id)),
443             _ => ()
444         }
445
446         // If it's a struct, we also have to check the fields' types
447         match it.node {
448             ast::ItemStruct(struct_def, _) => {
449                 for struct_field in struct_def.fields.iter() {
450                     self.check_heap_type(cx, struct_field.span,
451                                          ty::node_id_to_type(cx.tcx, struct_field.node.id));
452                 }
453             }
454             _ => ()
455         }
456     }
457
458     fn check_expr(&mut self, cx: &Context, e: &ast::Expr) {
459         let ty = ty::expr_ty(cx.tcx, e);
460         self.check_heap_type(cx, e.span, ty);
461     }
462 }
463
464 declare_lint!(RAW_POINTER_DERIVING, Warn,
465               "uses of #[deriving] with raw pointers are rarely correct")
466
467 struct RawPtrDerivingVisitor<'a> {
468     cx: &'a Context<'a>
469 }
470
471 impl<'a> visit::Visitor<()> for RawPtrDerivingVisitor<'a> {
472     fn visit_ty(&mut self, ty: &ast::Ty, _: ()) {
473         static MSG: &'static str = "use of `#[deriving]` with a raw pointer";
474         match ty.node {
475             ast::TyPtr(..) => self.cx.span_lint(RAW_POINTER_DERIVING, ty.span, MSG),
476             _ => {}
477         }
478         visit::walk_ty(self, ty, ());
479     }
480     // explicit override to a no-op to reduce code bloat
481     fn visit_expr(&mut self, _: &ast::Expr, _: ()) {}
482     fn visit_block(&mut self, _: &ast::Block, _: ()) {}
483 }
484
485 pub struct RawPointerDeriving {
486     checked_raw_pointers: NodeSet,
487 }
488
489 impl RawPointerDeriving {
490     pub fn new() -> RawPointerDeriving {
491         RawPointerDeriving {
492             checked_raw_pointers: NodeSet::new(),
493         }
494     }
495 }
496
497 impl LintPass for RawPointerDeriving {
498     fn get_lints(&self) -> LintArray {
499         lint_array!(RAW_POINTER_DERIVING)
500     }
501
502     fn check_item(&mut self, cx: &Context, item: &ast::Item) {
503         if !attr::contains_name(item.attrs.as_slice(), "automatically_derived") {
504             return
505         }
506         let did = match item.node {
507             ast::ItemImpl(..) => {
508                 match ty::get(ty::node_id_to_type(cx.tcx, item.id)).sty {
509                     ty::ty_enum(did, _) => did,
510                     ty::ty_struct(did, _) => did,
511                     _ => return,
512                 }
513             }
514             _ => return,
515         };
516         if !ast_util::is_local(did) { return }
517         let item = match cx.tcx.map.find(did.node) {
518             Some(ast_map::NodeItem(item)) => item,
519             _ => return,
520         };
521         if !self.checked_raw_pointers.insert(item.id) { return }
522         match item.node {
523             ast::ItemStruct(..) | ast::ItemEnum(..) => {
524                 let mut visitor = RawPtrDerivingVisitor { cx: cx };
525                 visit::walk_item(&mut visitor, &*item, ());
526             }
527             _ => {}
528         }
529     }
530 }
531
532 declare_lint!(UNUSED_ATTRIBUTE, Warn,
533               "detects attributes that were not used by the compiler")
534
535 pub struct UnusedAttribute;
536
537 impl LintPass for UnusedAttribute {
538     fn get_lints(&self) -> LintArray {
539         lint_array!(UNUSED_ATTRIBUTE)
540     }
541
542     fn check_attribute(&mut self, cx: &Context, attr: &ast::Attribute) {
543         static ATTRIBUTE_WHITELIST: &'static [&'static str] = &[
544             // FIXME: #14408 whitelist docs since rustdoc looks at them
545             "doc",
546
547             // FIXME: #14406 these are processed in trans, which happens after the
548             // lint pass
549             "cold",
550             "inline",
551             "link",
552             "link_name",
553             "link_section",
554             "no_builtins",
555             "no_mangle",
556             "no_split_stack",
557             "packed",
558             "static_assert",
559             "thread_local",
560
561             // not used anywhere (!?) but apparently we want to keep them around
562             "comment",
563             "desc",
564             "license",
565
566             // FIXME: #14407 these are only looked at on-demand so we can't
567             // guarantee they'll have already been checked
568             "deprecated",
569             "experimental",
570             "frozen",
571             "locked",
572             "must_use",
573             "stable",
574             "unstable",
575         ];
576
577         static CRATE_ATTRS: &'static [&'static str] = &[
578             "crate_type",
579             "feature",
580             "no_start",
581             "no_main",
582             "no_std",
583             "crate_id",
584             "desc",
585             "comment",
586             "license",
587             "copyright",
588             "no_builtins",
589         ];
590
591         for &name in ATTRIBUTE_WHITELIST.iter() {
592             if attr.check_name(name) {
593                 break;
594             }
595         }
596
597         if !attr::is_used(attr) {
598             cx.span_lint(UNUSED_ATTRIBUTE, attr.span, "unused attribute");
599             if CRATE_ATTRS.contains(&attr.name().get()) {
600                 let msg = match attr.node.style {
601                     ast::AttrOuter => "crate-level attribute should be an inner \
602                                        attribute: add an exclamation mark: #![foo]",
603                     ast::AttrInner => "crate-level attribute should be in the \
604                                        root module",
605                 };
606                 cx.span_lint(UNUSED_ATTRIBUTE, attr.span, msg);
607             }
608         }
609     }
610 }
611
612 declare_lint!(PATH_STATEMENT, Warn,
613               "path statements with no effect")
614
615 pub struct PathStatement;
616
617 impl LintPass for PathStatement {
618     fn get_lints(&self) -> LintArray {
619         lint_array!(PATH_STATEMENT)
620     }
621
622     fn check_stmt(&mut self, cx: &Context, s: &ast::Stmt) {
623         match s.node {
624             ast::StmtSemi(expr, _) => {
625                 match expr.node {
626                     ast::ExprPath(_) => cx.span_lint(PATH_STATEMENT, s.span,
627                                                      "path statement with no effect"),
628                     _ => ()
629                 }
630             }
631             _ => ()
632         }
633     }
634 }
635
636 declare_lint!(UNUSED_MUST_USE, Warn,
637               "unused result of a type flagged as #[must_use]")
638
639 declare_lint!(UNUSED_RESULT, Allow,
640               "unused result of an expression in a statement")
641
642 pub struct UnusedResult;
643
644 impl LintPass for UnusedResult {
645     fn get_lints(&self) -> LintArray {
646         lint_array!(UNUSED_MUST_USE, UNUSED_RESULT)
647     }
648
649     fn check_stmt(&mut self, cx: &Context, s: &ast::Stmt) {
650         let expr = match s.node {
651             ast::StmtSemi(expr, _) => expr,
652             _ => return
653         };
654         let t = ty::expr_ty(cx.tcx, &*expr);
655         match ty::get(t).sty {
656             ty::ty_nil | ty::ty_bot | ty::ty_bool => return,
657             _ => {}
658         }
659         match expr.node {
660             ast::ExprRet(..) => return,
661             _ => {}
662         }
663
664         let t = ty::expr_ty(cx.tcx, &*expr);
665         let mut warned = false;
666         match ty::get(t).sty {
667             ty::ty_struct(did, _) |
668             ty::ty_enum(did, _) => {
669                 if ast_util::is_local(did) {
670                     match cx.tcx.map.get(did.node) {
671                         ast_map::NodeItem(it) => {
672                             if attr::contains_name(it.attrs.as_slice(),
673                                                    "must_use") {
674                                 cx.span_lint(UNUSED_MUST_USE, s.span,
675                                              "unused result which must be used");
676                                 warned = true;
677                             }
678                         }
679                         _ => {}
680                     }
681                 } else {
682                     csearch::get_item_attrs(&cx.sess().cstore, did, |attrs| {
683                         if attr::contains_name(attrs.as_slice(), "must_use") {
684                             cx.span_lint(UNUSED_MUST_USE, s.span,
685                                          "unused result which must be used");
686                             warned = true;
687                         }
688                     });
689                 }
690             }
691             _ => {}
692         }
693         if !warned {
694             cx.span_lint(UNUSED_RESULT, s.span, "unused result");
695         }
696     }
697 }
698
699 declare_lint!(NON_CAMEL_CASE_TYPES, Warn,
700               "types, variants and traits should have camel case names")
701
702 pub struct NonCamelCaseTypes;
703
704 impl LintPass for NonCamelCaseTypes {
705     fn get_lints(&self) -> LintArray {
706         lint_array!(NON_CAMEL_CASE_TYPES)
707     }
708
709     fn check_item(&mut self, cx: &Context, it: &ast::Item) {
710         fn is_camel_case(ident: ast::Ident) -> bool {
711             let ident = token::get_ident(ident);
712             assert!(!ident.get().is_empty());
713             let ident = ident.get().trim_chars('_');
714
715             // start with a non-lowercase letter rather than non-uppercase
716             // ones (some scripts don't have a concept of upper/lowercase)
717             !ident.char_at(0).is_lowercase() && !ident.contains_char('_')
718         }
719
720         fn to_camel_case(s: &str) -> String {
721             s.split('_').flat_map(|word| word.chars().enumerate().map(|(i, c)|
722                 if i == 0 { c.to_uppercase() }
723                 else { c }
724             )).collect()
725         }
726
727         fn check_case(cx: &Context, sort: &str, ident: ast::Ident, span: Span) {
728             let s = token::get_ident(ident);
729
730             if !is_camel_case(ident) {
731                 cx.span_lint(NON_CAMEL_CASE_TYPES, span,
732                     format!("{} `{}` should have a camel case name such as `{}`",
733                             sort, s, to_camel_case(s.get())).as_slice());
734             }
735         }
736
737         match it.node {
738             ast::ItemTy(..) | ast::ItemStruct(..) => {
739                 check_case(cx, "type", it.ident, it.span)
740             }
741             ast::ItemTrait(..) => {
742                 check_case(cx, "trait", it.ident, it.span)
743             }
744             ast::ItemEnum(ref enum_definition, _) => {
745                 check_case(cx, "type", it.ident, it.span);
746                 for variant in enum_definition.variants.iter() {
747                     check_case(cx, "variant", variant.node.name, variant.span);
748                 }
749             }
750             _ => ()
751         }
752     }
753 }
754
755 #[deriving(PartialEq)]
756 enum MethodContext {
757     TraitDefaultImpl,
758     TraitImpl,
759     PlainImpl
760 }
761
762 fn method_context(cx: &Context, m: &ast::Method) -> MethodContext {
763     let did = ast::DefId {
764         krate: ast::LOCAL_CRATE,
765         node: m.id
766     };
767
768     match cx.tcx.methods.borrow().find_copy(&did) {
769         None => cx.sess().span_bug(m.span, "missing method descriptor?!"),
770         Some(md) => {
771             match md.container {
772                 ty::TraitContainer(..) => TraitDefaultImpl,
773                 ty::ImplContainer(cid) => {
774                     match ty::impl_trait_ref(cx.tcx, cid) {
775                         Some(..) => TraitImpl,
776                         None => PlainImpl
777                     }
778                 }
779             }
780         }
781     }
782 }
783
784 declare_lint!(NON_SNAKE_CASE_FUNCTIONS, Warn,
785               "methods and functions should have snake case names")
786
787 pub struct NonSnakeCaseFunctions;
788
789 impl NonSnakeCaseFunctions {
790     fn check_snake_case(&self, cx: &Context, sort: &str, ident: ast::Ident, span: Span) {
791         fn is_snake_case(ident: ast::Ident) -> bool {
792             let ident = token::get_ident(ident);
793             assert!(!ident.get().is_empty());
794             let ident = ident.get().trim_chars('_');
795
796             let mut allow_underscore = true;
797             ident.chars().all(|c| {
798                 allow_underscore = match c {
799                     c if c.is_lowercase() || c.is_digit() => true,
800                     '_' if allow_underscore => false,
801                     _ => return false,
802                 };
803                 true
804             })
805         }
806
807         fn to_snake_case(str: &str) -> String {
808             let mut words = vec![];
809             for s in str.split('_') {
810                 let mut buf = String::new();
811                 if s.is_empty() { continue; }
812                 for ch in s.chars() {
813                     if !buf.is_empty() && ch.is_uppercase() {
814                         words.push(buf);
815                         buf = String::new();
816                     }
817                     buf.push_char(ch.to_lowercase());
818                 }
819                 words.push(buf);
820             }
821             words.connect("_")
822         }
823
824         let s = token::get_ident(ident);
825
826         if !is_snake_case(ident) {
827             cx.span_lint(NON_SNAKE_CASE_FUNCTIONS, span,
828                 format!("{} `{}` should have a snake case name such as `{}`",
829                         sort, s, to_snake_case(s.get())).as_slice());
830         }
831     }
832 }
833
834 impl LintPass for NonSnakeCaseFunctions {
835     fn get_lints(&self) -> LintArray {
836         lint_array!(NON_SNAKE_CASE_FUNCTIONS)
837     }
838
839     fn check_fn(&mut self, cx: &Context,
840                 fk: &visit::FnKind, _: &ast::FnDecl,
841                 _: &ast::Block, span: Span, _: ast::NodeId) {
842         match *fk {
843             visit::FkMethod(ident, _, m) => match method_context(cx, m) {
844                 PlainImpl
845                     => self.check_snake_case(cx, "method", ident, span),
846                 TraitDefaultImpl
847                     => self.check_snake_case(cx, "trait method", ident, span),
848                 _ => (),
849             },
850             visit::FkItemFn(ident, _, _, _)
851                 => self.check_snake_case(cx, "function", ident, span),
852             _ => (),
853         }
854     }
855
856     fn check_ty_method(&mut self, cx: &Context, t: &ast::TypeMethod) {
857         self.check_snake_case(cx, "trait method", t.ident, t.span);
858     }
859 }
860
861 declare_lint!(NON_UPPERCASE_STATICS, Allow,
862               "static constants should have uppercase identifiers")
863
864 pub struct NonUppercaseStatics;
865
866 impl LintPass for NonUppercaseStatics {
867     fn get_lints(&self) -> LintArray {
868         lint_array!(NON_UPPERCASE_STATICS)
869     }
870
871     fn check_item(&mut self, cx: &Context, it: &ast::Item) {
872         match it.node {
873             // only check static constants
874             ast::ItemStatic(_, ast::MutImmutable, _) => {
875                 let s = token::get_ident(it.ident);
876                 // check for lowercase letters rather than non-uppercase
877                 // ones (some scripts don't have a concept of
878                 // upper/lowercase)
879                 if s.get().chars().any(|c| c.is_lowercase()) {
880                     cx.span_lint(NON_UPPERCASE_STATICS, it.span,
881                         format!("static constant `{}` should have an uppercase name \
882                                  such as `{}`",
883                                 s.get(), s.get().chars().map(|c| c.to_uppercase())
884                                 .collect::<String>().as_slice()).as_slice());
885                 }
886             }
887             _ => {}
888         }
889     }
890 }
891
892 declare_lint!(NON_UPPERCASE_PATTERN_STATICS, Warn,
893               "static constants in match patterns should be all caps")
894
895 pub struct NonUppercasePatternStatics;
896
897 impl LintPass for NonUppercasePatternStatics {
898     fn get_lints(&self) -> LintArray {
899         lint_array!(NON_UPPERCASE_PATTERN_STATICS)
900     }
901
902     fn check_pat(&mut self, cx: &Context, p: &ast::Pat) {
903         // Lint for constants that look like binding identifiers (#7526)
904         match (&p.node, cx.tcx.def_map.borrow().find(&p.id)) {
905             (&ast::PatIdent(_, ref path1, _), Some(&def::DefStatic(_, false))) => {
906                 let s = token::get_ident(path1.node);
907                 if s.get().chars().any(|c| c.is_lowercase()) {
908                     cx.span_lint(NON_UPPERCASE_PATTERN_STATICS, path1.span,
909                         format!("static constant in pattern `{}` should have an uppercase \
910                                  name such as `{}`",
911                                 s.get(), s.get().chars().map(|c| c.to_uppercase())
912                                     .collect::<String>().as_slice()).as_slice());
913                 }
914             }
915             _ => {}
916         }
917     }
918 }
919
920 declare_lint!(UPPERCASE_VARIABLES, Warn,
921               "variable and structure field names should start with a lowercase character")
922
923 pub struct UppercaseVariables;
924
925 impl LintPass for UppercaseVariables {
926     fn get_lints(&self) -> LintArray {
927         lint_array!(UPPERCASE_VARIABLES)
928     }
929
930     fn check_pat(&mut self, cx: &Context, p: &ast::Pat) {
931         match &p.node {
932             &ast::PatIdent(_, ref path1, _) => {
933                 match cx.tcx.def_map.borrow().find(&p.id) {
934                     Some(&def::DefLocal(_, _)) | Some(&def::DefBinding(_, _)) |
935                             Some(&def::DefArg(_, _)) => {
936                         let s = token::get_ident(path1.node);
937                         if s.get().len() > 0 && s.get().char_at(0).is_uppercase() {
938                             cx.span_lint(UPPERCASE_VARIABLES, path1.span,
939                                          "variable names should start with \
940                                           a lowercase character");
941                         }
942                     }
943                     _ => {}
944                 }
945             }
946             _ => {}
947         }
948     }
949
950     fn check_struct_def(&mut self, cx: &Context, s: &ast::StructDef,
951             _: ast::Ident, _: &ast::Generics, _: ast::NodeId) {
952         for sf in s.fields.iter() {
953             match sf.node {
954                 ast::StructField_ { kind: ast::NamedField(ident, _), .. } => {
955                     let s = token::get_ident(ident);
956                     if s.get().char_at(0).is_uppercase() {
957                         cx.span_lint(UPPERCASE_VARIABLES, sf.span,
958                                      "structure field names should start with \
959                                       a lowercase character");
960                     }
961                 }
962                 _ => {}
963             }
964         }
965     }
966 }
967
968 declare_lint!(UNNECESSARY_PARENS, Warn,
969               "`if`, `match`, `while` and `return` do not need parentheses")
970
971 pub struct UnnecessaryParens;
972
973 impl UnnecessaryParens {
974     fn check_unnecessary_parens_core(&self, cx: &Context, value: &ast::Expr, msg: &str,
975                                      struct_lit_needs_parens: bool) {
976         match value.node {
977             ast::ExprParen(ref inner) => {
978                 let necessary = struct_lit_needs_parens && contains_exterior_struct_lit(&**inner);
979                 if !necessary {
980                     cx.span_lint(UNNECESSARY_PARENS, value.span,
981                                  format!("unnecessary parentheses around {}",
982                                          msg).as_slice())
983                 }
984             }
985             _ => {}
986         }
987
988         /// Expressions that syntactically contain an "exterior" struct
989         /// literal i.e. not surrounded by any parens or other
990         /// delimiters, e.g. `X { y: 1 }`, `X { y: 1 }.method()`, `foo
991         /// == X { y: 1 }` and `X { y: 1 } == foo` all do, but `(X {
992         /// y: 1 }) == foo` does not.
993         fn contains_exterior_struct_lit(value: &ast::Expr) -> bool {
994             match value.node {
995                 ast::ExprStruct(..) => true,
996
997                 ast::ExprAssign(ref lhs, ref rhs) |
998                 ast::ExprAssignOp(_, ref lhs, ref rhs) |
999                 ast::ExprBinary(_, ref lhs, ref rhs) => {
1000                     // X { y: 1 } + X { y: 2 }
1001                     contains_exterior_struct_lit(&**lhs) ||
1002                         contains_exterior_struct_lit(&**rhs)
1003                 }
1004                 ast::ExprUnary(_, ref x) |
1005                 ast::ExprCast(ref x, _) |
1006                 ast::ExprField(ref x, _, _) |
1007                 ast::ExprIndex(ref x, _) => {
1008                     // &X { y: 1 }, X { y: 1 }.y
1009                     contains_exterior_struct_lit(&**x)
1010                 }
1011
1012                 ast::ExprMethodCall(_, _, ref exprs) => {
1013                     // X { y: 1 }.bar(...)
1014                     contains_exterior_struct_lit(&**exprs.get(0))
1015                 }
1016
1017                 _ => false
1018             }
1019         }
1020     }
1021 }
1022
1023 impl LintPass for UnnecessaryParens {
1024     fn get_lints(&self) -> LintArray {
1025         lint_array!(UNNECESSARY_PARENS)
1026     }
1027
1028     fn check_expr(&mut self, cx: &Context, e: &ast::Expr) {
1029         let (value, msg, struct_lit_needs_parens) = match e.node {
1030             ast::ExprIf(cond, _, _) => (cond, "`if` condition", true),
1031             ast::ExprWhile(cond, _) => (cond, "`while` condition", true),
1032             ast::ExprMatch(head, _) => (head, "`match` head expression", true),
1033             ast::ExprRet(Some(value)) => (value, "`return` value", false),
1034             ast::ExprAssign(_, value) => (value, "assigned value", false),
1035             ast::ExprAssignOp(_, _, value) => (value, "assigned value", false),
1036             _ => return
1037         };
1038         self.check_unnecessary_parens_core(cx, &*value, msg, struct_lit_needs_parens);
1039     }
1040
1041     fn check_stmt(&mut self, cx: &Context, s: &ast::Stmt) {
1042         let (value, msg) = match s.node {
1043             ast::StmtDecl(decl, _) => match decl.node {
1044                 ast::DeclLocal(local) => match local.init {
1045                     Some(value) => (value, "assigned value"),
1046                     None => return
1047                 },
1048                 _ => return
1049             },
1050             _ => return
1051         };
1052         self.check_unnecessary_parens_core(cx, &*value, msg, false);
1053     }
1054 }
1055
1056 declare_lint!(UNUSED_UNSAFE, Warn,
1057               "unnecessary use of an `unsafe` block")
1058
1059 pub struct UnusedUnsafe;
1060
1061 impl LintPass for UnusedUnsafe {
1062     fn get_lints(&self) -> LintArray {
1063         lint_array!(UNUSED_UNSAFE)
1064     }
1065
1066     fn check_expr(&mut self, cx: &Context, e: &ast::Expr) {
1067         match e.node {
1068             // Don't warn about generated blocks, that'll just pollute the output.
1069             ast::ExprBlock(ref blk) => {
1070                 if blk.rules == ast::UnsafeBlock(ast::UserProvided) &&
1071                     !cx.tcx.used_unsafe.borrow().contains(&blk.id) {
1072                     cx.span_lint(UNUSED_UNSAFE, blk.span, "unnecessary `unsafe` block");
1073                 }
1074             }
1075             _ => ()
1076         }
1077     }
1078 }
1079
1080 declare_lint!(UNSAFE_BLOCK, Allow,
1081               "usage of an `unsafe` block")
1082
1083 pub struct UnsafeBlock;
1084
1085 impl LintPass for UnsafeBlock {
1086     fn get_lints(&self) -> LintArray {
1087         lint_array!(UNSAFE_BLOCK)
1088     }
1089
1090     fn check_expr(&mut self, cx: &Context, e: &ast::Expr) {
1091         match e.node {
1092             // Don't warn about generated blocks, that'll just pollute the output.
1093             ast::ExprBlock(ref blk) if blk.rules == ast::UnsafeBlock(ast::UserProvided) => {
1094                 cx.span_lint(UNSAFE_BLOCK, blk.span, "usage of an `unsafe` block");
1095             }
1096             _ => ()
1097         }
1098     }
1099 }
1100
1101 declare_lint!(UNUSED_MUT, Warn,
1102               "detect mut variables which don't need to be mutable")
1103
1104 pub struct UnusedMut;
1105
1106 impl UnusedMut {
1107     fn check_unused_mut_pat(&self, cx: &Context, pats: &[Gc<ast::Pat>]) {
1108         // collect all mutable pattern and group their NodeIDs by their Identifier to
1109         // avoid false warnings in match arms with multiple patterns
1110         let mut mutables = HashMap::new();
1111         for &p in pats.iter() {
1112             pat_util::pat_bindings(&cx.tcx.def_map, &*p, |mode, id, _, path1| {
1113                 let ident = path1.node;
1114                 match mode {
1115                     ast::BindByValue(ast::MutMutable) => {
1116                         if !token::get_ident(ident).get().starts_with("_") {
1117                             mutables.insert_or_update_with(ident.name as uint,
1118                                 vec!(id), |_, old| { old.push(id); });
1119                         }
1120                     }
1121                     _ => {
1122                     }
1123                 }
1124             });
1125         }
1126
1127         let used_mutables = cx.tcx.used_mut_nodes.borrow();
1128         for (_, v) in mutables.iter() {
1129             if !v.iter().any(|e| used_mutables.contains(e)) {
1130                 cx.span_lint(UNUSED_MUT, cx.tcx.map.span(*v.get(0)),
1131                              "variable does not need to be mutable");
1132             }
1133         }
1134     }
1135 }
1136
1137 impl LintPass for UnusedMut {
1138     fn get_lints(&self) -> LintArray {
1139         lint_array!(UNUSED_MUT)
1140     }
1141
1142     fn check_expr(&mut self, cx: &Context, e: &ast::Expr) {
1143         match e.node {
1144             ast::ExprMatch(_, ref arms) => {
1145                 for a in arms.iter() {
1146                     self.check_unused_mut_pat(cx, a.pats.as_slice())
1147                 }
1148             }
1149             _ => {}
1150         }
1151     }
1152
1153     fn check_stmt(&mut self, cx: &Context, s: &ast::Stmt) {
1154         match s.node {
1155             ast::StmtDecl(d, _) => {
1156                 match d.node {
1157                     ast::DeclLocal(l) => {
1158                         self.check_unused_mut_pat(cx, &[l.pat]);
1159                     },
1160                     _ => {}
1161                 }
1162             },
1163             _ => {}
1164         }
1165     }
1166
1167     fn check_fn(&mut self, cx: &Context,
1168                 _: &visit::FnKind, decl: &ast::FnDecl,
1169                 _: &ast::Block, _: Span, _: ast::NodeId) {
1170         for a in decl.inputs.iter() {
1171             self.check_unused_mut_pat(cx, &[a.pat]);
1172         }
1173     }
1174 }
1175
1176 enum Allocation {
1177     VectorAllocation,
1178     BoxAllocation
1179 }
1180
1181 declare_lint!(UNNECESSARY_ALLOCATION, Warn,
1182               "detects unnecessary allocations that can be eliminated")
1183
1184 pub struct UnnecessaryAllocation;
1185
1186 impl LintPass for UnnecessaryAllocation {
1187     fn get_lints(&self) -> LintArray {
1188         lint_array!(UNNECESSARY_ALLOCATION)
1189     }
1190
1191     fn check_expr(&mut self, cx: &Context, e: &ast::Expr) {
1192         // Warn if string and vector literals with sigils, or boxing expressions,
1193         // are immediately borrowed.
1194         let allocation = match e.node {
1195             ast::ExprVstore(e2, ast::ExprVstoreUniq) => {
1196                 match e2.node {
1197                     ast::ExprLit(lit) if ast_util::lit_is_str(lit) => {
1198                         VectorAllocation
1199                     }
1200                     ast::ExprVec(..) => VectorAllocation,
1201                     _ => return
1202                 }
1203             }
1204             ast::ExprUnary(ast::UnUniq, _) |
1205             ast::ExprUnary(ast::UnBox, _) => BoxAllocation,
1206
1207             _ => return
1208         };
1209
1210         match cx.tcx.adjustments.borrow().find(&e.id) {
1211             Some(adjustment) => {
1212                 match *adjustment {
1213                     ty::AutoDerefRef(ty::AutoDerefRef { autoref, .. }) => {
1214                         match (allocation, autoref) {
1215                             (VectorAllocation, Some(ty::AutoBorrowVec(..))) => {
1216                                 cx.span_lint(UNNECESSARY_ALLOCATION, e.span,
1217                                              "unnecessary allocation, the sigil can be removed");
1218                             }
1219                             (BoxAllocation,
1220                              Some(ty::AutoPtr(_, ast::MutImmutable))) => {
1221                                 cx.span_lint(UNNECESSARY_ALLOCATION, e.span,
1222                                              "unnecessary allocation, use & instead");
1223                             }
1224                             (BoxAllocation,
1225                              Some(ty::AutoPtr(_, ast::MutMutable))) => {
1226                                 cx.span_lint(UNNECESSARY_ALLOCATION, e.span,
1227                                              "unnecessary allocation, use &mut instead");
1228                             }
1229                             _ => ()
1230                         }
1231                     }
1232                     _ => {}
1233                 }
1234             }
1235             _ => ()
1236         }
1237     }
1238 }
1239
1240 declare_lint!(MISSING_DOC, Allow,
1241               "detects missing documentation for public members")
1242
1243 pub struct MissingDoc {
1244     /// Stack of IDs of struct definitions.
1245     struct_def_stack: Vec<ast::NodeId>,
1246
1247     /// Stack of whether #[doc(hidden)] is set
1248     /// at each level which has lint attributes.
1249     doc_hidden_stack: Vec<bool>,
1250 }
1251
1252 impl MissingDoc {
1253     pub fn new() -> MissingDoc {
1254         MissingDoc {
1255             struct_def_stack: vec!(),
1256             doc_hidden_stack: vec!(false),
1257         }
1258     }
1259
1260     fn doc_hidden(&self) -> bool {
1261         *self.doc_hidden_stack.last().expect("empty doc_hidden_stack")
1262     }
1263
1264     fn check_missing_doc_attrs(&self,
1265                                cx: &Context,
1266                                id: Option<ast::NodeId>,
1267                                attrs: &[ast::Attribute],
1268                                sp: Span,
1269                                desc: &'static str) {
1270         // If we're building a test harness, then warning about
1271         // documentation is probably not really relevant right now.
1272         if cx.sess().opts.test { return }
1273
1274         // `#[doc(hidden)]` disables missing_doc check.
1275         if self.doc_hidden() { return }
1276
1277         // Only check publicly-visible items, using the result from the privacy pass.
1278         // It's an option so the crate root can also use this function (it doesn't
1279         // have a NodeId).
1280         match id {
1281             Some(ref id) if !cx.exported_items.contains(id) => return,
1282             _ => ()
1283         }
1284
1285         let has_doc = attrs.iter().any(|a| {
1286             match a.node.value.node {
1287                 ast::MetaNameValue(ref name, _) if name.equiv(&("doc")) => true,
1288                 _ => false
1289             }
1290         });
1291         if !has_doc {
1292             cx.span_lint(MISSING_DOC, sp,
1293                 format!("missing documentation for {}", desc).as_slice());
1294         }
1295     }
1296 }
1297
1298 impl LintPass for MissingDoc {
1299     fn get_lints(&self) -> LintArray {
1300         lint_array!(MISSING_DOC)
1301     }
1302
1303     fn enter_lint_attrs(&mut self, _: &Context, attrs: &[ast::Attribute]) {
1304         let doc_hidden = self.doc_hidden() || attrs.iter().any(|attr| {
1305             attr.check_name("doc") && match attr.meta_item_list() {
1306                 None => false,
1307                 Some(l) => attr::contains_name(l.as_slice(), "hidden"),
1308             }
1309         });
1310         self.doc_hidden_stack.push(doc_hidden);
1311     }
1312
1313     fn exit_lint_attrs(&mut self, _: &Context, _: &[ast::Attribute]) {
1314         self.doc_hidden_stack.pop().expect("empty doc_hidden_stack");
1315     }
1316
1317     fn check_struct_def(&mut self, _: &Context,
1318         _: &ast::StructDef, _: ast::Ident, _: &ast::Generics, id: ast::NodeId) {
1319         self.struct_def_stack.push(id);
1320     }
1321
1322     fn check_struct_def_post(&mut self, _: &Context,
1323         _: &ast::StructDef, _: ast::Ident, _: &ast::Generics, id: ast::NodeId) {
1324         let popped = self.struct_def_stack.pop().expect("empty struct_def_stack");
1325         assert!(popped == id);
1326     }
1327
1328     fn check_crate(&mut self, cx: &Context, krate: &ast::Crate) {
1329         self.check_missing_doc_attrs(cx, None, krate.attrs.as_slice(),
1330                                      krate.span, "crate");
1331     }
1332
1333     fn check_item(&mut self, cx: &Context, it: &ast::Item) {
1334         let desc = match it.node {
1335             ast::ItemFn(..) => "a function",
1336             ast::ItemMod(..) => "a module",
1337             ast::ItemEnum(..) => "an enum",
1338             ast::ItemStruct(..) => "a struct",
1339             ast::ItemTrait(..) => "a trait",
1340             _ => return
1341         };
1342         self.check_missing_doc_attrs(cx, Some(it.id), it.attrs.as_slice(),
1343                                      it.span, desc);
1344     }
1345
1346     fn check_fn(&mut self, cx: &Context,
1347             fk: &visit::FnKind, _: &ast::FnDecl,
1348             _: &ast::Block, _: Span, _: ast::NodeId) {
1349         match *fk {
1350             visit::FkMethod(_, _, m) => {
1351                 // If the method is an impl for a trait, don't doc.
1352                 if method_context(cx, m) == TraitImpl { return; }
1353
1354                 // Otherwise, doc according to privacy. This will also check
1355                 // doc for default methods defined on traits.
1356                 self.check_missing_doc_attrs(cx, Some(m.id), m.attrs.as_slice(),
1357                                              m.span, "a method");
1358             }
1359             _ => {}
1360         }
1361     }
1362
1363     fn check_ty_method(&mut self, cx: &Context, tm: &ast::TypeMethod) {
1364         self.check_missing_doc_attrs(cx, Some(tm.id), tm.attrs.as_slice(),
1365                                      tm.span, "a type method");
1366     }
1367
1368     fn check_struct_field(&mut self, cx: &Context, sf: &ast::StructField) {
1369         match sf.node.kind {
1370             ast::NamedField(_, vis) if vis == ast::Public => {
1371                 let cur_struct_def = *self.struct_def_stack.last()
1372                     .expect("empty struct_def_stack");
1373                 self.check_missing_doc_attrs(cx, Some(cur_struct_def),
1374                                              sf.node.attrs.as_slice(), sf.span,
1375                                              "a struct field")
1376             }
1377             _ => {}
1378         }
1379     }
1380
1381     fn check_variant(&mut self, cx: &Context, v: &ast::Variant, _: &ast::Generics) {
1382         self.check_missing_doc_attrs(cx, Some(v.node.id), v.node.attrs.as_slice(),
1383                                      v.span, "a variant");
1384     }
1385 }
1386
1387 declare_lint!(DEPRECATED, Warn,
1388               "detects use of #[deprecated] items")
1389
1390 // FIXME #6875: Change to Warn after std library stabilization is complete
1391 declare_lint!(EXPERIMENTAL, Allow,
1392               "detects use of #[experimental] items")
1393
1394 declare_lint!(UNSTABLE, Allow,
1395               "detects use of #[unstable] items (incl. items with no stability attribute)")
1396
1397 /// Checks for use of items with `#[deprecated]`, `#[experimental]` and
1398 /// `#[unstable]` attributes, or no stability attribute.
1399 pub struct Stability;
1400
1401 impl LintPass for Stability {
1402     fn get_lints(&self) -> LintArray {
1403         lint_array!(DEPRECATED, EXPERIMENTAL, UNSTABLE)
1404     }
1405
1406     fn check_expr(&mut self, cx: &Context, e: &ast::Expr) {
1407         let id = match e.node {
1408             ast::ExprPath(..) | ast::ExprStruct(..) => {
1409                 match cx.tcx.def_map.borrow().find(&e.id) {
1410                     Some(&def) => def.def_id(),
1411                     None => return
1412                 }
1413             }
1414             ast::ExprMethodCall(..) => {
1415                 let method_call = typeck::MethodCall::expr(e.id);
1416                 match cx.tcx.method_map.borrow().find(&method_call) {
1417                     Some(method) => {
1418                         match method.origin {
1419                             typeck::MethodStatic(def_id) => {
1420                                 def_id
1421                             }
1422                             typeck::MethodParam(typeck::MethodParam {
1423                                 trait_id: trait_id,
1424                                 method_num: index,
1425                                 ..
1426                             })
1427                             | typeck::MethodObject(typeck::MethodObject {
1428                                 trait_id: trait_id,
1429                                 method_num: index,
1430                                 ..
1431                             }) => ty::trait_method(cx.tcx, trait_id, index).def_id
1432                         }
1433                     }
1434                     None => return
1435                 }
1436             }
1437             _ => return
1438         };
1439
1440         // stability attributes are promises made across crates; do not
1441         // check anything for crate-local usage.
1442         if ast_util::is_local(id) { return }
1443
1444         let stability = stability::lookup(cx.tcx, id);
1445         let (lint, label) = match stability {
1446             // no stability attributes == Unstable
1447             None => (UNSTABLE, "unmarked"),
1448             Some(attr::Stability { level: attr::Unstable, .. }) =>
1449                     (UNSTABLE, "unstable"),
1450             Some(attr::Stability { level: attr::Experimental, .. }) =>
1451                     (EXPERIMENTAL, "experimental"),
1452             Some(attr::Stability { level: attr::Deprecated, .. }) =>
1453                     (DEPRECATED, "deprecated"),
1454             _ => return
1455         };
1456
1457         let msg = match stability {
1458             Some(attr::Stability { text: Some(ref s), .. }) => {
1459                 format!("use of {} item: {}", label, *s)
1460             }
1461             _ => format!("use of {} item", label)
1462         };
1463
1464         cx.span_lint(lint, e.span, msg.as_slice());
1465     }
1466 }
1467
1468 declare_lint!(pub UNUSED_IMPORTS, Warn,
1469               "imports that are never used")
1470
1471 declare_lint!(pub UNNECESSARY_QUALIFICATION, Allow,
1472               "detects unnecessarily qualified names")
1473
1474 declare_lint!(pub UNRECOGNIZED_LINT, Warn,
1475               "unrecognized lint attribute")
1476
1477 declare_lint!(pub UNUSED_VARIABLE, Warn,
1478               "detect variables which are not used in any way")
1479
1480 declare_lint!(pub DEAD_ASSIGNMENT, Warn,
1481               "detect assignments that will never be read")
1482
1483 declare_lint!(pub DEAD_CODE, Warn,
1484               "detect piece of code that will never be used")
1485
1486 declare_lint!(pub VISIBLE_PRIVATE_TYPES, Warn,
1487               "detect use of private types in exported type signatures")
1488
1489 declare_lint!(pub UNREACHABLE_CODE, Warn,
1490               "detects unreachable code")
1491
1492 declare_lint!(pub WARNINGS, Warn,
1493               "mass-change the level for lints which produce warnings")
1494
1495 declare_lint!(pub UNKNOWN_FEATURES, Deny,
1496               "unknown features found in crate-level #[feature] directives")
1497
1498 declare_lint!(pub UNKNOWN_CRATE_TYPE, Deny,
1499               "unknown crate type found in #[crate_type] directive")
1500
1501 declare_lint!(pub VARIANT_SIZE_DIFFERENCE, Allow,
1502               "detects enums with widely varying variant sizes")
1503
1504 /// Does nothing as a lint pass, but registers some `Lint`s
1505 /// which are used by other parts of the compiler.
1506 pub struct HardwiredLints;
1507
1508 impl LintPass for HardwiredLints {
1509     fn get_lints(&self) -> LintArray {
1510         lint_array!(
1511             UNUSED_IMPORTS,
1512             UNNECESSARY_QUALIFICATION,
1513             UNRECOGNIZED_LINT,
1514             UNUSED_VARIABLE,
1515             DEAD_ASSIGNMENT,
1516             DEAD_CODE,
1517             VISIBLE_PRIVATE_TYPES,
1518             UNREACHABLE_CODE,
1519             WARNINGS,
1520             UNKNOWN_FEATURES,
1521             UNKNOWN_CRATE_TYPE,
1522             VARIANT_SIZE_DIFFERENCE
1523         )
1524     }
1525 }