Skip to content
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.

Commit a419084

Browse files
committedJul 25, 2024··
feat: enhanced actions logging with clear annotations
- Rewrote GitHub Actions (using Github API and events). - Added GitHub Actions job summary. - Added GitHub Actions error annotations. - Added `token` for input (defaults to GITHUB_TOKEN). - Created `--hide-input` argument specifically for GitHub Actions.
1 parent b5393b2 commit a419084

File tree

10 files changed

+499
-387
lines changed

10 files changed

+499
-387
lines changed
 

‎README.md

+5-4
Original file line numberDiff line numberDiff line change
@@ -98,10 +98,11 @@ jobs:
9898
9999
#### GitHub Action Inputs
100100
101-
| # | Name | Type | Default | Description |
102-
| --- | ----------------- | ------- | ------- | --------------------------------------------------------------------- |
103-
| 1 | **fail_on_error** | Boolean | true | Determines whether the GitHub Action should fail if commitlint fails. |
104-
| 2 | **verbose** | Boolean | false | Verbose output. |
101+
| # | Name | Type | Default | Description |
102+
| --- | ----------------- | ------- | ---------------------- | --------------------------------------------------------------------- |
103+
| 1 | **fail_on_error** | Boolean | `true` | Determines whether the GitHub Action should fail if commitlint fails. |
104+
| 2 | **verbose** | Boolean | `false` | Verbose output. |
105+
| 3 | **token** | String | `secrets.GITHUB_TOKEN` | Github Token for fetching commits using Github API. |
105106

106107
#### GitHub Action Outputs
107108

‎action.yml

+13-32
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,6 @@
11
name: 'Conventional Commitlint'
22
description: 'A GitHub Action to check conventional commit message'
3+
34
inputs:
45
fail_on_error:
56
description: Whether to fail the workflow if commit messages don't follow conventions.
@@ -9,16 +10,23 @@ inputs:
910
description: Verbose output.
1011
default: 'false'
1112
required: false
13+
token:
14+
description: Token for fetching commits using Github API.
15+
default: ${{ github.token }}
16+
required: false
17+
1218
outputs:
1319
status:
1420
description: Status
1521
value: ${{ steps.commitlint.outputs.status }}
1622
exit_code:
1723
description: Exit Code
1824
value: ${{ steps.commitlint.outputs.exit_code }}
25+
1926
branding:
2027
color: 'red'
2128
icon: 'git-commit'
29+
2230
runs:
2331
using: 'composite'
2432
steps:
@@ -27,41 +35,14 @@ runs:
2735
with:
2836
python-version: '3.8'
2937

30-
- name: Install Commitlint
31-
run: python -m pip install --disable-pip-version-check -e ${{ github.action_path }}
32-
shell: bash
33-
34-
# checkout to the source code
35-
# for push event
36-
- name: Get pushed commit count
37-
if: github.event_name == 'push'
38-
id: push_commit_count
39-
run: |
40-
echo "count=$(echo '${{ toJson(github.event.commits) }}' | jq '. | length')" \
41-
>> $GITHUB_OUTPUT
42-
shell: bash
43-
44-
- name: Checkout to pushed commits
45-
if: github.event_name == 'push'
46-
uses: actions/checkout@v4.1.7
47-
with:
48-
ref: ${{ github.sha }}
49-
fetch-depth: ${{ steps.push_commit_count.outputs.count }}
50-
51-
# for pull_request event
52-
- name: Checkout to PR source branch
53-
if: github.event_name == 'pull_request'
54-
uses: actions/checkout@v4.1.7
55-
with:
56-
ref: ${{ github.event.pull_request.head.sha }}
57-
fetch-depth: ${{ github.event.pull_request.commits }}
58-
59-
# checking the commits (for both push and pull_request)
60-
- name: Check the commits
38+
- name: Commitlint Action
6139
id: commitlint
6240
run: |
63-
python ${{ github.action_path }}/github_actions/run.py
41+
python -m pip install --quiet --disable-pip-version-check -e ${GITHUB_ACTION_PATH}
42+
python ${{ github.action_path }}/github_actions
6443
shell: bash
6544
env:
45+
# NOTE: Remove once https://github.com/actions/runner/issues/665 is fixed.
46+
INPUT_TOKEN: ${{ inputs.token }}
6647
INPUT_FAIL_ON_ERROR: ${{ inputs.fail_on_error }}
6748
INPUT_VERBOSE: ${{ inputs.verbose }}

‎github_actions/__main__.py

+5
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,5 @@
1+
"""Main entry point for the GitHub Actions workflow."""
2+
3+
from action.run import run_action
4+
5+
run_action()

‎github_actions/action/__init__.py

Whitespace-only changes.

‎github_actions/event.py ‎github_actions/action/event.py

+26-25
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,5 @@
11
"""
2-
This module defines the `GithubEvent` class for handling GitHub event details.
2+
This module defines the `GitHubEvent` class for handling GitHub event details.
33
44
Note:
55
This module relies on the presence of specific environment variables
@@ -12,7 +12,7 @@
1212

1313

1414
# pylint: disable=R0902; Too many instance attributes
15-
class GithubEvent:
15+
class GitHubEvent:
1616
"""Class representing GitHub events.
1717
1818
This class provides methods for loading and accessing various details of
@@ -24,6 +24,7 @@ class GithubEvent:
2424
ref (str): The Git reference (branch or tag) for the event.
2525
workflow (str): The name of the GitHub workflow.
2626
action (str): The action that triggered the event.
27+
repository (str): The GitHub repository name.
2728
actor (str): The GitHub username of the user or app that triggered the event.
2829
job (str): The name of the job associated with the event.
2930
run_attempt (str): The current attempt number for the job run.
@@ -34,20 +35,19 @@ class GithubEvent:
3435
payload (dict): The GitHub event payload.
3536
3637
Raises:
37-
EnvironmentError: If the required environment variable 'GITHUB_EVENT_PATH'
38-
is not found.
38+
EnvironmentError: If GitHub env are not set properly.
3939
4040
Example:
4141
```python
42-
github_event = GithubEvent()
42+
github_event = GitHubEvent()
4343
print(github_event.event_name)
4444
print(github_event.sha)
4545
print(github_event.payload)
4646
```
4747
"""
4848

4949
def __init__(self) -> None:
50-
"""Initialize a new instance of the GithubEvent class."""
50+
"""Initialize a new instance of the GitHubEvent class."""
5151
self.__load_details()
5252

5353
def __load_details(self) -> None:
@@ -58,30 +58,31 @@ def __load_details(self) -> None:
5858
environment variables set by GitHub Actions and loading the event payload
5959
from a file.
6060
"""
61-
self.event_name = os.environ.get("GITHUB_EVENT_NAME")
62-
self.sha = os.environ.get("GITHUB_SHA")
63-
self.ref = os.environ.get("GITHUB_REF")
64-
self.workflow = os.environ.get("GITHUB_WORKFLOW")
65-
self.action = os.environ.get("GITHUB_ACTION")
66-
self.actor = os.environ.get("GITHUB_ACTOR")
67-
self.job = os.environ.get("GITHUB_JOB")
68-
self.run_attempt = os.environ.get("GITHUB_RUN_ATTEMPT")
69-
self.run_number = os.environ.get("GITHUB_RUN_NUMBER")
70-
self.run_id = os.environ.get("GITHUB_RUN_ID")
71-
72-
if "GITHUB_EVENT_PATH" not in os.environ:
73-
raise EnvironmentError("GITHUB_EVENT_PATH not found on the environment.")
74-
75-
self.event_path = os.environ["GITHUB_EVENT_PATH"]
76-
with open(self.event_path, encoding="utf-8") as file:
77-
self.payload = json.load(file)
61+
try:
62+
self.event_name = os.environ["GITHUB_EVENT_NAME"]
63+
self.sha = os.environ["GITHUB_SHA"]
64+
self.ref = os.environ["GITHUB_REF"]
65+
self.workflow = os.environ["GITHUB_WORKFLOW"]
66+
self.action = os.environ["GITHUB_ACTION"]
67+
self.actor = os.environ["GITHUB_ACTOR"]
68+
self.repository = os.environ["GITHUB_REPOSITORY"]
69+
self.job = os.environ["GITHUB_JOB"]
70+
self.run_attempt = os.environ["GITHUB_RUN_ATTEMPT"]
71+
self.run_number = os.environ["GITHUB_RUN_NUMBER"]
72+
self.run_id = os.environ["GITHUB_RUN_ID"]
73+
74+
self.event_path = os.environ["GITHUB_EVENT_PATH"]
75+
with open(self.event_path, encoding="utf-8") as file:
76+
self.payload: Dict[str, Any] = json.load(file)
77+
except KeyError as ex:
78+
raise EnvironmentError("GitHub env not found.") from ex
7879

7980
def to_dict(self) -> Dict[str, Any]:
8081
"""
81-
Convert the GithubEvent instance to a dictionary.
82+
Convert the GitHubEvent instance to a dictionary.
8283
8384
Returns:
84-
dict: A dictionary containing the attributes of the GithubEvent instance.
85+
dict: A dictionary containing the attributes of the GitHubEvent instance.
8586
"""
8687
return {
8788
attr: getattr(self, attr)

‎github_actions/action/run.py

+212
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,212 @@
1+
"""
2+
This module runs the actions based on GitHub events, specifically for push,
3+
pull_request and pull_request_target events.
4+
"""
5+
6+
import os
7+
import subprocess
8+
import sys
9+
from math import ceil
10+
from typing import Iterable, List, Optional, Tuple, cast
11+
12+
from .event import GitHubEvent
13+
from .utils import (
14+
get_boolean_input,
15+
get_input,
16+
request_github_api,
17+
write_line_to_file,
18+
write_output,
19+
)
20+
21+
# Events
22+
EVENT_PUSH = "push"
23+
EVENT_PULL_REQUEST = "pull_request"
24+
EVENT_PULL_REQUEST_TARGET = "pull_request_target"
25+
26+
# Inputs
27+
INPUT_TOKEN = "token"
28+
INPUT_FAIL_ON_ERROR = "fail_on_error"
29+
INPUT_VERBOSE = "verbose"
30+
31+
# Status
32+
STATUS_SUCCESS = "success"
33+
STATUS_FAILURE = "failure"
34+
35+
MAX_PR_COMMITS = 250
36+
37+
38+
def get_push_commit_messages(event: GitHubEvent) -> Iterable[str]:
39+
"""
40+
Return push commits.
41+
42+
Args:
43+
event (GitHubEvent): An instance of the GitHubEvent class representing
44+
the GitHub event.
45+
46+
Returns:
47+
List[str]: List of github commits.
48+
"""
49+
return (commit_data["message"] for commit_data in event.payload["commits"])
50+
51+
52+
def get_pr_commit_messages(event: GitHubEvent) -> Iterable[str]:
53+
"""
54+
Return PR commits.
55+
56+
Args:
57+
event (GitHubEvent): An instance of the GitHubEvent class representing
58+
the GitHub event.
59+
60+
Returns:
61+
List[str]: List of github commits.
62+
"""
63+
token = get_input(INPUT_TOKEN)
64+
repo = event.repository
65+
pr_number: int = event.payload["number"]
66+
total_commits: int = event.payload["pull_request"]["commits"]
67+
68+
if total_commits > MAX_PR_COMMITS:
69+
sys.exit(
70+
"::error:: GitHub API doesn't support PRs with more than "
71+
f"{MAX_PR_COMMITS} commits.\n"
72+
"Please refer to "
73+
"https://docs.github.com/en/rest/pulls/pulls"
74+
"?apiVersion=2022-11-28#list-commits-on-a-pull-request"
75+
)
76+
77+
# pagination
78+
per_page = 50
79+
total_page = ceil(total_commits / per_page)
80+
81+
commits: List[str] = []
82+
for page in range(1, total_page + 1):
83+
status, data = request_github_api(
84+
method="GET",
85+
url=f"/repos/{repo}/pulls/{pr_number}/commits",
86+
token=token,
87+
params={"per_page": per_page, "page": page},
88+
)
89+
90+
if status != 200:
91+
sys.exit(f"::error::Github API failed with status code {status}")
92+
93+
commits.extend(commit_data["commit"]["message"] for commit_data in data)
94+
95+
return commits
96+
97+
98+
def run_commitlint(commit_message: str) -> Tuple[bool, Optional[str]]:
99+
"""
100+
Run the commitlint for the given commit message.
101+
102+
Args:
103+
commit_message (str): A commit message to check with commitlint.
104+
105+
Returns:
106+
Tuple[bool, Optional[str]]: A tuple with the success status as the first
107+
element and error message as the second element.
108+
"""
109+
110+
try:
111+
commands = ["commitlint", commit_message, "--hide-input"]
112+
113+
verbose = get_boolean_input(INPUT_VERBOSE)
114+
if verbose:
115+
commands.append("--verbose")
116+
117+
output = subprocess.check_output(commands, text=True, stderr=subprocess.PIPE)
118+
if output:
119+
sys.stdout.write(f"{output}")
120+
121+
return True, None
122+
except subprocess.CalledProcessError as error:
123+
if error.stdout:
124+
sys.stdout.write(f"{error.stdout}")
125+
126+
return False, str(error.stderr)
127+
128+
129+
def check_commit_messages(commit_messages: Iterable[str]) -> None:
130+
"""
131+
Check the commit messages and create outputs for GitHub Actions.
132+
133+
Args:
134+
commit_messages (Iterable[str]): List of commit messages to check.
135+
136+
Raises:
137+
SystemExit: If any of the commit messages is invalid.
138+
"""
139+
failed_commits_count = 0
140+
141+
for commit_message in commit_messages:
142+
commit_message_header = commit_message.split("\n")[0]
143+
sys.stdout.write(f"\n{commit_message_header}\n")
144+
145+
success, error = run_commitlint(commit_message)
146+
if success:
147+
continue
148+
149+
error = (
150+
cast(str, error)
151+
.replace("%", "%25")
152+
.replace("\r", "%0D")
153+
.replace("\n", "%0A")
154+
)
155+
sys.stdout.write(f"::error title={commit_message_header}::{error}")
156+
failed_commits_count += 1
157+
158+
# GitHub step summary path
159+
github_step_summary = os.environ["GITHUB_STEP_SUMMARY"]
160+
161+
if failed_commits_count == 0:
162+
# success
163+
write_line_to_file(github_step_summary, "commitlint: All commits passed!")
164+
write_output("status", STATUS_SUCCESS)
165+
write_output("exit_code", 0)
166+
return
167+
168+
# failure
169+
write_line_to_file(
170+
github_step_summary, f"commitlint: {failed_commits_count} commit(s) failed!"
171+
)
172+
write_output("status", STATUS_FAILURE)
173+
write_output("exit_code", 1)
174+
fail_on_error = get_boolean_input(INPUT_FAIL_ON_ERROR)
175+
if fail_on_error:
176+
sys.exit(1)
177+
178+
179+
def _handle_pr_event(event: GitHubEvent) -> None:
180+
"""
181+
Handle pull_request GitHub event.
182+
183+
Args:
184+
event (GitHubEvent): An instance of the GitHubEvent class representing
185+
the GitHub event.
186+
"""
187+
commit_messages = get_pr_commit_messages(event)
188+
check_commit_messages(commit_messages)
189+
190+
191+
def _handle_push_event(event: GitHubEvent) -> None:
192+
"""
193+
Handle push GitHub event.
194+
195+
Args:
196+
event (GitHubEvent): An instance of the GitHubEvent class representing
197+
the GitHub event.
198+
"""
199+
commit_messages = get_push_commit_messages(event)
200+
check_commit_messages(commit_messages)
201+
202+
203+
def run_action() -> None:
204+
"""Run commitlint action"""
205+
event = GitHubEvent()
206+
207+
if event.event_name == EVENT_PUSH:
208+
_handle_push_event(event)
209+
elif event.event_name in (EVENT_PULL_REQUEST, EVENT_PULL_REQUEST_TARGET):
210+
_handle_pr_event(event)
211+
else:
212+
sys.stdout.write(f"Skipping for event {event.event_name}\n")

‎github_actions/action/utils.py

+123
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,123 @@
1+
"""Utility functions for GitHub Actions"""
2+
3+
import http.client
4+
import json
5+
import os
6+
import urllib.parse
7+
from typing import Any, Dict, Optional, Tuple, Union
8+
9+
10+
def get_input(key: str) -> str:
11+
"""
12+
Read the GitHub action input.
13+
14+
Args:
15+
key (str): Input key.
16+
17+
Returns:
18+
str: The value of the input.
19+
"""
20+
key = key.upper()
21+
return os.environ[f"INPUT_{key}"]
22+
23+
24+
def get_boolean_input(key: str) -> bool:
25+
"""
26+
Parse the input environment key of boolean type in the YAML 1.2
27+
"core schema" specification.
28+
Support boolean input list:
29+
`true | True | TRUE | false | False | FALSE`.
30+
ref: https://yaml.org/spec/1.2/spec.html#id2804923
31+
32+
Args:
33+
key (str): Input key.
34+
35+
Returns:
36+
bool: The parsed boolean value.
37+
38+
Raises:
39+
TypeError: If the environment variable's value does not meet the
40+
YAML 1.2 "core schema" specification for booleans.
41+
"""
42+
val = get_input(key)
43+
44+
if val.upper() == "TRUE":
45+
return True
46+
47+
if val.upper() == "FALSE":
48+
return False
49+
50+
raise TypeError(
51+
"""
52+
Input does not meet YAML 1.2 "Core Schema" specification.\n'
53+
Support boolean input list:
54+
`true | True | TRUE | false | False | FALSE`.
55+
"""
56+
)
57+
58+
59+
def write_line_to_file(filepath: str, line: str) -> None:
60+
"""
61+
Write line to a specified filepath.
62+
63+
Args:
64+
filepath (str): The path of the file.
65+
line (str): The Line to write in the file.
66+
"""
67+
with open(file=filepath, mode="a", encoding="utf-8") as output_file:
68+
output_file.write(f"{line}\n")
69+
70+
71+
def write_output(name: str, value: Union[str, int]) -> None:
72+
"""
73+
Write an output to the GitHub Actions environment.
74+
75+
Args:
76+
name (str): The name of the output variable.
77+
value (Union[str, int]): The value to be assigned to the output variable.
78+
"""
79+
output_filepath = os.environ["GITHUB_OUTPUT"]
80+
write_line_to_file(output_filepath, f"{name}={value}")
81+
82+
83+
def request_github_api(
84+
method: str,
85+
url: str,
86+
token: str,
87+
body: Optional[Dict[str, Any]] = None,
88+
params: Optional[Dict[str, Any]] = None,
89+
) -> Tuple[int, Any]:
90+
"""
91+
Sends a request to the GitHub API.
92+
93+
Args:
94+
method (str): The HTTP request method, e.g., "GET" or "POST".
95+
url (str): The endpoint URL for the GitHub API.
96+
token (str): The GitHub API token for authentication.
97+
body (Optional[Dict[str, Any]]): The request body as a dictionary.
98+
params (Optional[Dict[str, str]]): The query parameters as a dictionary.
99+
100+
Returns:
101+
Tuple[int, Any]: A tuple with the status as the first element and the response
102+
data as the second element.
103+
104+
"""
105+
if params:
106+
url += "?" + urllib.parse.urlencode(params)
107+
108+
conn = http.client.HTTPSConnection(host="api.github.com")
109+
conn.request(
110+
method=method,
111+
url=url,
112+
body=json.dumps(body) if body else None,
113+
headers={
114+
"Authorization": f"Bearer {token}",
115+
"Content-Type": "application/json",
116+
"User-Agent": "commitlint",
117+
},
118+
)
119+
res = conn.getresponse()
120+
json_data = res.read().decode("utf-8")
121+
data = json.loads(json_data)
122+
123+
return res.status, data

‎github_actions/run.py

-187
This file was deleted.

‎src/commitlint/cli.py

+42-14
Original file line numberDiff line numberDiff line change
@@ -66,6 +66,14 @@ def get_args() -> argparse.Namespace:
6666
action="store_true",
6767
help="Skip the detailed error message check",
6868
)
69+
# --hide-input: specifically created for Github Actions
70+
# and is ignored from documentation.
71+
parser.add_argument(
72+
"--hide-input",
73+
action="store_true",
74+
help="Hide input from stdout",
75+
default=False,
76+
)
6977

7078
output_group = parser.add_mutually_exclusive_group(required=False)
7179
# --quiet option is optional
@@ -93,7 +101,10 @@ def get_args() -> argparse.Namespace:
93101

94102

95103
def _show_errors(
96-
commit_message: str, errors: List[str], skip_detail: bool = False
104+
commit_message: str,
105+
errors: List[str],
106+
skip_detail: bool = False,
107+
hide_input: bool = False,
97108
) -> None:
98109
"""
99110
Display a formatted error message for a list of errors.
@@ -102,12 +113,14 @@ def _show_errors(
102113
commit_message (str): The commit message to display.
103114
errors (List[str]): A list of error messages to be displayed.
104115
skip_detail (bool): Whether to skip the detailed error message.
116+
hide_input (bool): Hide input from stdout/stderr.
105117
"""
106118
error_count = len(errors)
107119

108120
commit_message = remove_diff_from_commit_message(commit_message)
109121

110-
console.error(f"⧗ Input:\n{commit_message}\n")
122+
if not hide_input:
123+
console.error(f"⧗ Input:\n{commit_message}\n")
111124

112125
if skip_detail:
113126
console.error(VALIDATION_FAILED)
@@ -140,14 +153,18 @@ def _get_commit_message_from_file(filepath: str) -> str:
140153

141154

142155
def _handle_commit_message(
143-
commit_message: str, skip_detail: bool, strip_comments: bool = False
156+
commit_message: str,
157+
skip_detail: bool,
158+
hide_input: bool,
159+
strip_comments: bool = False,
144160
) -> None:
145161
"""
146162
Handles a single commit message, checks its validity, and prints the result.
147163
148164
Args:
149165
commit_message (str): The commit message to be handled.
150166
skip_detail (bool): Whether to skip the detailed error linting.
167+
hide_input (bool): Hide input from stdout/stderr.
151168
strip_comments (bool, optional): Whether to remove comments from the
152169
commit message (default is False).
153170
@@ -160,19 +177,21 @@ def _handle_commit_message(
160177
console.success(VALIDATION_SUCCESSFUL)
161178
return
162179

163-
_show_errors(commit_message, errors, skip_detail)
180+
_show_errors(commit_message, errors, skip_detail, hide_input)
164181
sys.exit(1)
165182

166183

167184
def _handle_multiple_commit_messages(
168-
commit_messages: List[str], skip_detail: bool
185+
commit_messages: List[str], skip_detail: bool, hide_input: bool
169186
) -> None:
170187
"""
171188
Handles multiple commit messages, checks their validity, and prints the result.
172189
173190
Args:
174191
commit_messages (List[str]): List of commit messages to be handled.
175192
skip_detail (bool): Whether to skip the detailed error linting.
193+
hide_input (bool): Hide input from stdout/stderr.
194+
176195
Raises:
177196
SystemExit: If any of the commit messages is invalid.
178197
"""
@@ -185,7 +204,7 @@ def _handle_multiple_commit_messages(
185204
continue
186205

187206
has_error = True
188-
_show_errors(commit_message, errors, skip_detail)
207+
_show_errors(commit_message, errors, skip_detail, hide_input)
189208
console.error("")
190209

191210
if has_error:
@@ -207,27 +226,36 @@ def main() -> None:
207226
console.verbose("starting commitlint")
208227
try:
209228
if args.file:
210-
console.verbose("checking commit from file")
229+
console.verbose("commit message source: file")
211230
commit_message = _get_commit_message_from_file(args.file)
212231
_handle_commit_message(
213-
commit_message, skip_detail=args.skip_detail, strip_comments=True
232+
commit_message,
233+
skip_detail=args.skip_detail,
234+
hide_input=args.hide_input,
235+
strip_comments=True,
214236
)
215237
elif args.hash:
216-
console.verbose("checking commit from hash")
238+
console.verbose("commit message source: hash")
217239
commit_message = get_commit_message_of_hash(args.hash)
218-
_handle_commit_message(commit_message, skip_detail=args.skip_detail)
240+
_handle_commit_message(
241+
commit_message, skip_detail=args.skip_detail, hide_input=args.hide_input
242+
)
219243
elif args.from_hash:
220-
console.verbose("checking commit from hash range")
244+
console.verbose("commit message source: hash range")
221245
commit_messages = get_commit_messages_of_hash_range(
222246
args.from_hash, args.to_hash
223247
)
224248
_handle_multiple_commit_messages(
225-
commit_messages, skip_detail=args.skip_detail
249+
commit_messages,
250+
skip_detail=args.skip_detail,
251+
hide_input=args.hide_input,
226252
)
227253
else:
228-
console.verbose("checking commit message")
254+
console.verbose("commit message source: direct message")
229255
commit_message = args.commit_message.strip()
230-
_handle_commit_message(commit_message, skip_detail=args.skip_detail)
256+
_handle_commit_message(
257+
commit_message, skip_detail=args.skip_detail, hide_input=args.hide_input
258+
)
231259
except CommitlintException as ex:
232260
console.error(f"{ex}")
233261
sys.exit(1)

‎tests/test_cli.py

+73-125
Original file line numberDiff line numberDiff line change
@@ -1,7 +1,7 @@
11
# type: ignore
22
# pylint: disable=all
33

4-
from unittest.mock import MagicMock, call, mock_open, patch
4+
from unittest.mock import Mock, call, mock_open, patch
55

66
import pytest
77

@@ -15,12 +15,30 @@
1515
)
1616

1717

18+
class ArgsMock(Mock):
19+
"""
20+
Args Mock, used for mocking CLI arguments.
21+
Main purpose: returns `None` instead of `Mock` if attribute is not assigned.
22+
23+
```
24+
arg = ArgsMock(value1=10)
25+
arg.value1 # 10
26+
arg.value2 # None
27+
```
28+
"""
29+
30+
def __getattr__(self, name):
31+
if name in self.__dict__:
32+
return self.__dict__[name]
33+
return None
34+
35+
1836
class TestCLIGetArgs:
1937
# get_args
2038

2139
@patch(
2240
"argparse.ArgumentParser.parse_args",
23-
return_value=MagicMock(
41+
return_value=ArgsMock(
2442
commit_message="commit message",
2543
file=None,
2644
hash=None,
@@ -38,15 +56,15 @@ def test__get_args__with_commit_message(self, *_):
3856

3957
@patch(
4058
"argparse.ArgumentParser.parse_args",
41-
return_value=MagicMock(file="path/to/file.txt"),
59+
return_value=ArgsMock(file="path/to/file.txt"),
4260
)
4361
def test__get_args__with_file(self, *_):
4462
args = get_args()
4563
assert args.file == "path/to/file.txt"
4664

4765
@patch(
4866
"argparse.ArgumentParser.parse_args",
49-
return_value=MagicMock(hash="commit_hash", file=None),
67+
return_value=ArgsMock(hash="commit_hash", file=None),
5068
)
5169
def test__get_args__with_hash(self, *_):
5270
args = get_args()
@@ -55,7 +73,7 @@ def test__get_args__with_hash(self, *_):
5573

5674
@patch(
5775
"argparse.ArgumentParser.parse_args",
58-
return_value=MagicMock(from_hash="from_commit_hash", file=None, hash=None),
76+
return_value=ArgsMock(from_hash="from_commit_hash", file=None, hash=None),
5977
)
6078
def test__get_args__with_from_hash(self, *_):
6179
args = get_args()
@@ -65,7 +83,7 @@ def test__get_args__with_from_hash(self, *_):
6583

6684
@patch(
6785
"argparse.ArgumentParser.parse_args",
68-
return_value=MagicMock(
86+
return_value=ArgsMock(
6987
from_hash="from_commit_hash", to_hash="to_commit_hash", file=None, hash=None
7088
),
7189
)
@@ -78,12 +96,20 @@ def test__get_args__with_to_hash(self, *_):
7896

7997
@patch(
8098
"argparse.ArgumentParser.parse_args",
81-
return_value=MagicMock(skip_detail=True),
99+
return_value=ArgsMock(skip_detail=True),
82100
)
83101
def test__get_args__with_skip_detail(self, *_):
84102
args = get_args()
85103
assert args.skip_detail is True
86104

105+
@patch(
106+
"argparse.ArgumentParser.parse_args",
107+
return_value=ArgsMock(hide_input=True),
108+
)
109+
def test__get_args__with_hide_input(self, *_):
110+
args = get_args()
111+
assert args.hide_input is True
112+
87113

88114
@patch("commitlint.console.success")
89115
@patch("commitlint.console.error")
@@ -92,15 +118,7 @@ class TestCLIMain:
92118

93119
@patch(
94120
"commitlint.cli.get_args",
95-
return_value=MagicMock(
96-
commit_message="feat: valid commit message",
97-
file=None,
98-
hash=None,
99-
from_hash=None,
100-
skip_detail=False,
101-
quiet=False,
102-
verbose=False,
103-
),
121+
return_value=ArgsMock(commit_message="feat: valid commit message"),
104122
)
105123
def test__main__valid_commit_message(
106124
self, _mock_get_args, _mock_output_error, mock_output_success
@@ -110,14 +128,8 @@ def test__main__valid_commit_message(
110128

111129
@patch(
112130
"commitlint.cli.get_args",
113-
return_value=MagicMock(
114-
commit_message="feat: valid commit message",
115-
file=None,
116-
hash=None,
117-
from_hash=None,
118-
skip_detail=True,
119-
quiet=False,
120-
verbose=False,
131+
return_value=ArgsMock(
132+
commit_message="feat: valid commit message", skip_detail=True
121133
),
122134
)
123135
def test__main__valid_commit_message_using_skip_detail(
@@ -128,15 +140,7 @@ def test__main__valid_commit_message_using_skip_detail(
128140

129141
@patch(
130142
"commitlint.cli.get_args",
131-
return_value=MagicMock(
132-
commit_message="Invalid commit message",
133-
file=None,
134-
hash=None,
135-
from_hash=None,
136-
skip_detail=False,
137-
quiet=False,
138-
verbose=False,
139-
),
143+
return_value=ArgsMock(commit_message="Invalid commit message"),
140144
)
141145
def test__main__invalid_commit_message(
142146
self, _mock_get_args, mock_output_error, _mock_output_success
@@ -153,14 +157,8 @@ def test__main__invalid_commit_message(
153157

154158
@patch(
155159
"commitlint.cli.get_args",
156-
return_value=MagicMock(
157-
commit_message="Invalid commit message",
158-
file=None,
159-
hash=None,
160-
from_hash=None,
161-
skip_detail=True,
162-
quiet=False,
163-
verbose=False,
160+
return_value=ArgsMock(
161+
commit_message="Invalid commit message", skip_detail=True
164162
),
165163
)
166164
def test__main__invalid_commit_message_using_skip_detail(
@@ -176,11 +174,27 @@ def test__main__invalid_commit_message_using_skip_detail(
176174
]
177175
)
178176

177+
@patch(
178+
"commitlint.cli.get_args",
179+
return_value=ArgsMock(commit_message="Invalid commit message", hide_input=True),
180+
)
181+
def test__main__invalid_commit_message_with_hide_input_True(
182+
self, _mock_get_args, mock_output_error, _mock_output_success
183+
):
184+
with pytest.raises(SystemExit):
185+
main()
186+
mock_output_error.assert_has_calls(
187+
[
188+
call("✖ Found 1 error(s)."),
189+
call(f"- {INCORRECT_FORMAT_ERROR}"),
190+
]
191+
)
192+
179193
# main: file
180194

181195
@patch(
182196
"commitlint.cli.get_args",
183-
return_value=MagicMock(file="path/to/file.txt", skip_detail=False, quiet=False),
197+
return_value=ArgsMock(file="path/to/file.txt"),
184198
)
185199
@patch("builtins.open", mock_open(read_data="feat: valid commit message"))
186200
def test__main__valid_commit_message_with_file(
@@ -191,7 +205,7 @@ def test__main__valid_commit_message_with_file(
191205

192206
@patch(
193207
"commitlint.cli.get_args",
194-
return_value=MagicMock(file="path/to/file.txt", skip_detail=False, quiet=False),
208+
return_value=ArgsMock(file="path/to/file.txt"),
195209
)
196210
@patch(
197211
"builtins.open",
@@ -205,7 +219,7 @@ def test__main__valid_commit_message_and_comments_with_file(
205219

206220
@patch(
207221
"commitlint.cli.get_args",
208-
return_value=MagicMock(file="path/to/file.txt", skip_detail=False, quiet=False),
222+
return_value=ArgsMock(file="path/to/file.txt"),
209223
)
210224
@patch("builtins.open", mock_open(read_data="Invalid commit message 2"))
211225
def test__main__invalid_commit_message_with_file(
@@ -226,9 +240,7 @@ def test__main__invalid_commit_message_with_file(
226240

227241
@patch(
228242
"commitlint.cli.get_args",
229-
return_value=MagicMock(
230-
file=None, hash="commit_hash", skip_detail=False, quiet=False
231-
),
243+
return_value=ArgsMock(hash="commit_hash"),
232244
)
233245
@patch("commitlint.cli.get_commit_message_of_hash")
234246
def test__main__valid_commit_message_with_hash(
@@ -244,9 +256,7 @@ def test__main__valid_commit_message_with_hash(
244256

245257
@patch(
246258
"commitlint.cli.get_args",
247-
return_value=MagicMock(
248-
file=None, hash="commit_hash", skip_detail=False, quiet=False
249-
),
259+
return_value=ArgsMock(hash="commit_hash"),
250260
)
251261
@patch("commitlint.cli.get_commit_message_of_hash")
252262
def test__main__invalid_commit_message_with_hash(
@@ -273,15 +283,7 @@ def test__main__invalid_commit_message_with_hash(
273283

274284
@patch(
275285
"commitlint.cli.get_args",
276-
return_value=MagicMock(
277-
file=None,
278-
hash=None,
279-
from_hash="start_commit_hash",
280-
to_hash="end_commit_hash",
281-
skip_detail=False,
282-
quiet=False,
283-
verbose=False,
284-
),
286+
return_value=ArgsMock(from_hash="start_commit_hash", to_hash="end_commit_hash"),
285287
)
286288
@patch("commitlint.cli.get_commit_messages_of_hash_range")
287289
def test__main__valid_commit_message_with_hash_range(
@@ -300,14 +302,8 @@ def test__main__valid_commit_message_with_hash_range(
300302

301303
@patch(
302304
"commitlint.cli.get_args",
303-
return_value=MagicMock(
304-
file=None,
305-
hash=None,
306-
from_hash="invalid_start_hash",
307-
to_hash="end_commit_hash",
308-
skip_detail=False,
309-
quiet=False,
310-
verbose=False,
305+
return_value=ArgsMock(
306+
from_hash="invalid_start_hash", to_hash="end_commit_hash"
311307
),
312308
)
313309
@patch("commitlint.cli.get_commit_messages_of_hash_range")
@@ -330,9 +326,7 @@ def test__main__invalid_commit_message_with_hash_range(
330326

331327
@patch(
332328
"argparse.ArgumentParser.parse_args",
333-
return_value=MagicMock(
334-
commit_message="feat: commit message", file=None, hash=None, from_hash=None
335-
),
329+
return_value=ArgsMock(commit_message="feat: commit message"),
336330
)
337331
@patch(
338332
"commitlint.cli.lint_commit_message",
@@ -355,15 +349,7 @@ def test__main__handle_exceptions(
355349

356350
@patch(
357351
"commitlint.cli.get_args",
358-
return_value=MagicMock(
359-
commit_message="feat: test commit",
360-
file=None,
361-
hash=None,
362-
from_hash=None,
363-
skip_detail=False,
364-
quiet=True,
365-
verbose=False,
366-
),
352+
return_value=ArgsMock(commit_message="feat: test commit", quiet=True),
367353
)
368354
def test__main__sets_config_for_quiet(
369355
self,
@@ -378,15 +364,7 @@ def test__main__sets_config_for_quiet(
378364

379365
@patch(
380366
"commitlint.cli.get_args",
381-
return_value=MagicMock(
382-
commit_message="feat: test commit",
383-
file=None,
384-
hash=None,
385-
from_hash=None,
386-
skip_detail=False,
387-
quiet=False,
388-
verbose=True,
389-
),
367+
return_value=ArgsMock(commit_message="feat: test commit", verbose=True),
390368
)
391369
def test__main__sets_config_for_verbose(
392370
self,
@@ -399,9 +377,7 @@ def test__main__sets_config_for_verbose(
399377

400378
@patch(
401379
"commitlint.cli.get_args",
402-
return_value=MagicMock(
403-
file="path/to/non_existent_file.txt", skip_detail=False, quiet=False
404-
),
380+
return_value=ArgsMock(file="path/to/non_existent_file.txt"),
405381
)
406382
def test__main__with_missing_file(
407383
self, _mock_get_args, _mock_output_error, mock_output_success
@@ -419,15 +395,7 @@ class TestCLIMainQuiet:
419395

420396
@patch(
421397
"commitlint.cli.get_args",
422-
return_value=MagicMock(
423-
commit_message="Invalid commit message",
424-
file=None,
425-
hash=None,
426-
from_hash=None,
427-
skip_detail=False,
428-
quiet=True,
429-
verbose=False,
430-
),
398+
return_value=ArgsMock(commit_message="Invalid commit message", quiet=True),
431399
)
432400
@patch("sys.stdout.write")
433401
@patch("sys.stderr.write")
@@ -442,15 +410,7 @@ def test__main__quiet_option_with_invalid_commit_message(
442410

443411
@patch(
444412
"commitlint.cli.get_args",
445-
return_value=MagicMock(
446-
commit_message="feat: valid commit message",
447-
file=None,
448-
hash=None,
449-
from_hash=None,
450-
skip_detail=False,
451-
quiet=True,
452-
verbose=False,
453-
),
413+
return_value=ArgsMock(commit_message="feat: valid commit message", quiet=True),
454414
)
455415
@patch("sys.stdout.write")
456416
@patch("sys.stderr.write")
@@ -463,14 +423,8 @@ def test__main__quiet_option_with_valid_commit_message(
463423

464424
@patch(
465425
"commitlint.cli.get_args",
466-
return_value=MagicMock(
467-
file=None,
468-
hash=None,
469-
from_hash="start_commit_hash",
470-
to_hash="end_commit_hash",
471-
skip_detail=False,
472-
quiet=True,
473-
verbose=False,
426+
return_value=ArgsMock(
427+
from_hash="start_commit_hash", to_hash="end_commit_hash", quiet=True
474428
),
475429
)
476430
@patch("commitlint.cli.get_commit_messages_of_hash_range")
@@ -487,14 +441,8 @@ def test__valid_commit_message_with_hash_range_in_quiet(
487441

488442
@patch(
489443
"commitlint.cli.get_args",
490-
return_value=MagicMock(
491-
file=None,
492-
hash=None,
493-
from_hash="start_commit_hash",
494-
to_hash="end_commit_hash",
495-
skip_detail=False,
496-
quiet=True,
497-
verbose=False,
444+
return_value=ArgsMock(
445+
from_hash="start_commit_hash", to_hash="end_commit_hash", quiet=True
498446
),
499447
)
500448
@patch("commitlint.cli.get_commit_messages_of_hash_range")

0 commit comments

Comments
 (0)
Please sign in to comment.