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

Add helpers to find and add suppressions comments to nodes #451

Open
wants to merge 3 commits into
base: gh/amyreese/2/base
Choose a base branch
from
Open
Show file tree
Hide file tree
Changes from 1 commit
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
109 changes: 108 additions & 1 deletion src/fixit/comments.py
Original file line number Diff line number Diff line change
Expand Up @@ -3,7 +3,7 @@
# This source code is licensed under the MIT license found in the
# LICENSE file in the root directory of this source tree.

from typing import Generator, Optional, Sequence
from typing import Generator, List, Optional, Sequence

from libcst import (
BaseSuite,
Expand All @@ -12,15 +12,21 @@
CSTNode,
Decorator,
EmptyLine,
ensure_type,
IndentedBlock,
LeftSquareBracket,
matchers as m,
Module,
ParenthesizedWhitespace,
RightSquareBracket,
SimpleStatementSuite,
SimpleWhitespace,
TrailingWhitespace,
)
from libcst.metadata import MetadataWrapper, ParentNodeProvider, PositionProvider

from .ftypes import LintIgnore, LintIgnoreStyle


def node_comments(
node: CSTNode, metadata: MetadataWrapper
Expand Down Expand Up @@ -111,3 +117,104 @@ def gen(node: CSTNode) -> Generator[Comment, None, None]:
# to only include comments that are located on or before the line containing
# the original node that we're searching from
yield from (c for c in gen(node) if positions[c].end.line <= target_line)


def node_nearest_comment(node: CSTNode, metadata: MetadataWrapper) -> CSTNode:
"""
Return the nearest tree node where a suppression comment could be added.
"""
parent_nodes = metadata.resolve(ParentNodeProvider)
positions = metadata.resolve(PositionProvider)
node_line = positions[node].start.line

while not isinstance(node, Module):
if hasattr(node, "comment"):
return node

if hasattr(node, "trailing_whitespace"):
tw = ensure_type(node.trailing_whitespace, TrailingWhitespace)
if tw and positions[tw].start.line == node_line:
if tw.comment:
return tw.comment
else:
return tw

if hasattr(node, "comma"):
if m.matches(
node.comma,
m.Comma(
whitespace_after=m.ParenthesizedWhitespace(
first_line=m.TrailingWhitespace()
)
),
):
return ensure_type(
node.comma.whitespace_after.first_line, TrailingWhitespace
)

if hasattr(node, "rbracket"):
tw = ensure_type(
ensure_type(
node.rbracket.whitespace_before,
ParenthesizedWhitespace,
).first_line,
TrailingWhitespace,
)
if positions[tw].start.line == node_line:
return tw

if hasattr(node, "leading_lines"):
return node

parent = parent_nodes.get(node)
if parent is None:
break
node = parent

raise RuntimeError("could not find nearest comment node")


def add_suppression_comment(
module: Module,
node: CSTNode,
metadata: MetadataWrapper,
name: str,
style: LintIgnoreStyle = LintIgnoreStyle.fixme,
) -> Module:
"""
Return a modified tree that includes a suppression comment for the given rule.
"""
# reuse an existing suppression directive if available rather than making a new one
for comment in node_comments(node, metadata):
lint_ignore = LintIgnore.parse(comment.value)
if lint_ignore and lint_ignore.style == style:
if name in lint_ignore.names:
return module # already suppressed
lint_ignore.names.add(name)
return module.with_deep_changes(comment, value=str(lint_ignore))

# no existing directives, find the "nearest" location and add a comment there
target = node_nearest_comment(node, metadata)
lint_ignore = LintIgnore(style, {name})

if isinstance(target, Comment):
lint_ignore.prefix = target.value.strip()
return module.with_deep_changes(target, value=str(lint_ignore))

if isinstance(target, TrailingWhitespace):
if target.comment:
lint_ignore.prefix = target.comment.value.strip()
return module.with_deep_changes(target.comment, value=str(lint_ignore))
else:
return module.with_deep_changes(
target,
comment=Comment(str(lint_ignore)),
whitespace=SimpleWhitespace(" "),
)

if hasattr(target, "leading_lines"):
ll: List[EmptyLine] = list(target.leading_lines or ())
ll.append(EmptyLine(comment=Comment(str(lint_ignore))))
return module.with_deep_changes(target, leading_lines=ll)

raise RuntimeError("failed to add suppression comment")
32 changes: 31 additions & 1 deletion src/fixit/ftypes.py
Original file line number Diff line number Diff line change
Expand Up @@ -19,6 +19,7 @@
List,
Optional,
Sequence,
Set,
Tuple,
TypedDict,
TypeVar,
Expand All @@ -29,6 +30,7 @@
from libcst._add_slots import add_slots
from libcst.metadata import CodePosition as CodePosition, CodeRange as CodeRange
from packaging.version import Version
from typing_extensions import Self
amyreese marked this conversation as resolved.
Show resolved Hide resolved

__all__ = ("Version",)

Expand Down Expand Up @@ -74,7 +76,7 @@ class LintIgnoreStyle(Enum):
LintIgnoreRegex = re.compile(
r"""
\#\s* # leading hash and whitespace
(lint-(?:ignore|fixme)) # directive
(?:lint-(ignore|fixme)) # directive
(?:
(?::\s*|\s+) # separator
(
Expand All @@ -87,6 +89,34 @@ class LintIgnoreStyle(Enum):
)


@dataclass
class LintIgnore:
style: LintIgnoreStyle
names: Set[str] = field(default_factory=set)
prefix: str = ""
postfix: str = ""

@classmethod
def parse(cls, value: str) -> Optional[Self]:
value = value.strip()
if match := LintIgnoreRegex.search(value):
style, raw_names = match.groups()
names = {n.strip() for n in raw_names.split(",")} if raw_names else set()
start, end = match.span()
prefix = value[:start].strip()
postfix = value[end:]
return cls(LintIgnoreStyle(style), names, prefix, postfix)

return None

def __str__(self) -> str:
if self.names:
directive = f"# lint-{self.style.value}: {', '.join(sorted(self.names))}"
else:
directive = f"# lint-{self.style.value}"
return f"{self.prefix} {directive}{self.postfix}".strip()


QualifiedRuleRegex = re.compile(
r"""
^
Expand Down
Loading
Loading