Skip to content

Commit 2b551ed

Browse files
committed
Feat: Add CICD bot linter logging
1 parent 4c49186 commit 2b551ed

File tree

5 files changed

+230
-15
lines changed

5 files changed

+230
-15
lines changed

sqlmesh/core/console.py

+11-1
Original file line numberDiff line numberDiff line change
@@ -2151,7 +2151,6 @@ def _show_categorized_snapshots(self, plan: Plan, default_catalog: t.Optional[st
21512151
def log_test_results(
21522152
self, result: unittest.result.TestResult, output: t.Optional[str], target_dialect: str
21532153
) -> None:
2154-
# import ipywidgets as widgets
21552154
if result.wasSuccessful():
21562155
self._print(
21572156
f"**Successfully Ran `{str(result.testsRun)}` Tests Against `{target_dialect}`**\n\n"
@@ -2181,6 +2180,17 @@ def log_failed_models(self, errors: t.List[NodeExecutionFailedError]) -> None:
21812180

21822181
self._print("```\n")
21832182

2183+
def show_linter_violations(
2184+
self, violations: t.List[RuleViolation], model: Model, is_error: bool = False
2185+
) -> None:
2186+
severity = "errors" if is_error else "warnings"
2187+
violations_msg = "\n".join(f" - {violation}" for violation in violations)
2188+
msg = f"\nLinter {severity} for `{model._path}`:\n{violations_msg}\n"
2189+
2190+
self._print(msg)
2191+
if is_error:
2192+
self._errors.append(msg)
2193+
21842194
def log_error(self, message: str) -> None:
21852195
super().log_error(f"```\n\\[ERROR] {message}```\n\n")
21862196

sqlmesh/integrations/github/cicd/command.py

+32-6
Original file line numberDiff line numberDiff line change
@@ -13,7 +13,7 @@
1313
GithubController,
1414
TestFailure,
1515
)
16-
from sqlmesh.utils.errors import CICDBotError, ConflictingPlanError, PlanError
16+
from sqlmesh.utils.errors import CICDBotError, ConflictingPlanError, PlanError, LinterError
1717

1818
logger = logging.getLogger(__name__)
1919

@@ -189,6 +189,16 @@ def deploy_production(ctx: click.Context) -> None:
189189

190190
def _run_all(controller: GithubController) -> None:
191191
has_required_approval = False
192+
193+
controller.update_linter_check(status=GithubCheckStatus.QUEUED)
194+
195+
lint_error = controller._linter_errors is not None
196+
197+
controller.update_linter_check(
198+
status=GithubCheckStatus.COMPLETED,
199+
conclusion=GithubCheckConclusion.FAILURE if lint_error else GithubCheckConclusion.SUCCESS,
200+
)
201+
192202
is_auto_deploying_prod = (
193203
controller.deploy_command_enabled or controller.do_required_approval_check
194204
)
@@ -209,7 +219,7 @@ def _run_all(controller: GithubController) -> None:
209219
controller.update_test_check(status=GithubCheckStatus.QUEUED)
210220
if is_auto_deploying_prod:
211221
controller.update_prod_environment_check(status=GithubCheckStatus.QUEUED)
212-
tests_passed = _run_tests(controller)
222+
tests_passed = _run_tests(controller) if not lint_error else False
213223
if controller.do_required_approval_check:
214224
if has_required_approval:
215225
controller.update_required_approval_check(
@@ -219,22 +229,38 @@ def _run_all(controller: GithubController) -> None:
219229
controller.update_required_approval_check(status=GithubCheckStatus.QUEUED)
220230
has_required_approval = _check_required_approvers(controller)
221231
if not tests_passed:
232+
if lint_error:
233+
summary = "Linting"
234+
exception_error = "Linter failed"
235+
else:
236+
summary = "Unit Test(s)"
237+
exception_error = "Failed to run tests"
238+
222239
controller.update_pr_environment_check(
223240
status=GithubCheckStatus.COMPLETED,
224-
exception=TestFailure(),
241+
exception=LinterError("") if lint_error else TestFailure(),
225242
)
226243
controller.update_prod_plan_preview_check(
227244
status=GithubCheckStatus.COMPLETED,
228245
conclusion=GithubCheckConclusion.SKIPPED,
229-
summary="Unit Test(s) Failed so skipping creating prod plan",
246+
summary=f"{summary} Failed so skipping creating prod plan",
230247
)
231248
if is_auto_deploying_prod:
232249
controller.update_prod_environment_check(
233250
status=GithubCheckStatus.COMPLETED,
234251
conclusion=GithubCheckConclusion.SKIPPED,
235-
skip_reason="Unit Test(s) Failed so skipping deploying to production",
252+
skip_reason=f"{summary} Failed so skipping deploying to production",
236253
)
237-
raise CICDBotError("Failed to run tests. See check status for more information.")
254+
255+
if lint_error:
256+
controller.update_test_check(
257+
status=GithubCheckStatus.COMPLETED,
258+
conclusion=GithubCheckConclusion.SKIPPED,
259+
output="Linting failed, skipping tests",
260+
)
261+
262+
raise CICDBotError(f"{exception_error}. See check status for more information.")
263+
238264
pr_environment_updated = _update_pr_environment(controller)
239265
prod_plan_generated = False
240266
if pr_environment_updated:

sqlmesh/integrations/github/cicd/controller.py

+45-7
Original file line numberDiff line numberDiff line change
@@ -29,6 +29,7 @@
2929
format_intervals,
3030
)
3131
from sqlmesh.core.user import User
32+
from sqlmesh.core.config import Config
3233
from sqlmesh.integrations.github.cicd.config import GithubCICDBotConfig
3334
from sqlmesh.utils import word_characters_only
3435
from sqlmesh.utils.concurrency import NodeExecutionFailedError
@@ -38,6 +39,7 @@
3839
NoChangesPlanError,
3940
PlanError,
4041
UncategorizedPlanError,
42+
LinterError,
4143
)
4244
from sqlmesh.utils.pydantic import PydanticModel
4345

@@ -50,8 +52,6 @@
5052
from github.PullRequestReview import PullRequestReview
5153
from github.Repository import Repository
5254

53-
from sqlmesh.core.config import Config
54-
5555
logger = logging.getLogger(__name__)
5656

5757

@@ -302,6 +302,7 @@ def __init__(
302302
self._prod_plan_builder: t.Optional[PlanBuilder] = None
303303
self._prod_plan_with_gaps_builder: t.Optional[PlanBuilder] = None
304304
self._check_run_mapping: t.Dict[str, CheckRun] = {}
305+
self._linter_errors = None
305306

306307
if not isinstance(get_console(), MarkdownConsole):
307308
raise CICDBotError("Console must be a markdown console.")
@@ -326,10 +327,13 @@ def __init__(
326327
if review.state.lower() == "approved"
327328
}
328329
logger.debug(f"Approvers: {', '.join(self._approvers)}")
329-
self._context: Context = Context(
330-
paths=self._paths,
331-
config=self.config,
332-
)
330+
331+
self._context: Context = Context(paths=self._paths, config=self.config, load=False)
332+
self._console.clear_captured_outputs()
333+
try:
334+
self._context.load()
335+
except LinterError:
336+
self._linter_errors = self._console.captured_errors
333337

334338
@property
335339
def deploy_command_enabled(self) -> bool:
@@ -654,6 +658,40 @@ def _update_check_handler(
654658
full_summary=summary,
655659
)
656660

661+
def update_linter_check(
662+
self,
663+
status: GithubCheckStatus,
664+
conclusion: t.Optional[GithubCheckConclusion] = None,
665+
) -> None:
666+
if not self._context.config.linter.enabled:
667+
# Linter is not enabled, skip check
668+
return
669+
670+
def conclusion_handler(
671+
conclusion: GithubCheckConclusion,
672+
) -> t.Tuple[GithubCheckConclusion, str, t.Optional[str]]:
673+
test_summary = (
674+
self._linter_errors or self._console.consume_captured_output() or "Linter Success"
675+
)
676+
677+
title = "Linter results"
678+
679+
return conclusion, title, test_summary
680+
681+
self._update_check_handler(
682+
check_name="SQLMesh - Linter",
683+
status=status,
684+
conclusion=conclusion,
685+
status_handler=lambda status: (
686+
{
687+
GithubCheckStatus.IN_PROGRESS: "Running linter",
688+
GithubCheckStatus.QUEUED: "Waiting to Run linter",
689+
}[status],
690+
None,
691+
),
692+
conclusion_handler=conclusion_handler,
693+
)
694+
657695
def update_test_check(
658696
self,
659697
status: GithubCheckStatus,
@@ -751,7 +789,7 @@ def update_pr_environment_check(
751789
Updates the status of the merge commit for the PR environment.
752790
"""
753791
conclusion: t.Optional[GithubCheckConclusion] = None
754-
if isinstance(exception, (NoChangesPlanError, TestFailure)):
792+
if isinstance(exception, (NoChangesPlanError, TestFailure, LinterError)):
755793
conclusion = GithubCheckConclusion.SKIPPED
756794
elif isinstance(exception, UncategorizedPlanError):
757795
conclusion = GithubCheckConclusion.ACTION_REQUIRED

tests/integrations/github/cicd/fixtures.py

+3
Original file line numberDiff line numberDiff line change
@@ -3,6 +3,7 @@
33
import pytest
44
from pytest_mock.plugin import MockerFixture
55

6+
from sqlmesh.core.config import Config
67
from sqlmesh.core.console import set_console, get_console, MarkdownConsole
78
from sqlmesh.integrations.github.cicd.config import GithubCICDBotConfig
89
from sqlmesh.integrations.github.cicd.controller import (
@@ -67,6 +68,7 @@ def _make_function(
6768
merge_state_status: MergeStateStatus = MergeStateStatus.CLEAN,
6869
bot_config: t.Optional[GithubCICDBotConfig] = None,
6970
mock_out_context: bool = True,
71+
config: t.Optional[t.Union[Config, str]] = None,
7072
) -> GithubController:
7173
if mock_out_context:
7274
mocker.patch("sqlmesh.core.context.Context.apply", mocker.MagicMock())
@@ -97,6 +99,7 @@ def _make_function(
9799
else GithubEvent.from_obj(event_path)
98100
),
99101
client=client,
102+
config=config,
100103
)
101104
finally:
102105
set_console(orig_console)

tests/integrations/github/cicd/test_integration.py

+139-1
Original file line numberDiff line numberDiff line change
@@ -13,7 +13,7 @@
1313
from pytest_mock.plugin import MockerFixture
1414
from sqlglot import exp
1515

16-
from sqlmesh.core.config import CategorizerConfig
16+
from sqlmesh.core.config import CategorizerConfig, Config, ModelDefaultsConfig, LinterConfig
1717
from sqlmesh.core.engine_adapter.shared import DataObject
1818
from sqlmesh.core.user import User, UserRole
1919
from sqlmesh.integrations.github.cicd import command
@@ -52,6 +52,144 @@ def get_columns(
5252
return controller._context.engine_adapter.columns(table)
5353

5454

55+
@time_machine.travel("2023-01-01 15:00:00 UTC")
56+
def test_linter(
57+
github_client,
58+
make_controller,
59+
make_mock_check_run,
60+
make_mock_issue_comment,
61+
make_pull_request_review,
62+
tmp_path: pathlib.Path,
63+
mocker: MockerFixture,
64+
):
65+
"""
66+
PR with a non-breaking change and auto-categorization will be backfilled, merged, and deployed to prod
67+
68+
Scenario:
69+
- PR is not merged
70+
- PR has been approved by a required reviewer
71+
- Tests passed
72+
- PR Merge Method defined
73+
- Delete environment is disabled
74+
- Changes made in PR with auto-categorization
75+
"""
76+
77+
mock_repo = github_client.get_repo()
78+
mock_repo.create_check_run = mocker.MagicMock(
79+
side_effect=lambda **kwargs: make_mock_check_run(**kwargs)
80+
)
81+
82+
created_comments: t.List[MockIssueComment] = []
83+
mock_issue = mock_repo.get_issue()
84+
mock_issue.create_comment = mocker.MagicMock(
85+
side_effect=lambda comment: make_mock_issue_comment(
86+
comment=comment, created_comments=created_comments
87+
)
88+
)
89+
mock_issue.get_comments = mocker.MagicMock(side_effect=lambda: created_comments)
90+
91+
mock_pull_request = mock_repo.get_pull()
92+
mock_pull_request.get_reviews = mocker.MagicMock(
93+
side_effect=lambda: [make_pull_request_review(username="test_github", state="APPROVED")]
94+
)
95+
mock_pull_request.merged = False
96+
mock_pull_request.merge = mocker.MagicMock()
97+
98+
# Case 1: Test for linter errors
99+
config = Config(
100+
model_defaults=ModelDefaultsConfig(dialect="duckdb"),
101+
linter=LinterConfig(enabled=True, rules="ALL"),
102+
)
103+
104+
controller = make_controller(
105+
"tests/fixtures/github/pull_request_synchronized.json",
106+
github_client,
107+
bot_config=GithubCICDBotConfig(
108+
merge_method=MergeMethod.MERGE,
109+
invalidate_environment_after_deploy=False,
110+
auto_categorize_changes=CategorizerConfig.all_full(),
111+
default_pr_start=None,
112+
skip_pr_backfill=False,
113+
),
114+
mock_out_context=False,
115+
config=config,
116+
)
117+
118+
github_output_file = tmp_path / "github_output.txt"
119+
120+
with mock.patch.dict(os.environ, {"GITHUB_OUTPUT": str(github_output_file)}):
121+
with pytest.raises(CICDBotError):
122+
command._run_all(controller)
123+
124+
assert "SQLMesh - Linter" in controller._check_run_mapping
125+
linter_checks_runs = controller._check_run_mapping["SQLMesh - Linter"].all_kwargs
126+
assert "Linter errors for" in linter_checks_runs[-1]["output"]["summary"]
127+
assert GithubCheckConclusion(linter_checks_runs[-1]["conclusion"]).is_failure
128+
129+
for check in (
130+
"SQLMesh - Run Unit Tests",
131+
"SQLMesh - PR Environment Synced",
132+
"SQLMesh - Prod Plan Preview",
133+
):
134+
assert check in controller._check_run_mapping
135+
check_runs = controller._check_run_mapping[check].all_kwargs
136+
assert GithubCheckConclusion(check_runs[-1]["conclusion"]).is_skipped
137+
138+
with open(github_output_file, "r", encoding="utf-8") as f:
139+
output = f.read()
140+
assert (
141+
output
142+
== "linter=failure\npr_environment_name=hello_world_2\npr_environment_synced=skipped\nprod_plan_preview=skipped\nrun_unit_tests=skipped\n"
143+
)
144+
145+
# empty github file for next case
146+
open(github_output_file, "w").close()
147+
148+
# Case 2: Test for linter warnings
149+
config = Config(
150+
model_defaults=ModelDefaultsConfig(dialect="duckdb"),
151+
linter=LinterConfig(enabled=True, warn_rules="ALL"),
152+
)
153+
154+
controller = make_controller(
155+
"tests/fixtures/github/pull_request_synchronized.json",
156+
github_client,
157+
bot_config=GithubCICDBotConfig(
158+
merge_method=MergeMethod.MERGE,
159+
invalidate_environment_after_deploy=False,
160+
auto_categorize_changes=CategorizerConfig.all_full(),
161+
default_pr_start=None,
162+
skip_pr_backfill=False,
163+
),
164+
mock_out_context=False,
165+
config=config,
166+
)
167+
168+
with mock.patch.dict(os.environ, {"GITHUB_OUTPUT": str(github_output_file)}):
169+
command._run_all(controller)
170+
171+
assert "SQLMesh - Linter" in controller._check_run_mapping
172+
linter_checks_runs = controller._check_run_mapping["SQLMesh - Linter"].all_kwargs
173+
assert "Linter warnings for" in linter_checks_runs[-1]["output"]["summary"]
174+
assert GithubCheckConclusion(linter_checks_runs[-1]["conclusion"]).is_success
175+
176+
for check in (
177+
"SQLMesh - Run Unit Tests",
178+
"SQLMesh - PR Environment Synced",
179+
"SQLMesh - Prod Plan Preview",
180+
):
181+
assert check in controller._check_run_mapping
182+
check_runs = controller._check_run_mapping[check].all_kwargs
183+
assert GithubCheckConclusion(check_runs[-1]["conclusion"]).is_success
184+
185+
with open(github_output_file, "r", encoding="utf-8") as f:
186+
output = f.read()
187+
assert (
188+
output
189+
== "linter=success\nrun_unit_tests=success\ncreated_pr_environment=true\npr_environment_name=hello_world_2\npr_environment_synced=success\nprod_plan_preview=success\n"
190+
)
191+
192+
55193
@time_machine.travel("2023-01-01 15:00:00 UTC")
56194
def test_merge_pr_has_non_breaking_change(
57195
github_client,

0 commit comments

Comments
 (0)