2020-01-11 05:37:08 -06:00
|
|
|
use rustc::lint::{LateContext, LateLintPass};
|
2020-01-06 10:39:50 -06:00
|
|
|
use rustc_hir::{Crate, Expr, ExprKind, QPath};
|
2020-01-11 05:37:08 -06:00
|
|
|
use rustc_session::{declare_tool_lint, impl_lint_pass};
|
2020-01-04 04:00:00 -06:00
|
|
|
use rustc_span::symbol::sym;
|
2019-11-07 02:34:45 -06:00
|
|
|
use syntax::ast::AttrKind;
|
2019-06-13 03:58:35 -05:00
|
|
|
|
2019-06-17 10:36:42 -05:00
|
|
|
use crate::utils::{is_entrypoint_fn, snippet, span_help_and_lint};
|
2019-06-13 03:58:35 -05:00
|
|
|
use if_chain::if_chain;
|
|
|
|
|
|
|
|
declare_clippy_lint! {
|
2019-06-17 10:36:42 -05:00
|
|
|
/// **What it does:** Checks for recursion using the entrypoint.
|
|
|
|
///
|
|
|
|
/// **Why is this bad?** Apart from special setups (which we could detect following attributes like #![no_std]),
|
|
|
|
/// recursing into main() seems like an unintuitive antipattern we should be able to detect.
|
|
|
|
///
|
|
|
|
/// **Known problems:** None.
|
|
|
|
///
|
|
|
|
/// **Example:**
|
|
|
|
/// ```no_run
|
|
|
|
/// fn main() {
|
|
|
|
/// main();
|
|
|
|
/// }
|
|
|
|
/// ```
|
2019-06-13 03:58:35 -05:00
|
|
|
pub MAIN_RECURSION,
|
2019-06-17 10:36:42 -05:00
|
|
|
style,
|
|
|
|
"recursion using the entrypoint"
|
2019-06-13 03:58:35 -05:00
|
|
|
}
|
|
|
|
|
2019-06-17 10:36:42 -05:00
|
|
|
#[derive(Default)]
|
2019-06-13 03:58:35 -05:00
|
|
|
pub struct MainRecursion {
|
2019-06-17 10:36:42 -05:00
|
|
|
has_no_std_attr: bool,
|
2019-06-13 03:58:35 -05:00
|
|
|
}
|
|
|
|
|
|
|
|
impl_lint_pass!(MainRecursion => [MAIN_RECURSION]);
|
|
|
|
|
2019-06-17 10:36:42 -05:00
|
|
|
impl LateLintPass<'_, '_> for MainRecursion {
|
2019-12-22 08:42:41 -06:00
|
|
|
fn check_crate(&mut self, _: &LateContext<'_, '_>, krate: &Crate<'_>) {
|
2019-11-07 02:34:45 -06:00
|
|
|
self.has_no_std_attr = krate.attrs.iter().any(|attr| {
|
|
|
|
if let AttrKind::Normal(ref attr) = attr.kind {
|
|
|
|
attr.path == sym::no_std
|
|
|
|
} else {
|
|
|
|
false
|
|
|
|
}
|
|
|
|
});
|
2019-06-13 03:58:35 -05:00
|
|
|
}
|
|
|
|
|
2019-12-27 01:12:26 -06:00
|
|
|
fn check_expr_post(&mut self, cx: &LateContext<'_, '_>, expr: &Expr<'_>) {
|
2019-06-13 03:58:35 -05:00
|
|
|
if self.has_no_std_attr {
|
|
|
|
return;
|
|
|
|
}
|
|
|
|
|
|
|
|
if_chain! {
|
2019-09-27 10:16:06 -05:00
|
|
|
if let ExprKind::Call(func, _) = &expr.kind;
|
|
|
|
if let ExprKind::Path(path) = &func.kind;
|
2019-06-17 10:36:42 -05:00
|
|
|
if let QPath::Resolved(_, path) = &path;
|
|
|
|
if let Some(def_id) = path.res.opt_def_id();
|
|
|
|
if is_entrypoint_fn(cx, def_id);
|
2019-06-13 03:58:35 -05:00
|
|
|
then {
|
|
|
|
span_help_and_lint(
|
|
|
|
cx,
|
|
|
|
MAIN_RECURSION,
|
2019-06-17 10:36:42 -05:00
|
|
|
func.span,
|
|
|
|
&format!("recursing into entrypoint `{}`", snippet(cx, func.span, "main")),
|
|
|
|
"consider using another function for this recursion"
|
2019-06-13 03:58:35 -05:00
|
|
|
)
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|