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 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353
|
#!/usr/bin/python3
import argparse
import collections
import json
import os
import yaml
# NOTE: This is not to be confused with the https://pypi.org/project/ssg/
# package. The ssg package we're referencing here is actually a relative import
# within this repository. Because of this, you need to ensure
# ComplianceAsCode/content/ssg is discoverable from PYTHONPATH before you
# invoke this script.
try:
from ssg import controls
import ssg.products
except ModuleNotFoundError as e:
# NOTE: Only emit this message if we're dealing with an import error for
# ssg. Since the local ssg module imports other things, like PyYAML, we
# don't want to emit misleading errors for legit dependencies issues if the
# user hasn't installed PyYAML or other transitive dependencies from ssg.
# We should revisit this if or when we decide to implement a python package
# management strategy for the python scripts provided in this repository.
if e.name == 'ssg':
msg = """Unable to import local 'ssg' module.
The 'ssg' package from within this repository must be discoverable before
invoking this script. Make sure the top-level directory of the
ComplianceAsCode/content repository is available in the PYTHONPATH environment
variable (example: $ export PYTHONPATH=($pwd)).
HINT: $ source .pyenv.sh
"""
raise RuntimeError(msg) from e
raise
SSG_ROOT = os.path.abspath(os.path.join(os.path.dirname(__file__), ".."))
def print_options(opts):
if len(opts) > 0:
print("Available options are:\n - " + "\n - ".join(opts))
else:
print("The controls file is not written appropriately.")
def validate_args(ctrlmgr, args):
""" Validates that the appropriate args were given
and that they're valid entries in the control manager."""
policy = None
try:
policy = ctrlmgr._get_policy(args.id)
except ValueError as e:
print("Error:", e)
print_options(ctrlmgr.policies.keys())
exit(1)
try:
policy.get_level_with_ancestors_sequence(args.level)
except ValueError as e:
print("Error:", e)
print_options(policy.levels_by_id.keys())
exit(1)
def get_available_products():
products_dir = os.path.join(SSG_ROOT, "products")
try:
return os.listdir(products_dir)
except Exception as e:
print(e)
exit(1)
def validate_product(product):
products = get_available_products()
if product not in products:
print(f"Error: Product '{product}' is not valid.")
print_options(products)
exit(1)
def get_parameter_from_yaml(yaml_file: str, section: str) -> list:
with open(yaml_file, 'r') as file:
try:
yaml_content = yaml.safe_load(file)
return yaml_content.get(section, [])
except yaml.YAMLError as e:
print(e)
def get_controls_from_profiles(controls: list, profiles_files: list, used_controls: set) -> set:
for file in profiles_files:
selections = get_parameter_from_yaml(file, 'selections')
for selection in selections:
if any(selection.startswith(control) for control in controls):
used_controls.add(selection.split(':')[0])
return used_controls
def get_controls_used_by_products(ctrls_mgr: controls.ControlsManager, products: list) -> list:
used_controls = set()
controls = ctrls_mgr.policies.keys()
for product in products:
profiles_files = get_product_profiles_files(product)
used_controls = get_controls_from_profiles(controls, profiles_files, used_controls)
return used_controls
def get_policy_levels(ctrls_mgr: object, control_id: str) -> list:
policy = ctrls_mgr._get_policy(control_id)
return policy.levels_by_id.keys()
def get_product_dir(product):
validate_product(product)
return os.path.join(SSG_ROOT, "products", product)
def get_product_profiles_files(product: str) -> list:
product_yaml = load_product_yaml(product)
return ssg.products.get_profile_files_from_root(product_yaml, product_yaml)
def get_product_yaml(product):
product_dir = get_product_dir(product)
product_yml = os.path.join(product_dir, "product.yml")
if os.path.exists(product_yml):
return product_yml
print(f"'{product_yml}' file was not found.")
exit(1)
def load_product_yaml(product: str) -> yaml:
product_yaml = get_product_yaml(product)
return ssg.products.load_product_yaml(product_yaml)
def load_controls_manager(controls_dir: str, product: str) -> object:
product_yaml = load_product_yaml(product)
ctrls_mgr = controls.ControlsManager(controls_dir, product_yaml)
ctrls_mgr.load()
return ctrls_mgr
def get_formatted_name(text_name):
for special_char in '-. ':
text_name = text_name.replace(special_char, '_')
return text_name
def count_implicit_status(ctrls, status_count):
automated = status_count[controls.Status.AUTOMATED]
documentation = status_count[controls.Status.DOCUMENTATION]
inherently_met = status_count[controls.Status.INHERENTLY_MET]
manual = status_count[controls.Status.MANUAL]
not_applicable = status_count[controls.Status.NOT_APPLICABLE]
pending = status_count[controls.Status.PENDING]
status_count['all'] = len(ctrls)
status_count['applicable'] = len(ctrls) - not_applicable
status_count['assessed'] = status_count['applicable'] - pending
status_count['not assessed'] = status_count['applicable'] - status_count['assessed']
status_count['full coverage'] = automated + documentation + inherently_met + manual
return status_count
def create_implicit_control_lists(ctrls, control_list):
does_not_meet = control_list[controls.Status.DOES_NOT_MEET]
not_applicable = control_list[controls.Status.NOT_APPLICABLE]
partial = control_list[controls.Status.PARTIAL]
pending = control_list[controls.Status.PENDING]
planned = control_list[controls.Status.PLANNED]
supported = control_list[controls.Status.SUPPORTED]
control_list['all'] = ctrls
control_list['applicable'] = ctrls - not_applicable
control_list['assessed'] = control_list['applicable'] - pending
control_list['not assessed'] = control_list['applicable'] - control_list['assessed']
control_list['full coverage'] = ctrls - does_not_meet - not_applicable - partial\
- pending - planned - supported
return control_list
def count_rules_and_vars_in_control(ctrl):
Counts = collections.namedtuple('Counts', ['rules', 'variables'])
rules_count = variables_count = 0
for item in ctrl.rules:
if "=" in item:
variables_count += 1
else:
rules_count += 1
return Counts(rules_count, variables_count)
def count_rules_and_vars(ctrls):
rules_total = variables_total = 0
for ctrl in ctrls:
content_counts = count_rules_and_vars_in_control(ctrl)
rules_total += content_counts.rules
variables_total += content_counts.variables
return rules_total, variables_total
def count_controls_by_status(ctrls):
status_count = collections.defaultdict(int)
control_list = collections.defaultdict(set)
for status in controls.Status.get_status_list():
status_count[status] = 0
for ctrl in ctrls:
status_count[str(ctrl.status)] += 1
control_list[str(ctrl.status)].add(ctrl)
status_count = count_implicit_status(ctrls, status_count)
control_list = create_implicit_control_lists(ctrls, control_list)
return status_count, control_list
def print_specific_stat(status, current, total):
if current > 0:
print("{status:16} {current:6} / {total:3} = {percent:4}%".format(
status=status,
percent=round((current / total) * 100.00, 2),
current=current,
total=total))
def sort_controls_by_id(control_list):
return sorted([(str(c.id), c.title) for c in control_list])
def print_controls(status_count, control_list, args):
status = args.status
if status not in status_count:
print("Error: The informed status is not available")
print_options(status_count)
exit(1)
if status_count[status] > 0:
print("\nList of the {status} ({total}) controls:".format(
total=status_count[status], status=status))
for ctrl in sort_controls_by_id(control_list[status]):
print("{id:>16} - {title}".format(id=ctrl[0], title=ctrl[1]))
else:
print("There is no controls with {status} status.".format(status=status))
def print_stats(status_count, control_list, rules_count, vars_count, args):
implicit_status = controls.Status.get_status_list()
explicit_status = status_count.keys() - implicit_status
print("General stats:")
for status in sorted(explicit_status):
print_specific_stat(status, status_count[status], status_count['all'])
print("\nStats grouped by status:")
for status in sorted(implicit_status):
print_specific_stat(status, status_count[status], status_count['applicable'])
print(f"\nRules and Variables in {args.id} - {args.level}:")
print(f'{rules_count} rules are selected')
print(f'{vars_count} variables are explicitly defined')
if args.show_controls:
print_controls(status_count, control_list, args)
def print_stats_json(product, id, level, control_list):
data = dict()
data["format_version"] = "v0.0.3"
data["product_name"] = product
data["benchmark"] = dict()
data["benchmark"]["name"] = id
data["benchmark"]["baseline"] = level
data["total_controls"] = len(control_list['applicable'])
data["addressed_controls"] = dict()
for status in sorted(control_list.keys()):
json_key_name = get_formatted_name(status)
data["addressed_controls"][json_key_name] = [
sorted(str(c.id) for c in (control_list[status]))]
print(json.dumps(data))
def stats(args):
ctrls_mgr = load_controls_manager(args.controls_dir, args.product)
validate_args(ctrls_mgr, args)
ctrls = set(ctrls_mgr.get_all_controls_of_level(args.id, args.level))
total = len(ctrls)
if total == 0:
print("No controls found with the given inputs. Maybe try another level.")
exit(1)
status_count, control_list = count_controls_by_status(ctrls)
rules_count, vars_count = count_rules_and_vars(ctrls)
if args.output_format == 'json':
print_stats_json(args.product, args.id, args.level, control_list)
else:
print_stats(status_count, control_list, rules_count, vars_count, args)
subcmds = dict(
stats=stats
)
def parse_arguments():
parser = argparse.ArgumentParser(
description="Tool used to evaluate control files",
epilog="Usage example: utils/controleval.py stats -i cis_rhel8 -l l2_server -p rhel8")
parser.add_argument(
'--controls-dir', default='./controls/', help=(
"Directory that contains control files with policy controls. "
"e.g.: ~/scap-security-guide/controls"))
subparsers = parser.add_subparsers(dest='subcmd', required=True)
stats_parser = subparsers.add_parser(
'stats',
help="calculate and return the statistics for the given benchmark")
stats_parser.add_argument(
'-i', '--id', required=True,
help="the ID or name of the control file in the 'controls' directory")
stats_parser.add_argument(
'-l', '--level', required=True,
help="the compliance target level to analyze")
stats_parser.add_argument(
'-o', '--output-format', choices=['json'],
help="The output format of the result")
stats_parser.add_argument(
'-p', '--product',
help="product to check has required references")
stats_parser.add_argument(
'--show-controls', action='store_true',
help="list the controls and their respective status")
stats_parser.add_argument(
'-s', '--status', default='all',
help="status used to filter the controls list output")
return parser.parse_args()
def main():
args = parse_arguments()
subcmds[args.subcmd](args)
if __name__ == "__main__":
main()
|