-
Notifications
You must be signed in to change notification settings - Fork 6
/
Copy pathcli.py
148 lines (119 loc) · 5.61 KB
/
cli.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
"""Module compliance_suite.cli.py
This module is the entry point for the compliance suite and contains a CLI functionality
"""
import os
from pathlib import Path
import re
from typing import (
Any,
List
)
import click
from compliance_suite.functions.log import logger
from compliance_suite.job_runner import JobRunner
from compliance_suite.report_server import ReportServer
from compliance_suite.suite_validator import SuiteValidator
@click.group()
def main() -> None:
pass
def validate_regex(ctx: Any, param: Any, value: List[str]):
"""Validate the regex for CLI arguments
Args:
ctx: The current click context
param: The click parameter
value: The value to validate
Returns:
The validated value if it passes the regular expression pattern.
"""
regex_pattern: str = r"^[a-zA-Z0-9_]+$"
if not value or all(re.fullmatch(regex_pattern, val) for val in value):
return value
else:
raise click.BadParameter("Only letters (a-z, A-Z), digits (0-9) and underscores (_) are allowed.")
# def update_path(ctx: Any, param: Any, value: List[str]):
# """Update the test path wrt GitHub workspace
#
# Args:
# ctx: The current click context
# param: The click parameter
# value: The value to validate
#
# Returns:
# The updated value with correct file path inside GitHub workspace
# """
#
# modified_value = ["tmp/testdir/" + path for path in value]
# return modified_value
@main.command(help='Validate compliance tests')
def validate() -> None:
"""Validate the test suite"""
logger.info("Initiate test suite validation")
SuiteValidator.validate()
logger.info("Test suite validation finished")
@main.command(help='Run API compliance tests against the servers')
@click.option('--server', '-s', required=True, type=str, prompt="Enter server",
help='server URL on which the compliance tests are run. Format - https://<url>/')
@click.option('--version', '-v', required=True, type=str, prompt="Enter version",
help='API version. Example - "1.0.0"')
@click.option('--include-tags', '-i', 'include_tags', multiple=True,
help='run tests for provided tags', callback=validate_regex)
@click.option('--exclude-tags', '-e', 'exclude_tags', multiple=True,
help='skip tests for provided tags', callback=validate_regex)
@click.option('--test-path', '-tp', 'test_path', multiple=True,
help='the absolute or relative path of the tests to be run', default=["tests"])
# @click.option('--test-path', '-tp', 'test_path', multiple=True,
# help='the absolute or relative path of the tests to be run', default=["tests"], callback=update_path)
@click.option('--output_path', '-o', help='the absolute directory path to store the JSON report')
@click.option('--serve', default=False, is_flag=True, help='spin up a server')
@click.option('--port', default=15800, help='port at which the compliance report is served')
@click.option('--uptime', '-u', default=3600, help='time that server will remain up in seconds')
def report(server: str,
version: str,
include_tags: List[str],
exclude_tags: List[str],
test_path: List[str],
output_path: str,
serve: bool,
port: int,
uptime: int) -> None:
""" Program entrypoint called via "report" in CLI.
Run the compliance suite for the given tags.
Args:
server (str): The server URL on which the compliance suite will be run. Format - https://<url>/
version (str): The compliance suite will be run against this API version. Example - "1.0.0"
include_tags (List[str]): The list of the tags for which the compliance suite will be run.
exclude_tags (List[str]): The list of the tags for which the compliance suite will not be run.
test_path: The list of absolute or relative paths from the project root of the test file/directory.
Default - ["tests"]
output_path (str): The absolute directory path to store the JSON compliance report
serve (bool): If true, runs a local server and displays the JSON report in webview
port (int): Set the local server port. Default - 16800
uptime (int): The local server duration in seconds. Default - 3600 seconds
"""
for path in test_path:
if not Path(path).exists():
raise FileNotFoundError(f"Test path: {path} not found. Please provide a valid path.")
# Convert the tags into lowercase to allow case-insensitive tags
include_tags = [val.lower() for val in include_tags]
exclude_tags = [val.lower() for val in exclude_tags]
logger.info(f"Provided server: {server} version: {version}")
logger.info(f"Provided tags - include: {include_tags} exclude: {exclude_tags}")
logger.info(f"Provided test path: {test_path}")
job_runner = JobRunner(server, version)
job_runner.set_tags(include_tags, exclude_tags)
job_runner.set_test_path(test_path)
job_runner.run_jobs()
json_report = job_runner.generate_report()
# Store the report in given output path
if output_path is not None:
logger.info(f"Writing JSON Report on directory {output_path}")
with open(os.path.join(output_path, "report.json"), "w+") as output:
output.write(json_report)
# Writing a report copy to web dir for local server
with open(os.path.join(os.getcwd(), "web_report.json"), "w+") as output:
output.write(json_report)
if serve is True:
report_server = ReportServer(os.getcwd())
report_server.serve_thread(port, uptime)
if __name__ == "__main__":
main()