Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

feat(linter): add auto-fix metadata to RuleMeta #4557

Merged
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
2 changes: 1 addition & 1 deletion crates/oxc_linter/src/fixer/fix.rs
Original file line number Diff line number Diff line change
Expand Up @@ -12,7 +12,7 @@ bitflags! {
///
/// [`FixKind`] is designed to be interopable with [`bool`]. `true` turns
/// into [`FixKind::Fix`] (applies only safe fixes) and `false` turns into
/// `FixKind::None` (do not apply any fixes or suggestions).
/// [`FixKind::None`] (do not apply any fixes or suggestions).
#[derive(Debug, Clone, Copy, PartialEq, Eq, PartialOrd, Ord, Hash)]
pub struct FixKind: u8 {
/// An automatic code fix. Most of these are applied with `--fix`
Expand Down
73 changes: 72 additions & 1 deletion crates/oxc_linter/src/rule.rs
Original file line number Diff line number Diff line change
@@ -1,12 +1,13 @@
use std::{
borrow::Cow,
fmt,
hash::{Hash, Hasher},
ops::Deref,
};

use oxc_semantic::SymbolId;

use crate::{context::LintContext, AllowWarnDeny, AstNode, RuleEnum};
use crate::{context::LintContext, AllowWarnDeny, AstNode, FixKind, RuleEnum};

pub trait Rule: Sized + Default + fmt::Debug {
/// Initialize from eslint json configuration
Expand Down Expand Up @@ -40,6 +41,9 @@ pub trait RuleMeta {

const CATEGORY: RuleCategory;

/// What kind of auto-fixing can this rule do?
const FIX: RuleFixMeta = RuleFixMeta::None;

fn documentation() -> Option<&'static str> {
None
}
Expand Down Expand Up @@ -111,6 +115,73 @@ impl fmt::Display for RuleCategory {
}
}

// NOTE: this could be packed into a single byte if we wanted. I don't think
// this is needed, but we could do it if it would have a performance impact.
/// Describes the auto-fixing capabilities of a [`Rule`].
#[derive(Debug, Default, Clone, Copy, PartialEq, Eq, Hash)]
pub enum RuleFixMeta {
/// An auto-fix is not available.
#[default]
None,
/// An auto-fix could be implemented, but it has not been yet.
FixPending,
/// An auto-fix is available.
Fixable(FixKind),
}

impl RuleFixMeta {
/// Does this [`Rule`] have some kind of auto-fix available?
///
/// Also returns `true` for suggestions.
#[inline]
pub fn has_fix(self) -> bool {
matches!(self, Self::Fixable(_))
}

pub fn description(self) -> Cow<'static, str> {
match self {
Self::None => Cow::Borrowed("No auto-fix is available for this rule."),
Self::FixPending => Cow::Borrowed("An auto-fix is still under development."),
Self::Fixable(kind) => {
// e.g. an auto-fix is available for this rule
// e.g. a suggestion is available for this rule
// e.g. a dangerous auto-fix is available for this rule
// e.g. an auto-fix and a suggestion are available for this rule
let noun = match (kind.contains(FixKind::Fix), kind.contains(FixKind::Suggestion)) {
(true, true) => "auto-fix and a suggestion are available for this rule",
(true, false) => "auto-fix is available for this rule",
(false, true) => "suggestion is available for this rule",
_ => unreachable!(),
};
let message =
if kind.is_dangerous() { format!("dangerous {noun}") } else { noun.into() };

let article = match message.chars().next().unwrap() {
'a' | 'e' | 'i' | 'o' | 'u' => "An",
_ => "A",
};

Cow::Owned(format!("{article} {message}"))
}
}
}
}

impl TryFrom<&str> for RuleFixMeta {
type Error = ();
fn try_from(value: &str) -> Result<Self, Self::Error> {
match value {
"none" => Ok(Self::None),
"pending" => Ok(Self::FixPending),
"fix" => Ok(Self::Fixable(FixKind::Fix)),
"fix-dangerous" => Ok(Self::Fixable(FixKind::DangerousFix)),
"suggestion" => Ok(Self::Fixable(FixKind::Suggestion)),
"suggestion-dangerous" => Ok(Self::Fixable(FixKind::Suggestion | FixKind::Dangerous)),
_ => Err(()),
}
}
}

#[derive(Debug, Clone)]
pub struct RuleWithSeverity {
pub rule: RuleEnum,
Expand Down
42 changes: 39 additions & 3 deletions crates/oxc_macros/src/declare_oxc_lint.rs
Original file line number Diff line number Diff line change
Expand Up @@ -9,6 +9,8 @@ use syn::{
pub struct LintRuleMeta {
name: Ident,
category: Ident,
/// Describes what auto-fixing capabilities the rule has
fix: Option<Ident>,
documentation: String,
pub used_in_test: bool,
}
Expand All @@ -32,10 +34,20 @@ impl Parse for LintRuleMeta {
input.parse::<Token!(,)>()?;
let category = input.parse()?;

// Parse FixMeta if it's specified. It will otherwise be excluded from
// the RuleMeta impl, falling back on default set by RuleMeta itself.
// Do not provide a default value here so that it can be set there instead.
let fix: Option<Ident> = if input.peek(Token!(,)) {
input.parse::<Token!(,)>()?;
input.parse()?
} else {
None
};

// Ignore the rest
input.parse::<proc_macro2::TokenStream>()?;

Ok(Self { name: struct_name, category, documentation, used_in_test: false })
Ok(Self { name: struct_name, category, fix, documentation, used_in_test: false })
}
}

Expand All @@ -44,7 +56,7 @@ fn rule_name_converter() -> Converter {
}

pub fn declare_oxc_lint(metadata: LintRuleMeta) -> TokenStream {
let LintRuleMeta { name, category, documentation, used_in_test } = metadata;
let LintRuleMeta { name, category, fix, documentation, used_in_test } = metadata;

let canonical_name = rule_name_converter().convert(name.to_string());
let category = match category.to_string().as_str() {
Expand All @@ -57,11 +69,17 @@ pub fn declare_oxc_lint(metadata: LintRuleMeta) -> TokenStream {
"nursery" => quote! { RuleCategory::Nursery },
_ => panic!("invalid rule category"),
};
let fix = fix.as_ref().map(Ident::to_string).map(|fix| {
let fix = parse_fix(&fix);
quote! {
const FIX: RuleFixMeta = #fix;
}
});

let import_statement = if used_in_test {
None
} else {
Some(quote! { use crate::rule::{RuleCategory, RuleMeta}; })
Some(quote! { use crate::rule::{RuleCategory, RuleMeta, RuleFixMeta}; })
};

let output = quote! {
Expand All @@ -72,6 +90,8 @@ pub fn declare_oxc_lint(metadata: LintRuleMeta) -> TokenStream {

const CATEGORY: RuleCategory = #category;

#fix

fn documentation() -> Option<&'static str> {
Some(#documentation)
}
Expand All @@ -97,3 +117,19 @@ fn parse_attr<'a, const LEN: usize>(
}
None
}

fn parse_fix(s: &str) -> proc_macro2::TokenStream {
match s {
"none" => quote! { RuleFixMeta::None },
"pending" => quote! { RuleFixMeta::FixPending },
"fix" => quote! { RuleFixMeta::Fixable(FixKind::Fix) },
"fix-dangerous" => quote! { RuleFixMeta::Fixable(FixKind::Fix.union(FixKind::Dangerous)) },
"suggestion" => quote! { RuleFixMeta::Fixable(FixKind::Suggestion) },
"suggestion-dangerous" => quote! { RuleFixMeta::Fixable(FixKind::Suggestion.union(FixKind::Dangerous)) },
"None" => panic!("Invalid fix kind. Did you mean 'none'?"),
"Pending" => panic!("Invalid fix kind. Did you mean 'pending'?"),
"Fix" => panic!("Invalid fix kind. Did you mean 'fix'?"),
"Suggestion" => panic!("Invalid fix kind. Did you mean 'suggestion'?"),
invalid => panic!("invalid fix kind: {invalid}. Valid kinds are none, pending, fix, fix-dangerous, suggestion, and suggestion-dangerous"),
}
}