Skip to content

control_reader

trestle.core.control_reader ¤

Handle reading of writing controls from markdown.

Attributes¤

logger = logging.getLogger(__name__) module-attribute ¤

Classes¤

ControlReader ¤

Class to read controls from markdown.

Source code in trestle/core/control_reader.py
 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
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
class ControlReader:
    """Class to read controls from markdown."""

    @staticmethod
    def _clean_prose(prose: List[str]) -> List[str]:
        # remove empty and horizontal rule lines at start and end of list of prose lines
        forward_index = 0
        for line in prose:
            if line.strip() and not line.startswith('____'):
                break
            forward_index += 1
        new_prose = prose[forward_index:]
        reverse_index = 0
        for line in reversed(new_prose):
            if line.strip() and not line.startswith('____'):
                break
            reverse_index += 1
        clean_prose = new_prose[:len(new_prose) - reverse_index]
        clean_prose = clean_prose if clean_prose else ['']
        # if there is no useful prose this will return [''] and allow generation of a statement with empty prose
        return clean_prose

    @staticmethod
    def _comp_name_in_dict(comp_name: str, comp_dict: CompDict) -> str:
        """If the name is already in the dict in a similar form, stick to that form."""
        simple_name = ControlReader.simplify_name(comp_name)
        for name in comp_dict.keys():
            if simple_name == ControlReader.simplify_name(name):
                return name
        return comp_name

    @staticmethod
    def _add_node_to_dict(
        comp_name: Optional[str],
        label: str,
        comp_dict: CompDict,
        node: ControlMarkdownNode,
        control_id: str,
        comp_list: List[str],
        context: ControlContext
    ) -> None:
        """
        Extract the label, prose, possible component name - along with implementation status.

        In component mode there is only one component and its name is not in markdown.
        In ssp mode there are many components in each md file.
        """
        component_mode = context.purpose == ContextPurpose.COMPONENT
        # for ssp, ### marks component name but for component it is ##
        # if it is a header, make sure it has correct format
        if node.key and node.key[0] == '#' and ControlInterface.bad_header(node.key):
            raise TrestleError(f'Improper header format for control {control_id}: {node.key}')
        if not component_mode:
            # look for component name heading if present
            prefix = '### '
            if node.key.startswith(prefix):
                if len(node.key.split()) <= 1:
                    raise TrestleError(
                        f'Header line in control {control_id} markdown starts with {prefix} but has no content.'
                    )
                comp_name = node.key.split(' ', 1)[1].strip()
                simp_comp_name = ControlReader.simplify_name(comp_name)
                if simp_comp_name in comp_list:
                    raise TrestleError(
                        f'Control {control_id} has a section with two component headings for {comp_name}.  '
                        'Please combine the sections so there is only one heading for each component in a '
                        'statement.'
                    )
                comp_list.append(simp_comp_name)
                comp_name = ControlReader._comp_name_in_dict(comp_name, comp_dict)

        # prose may be empty in md and we want to capture that so put it in the comp_dict
        prose = '\n'.join(ControlReader._clean_prose(node.content.text))
        # add the prose to the comp_dict, creating new entry as needed
        if comp_name in comp_dict:
            if label in comp_dict[comp_name]:
                comp_dict[comp_name][label].prose = prose
            else:
                # create new entry with prose
                comp_dict[comp_name][label] = ComponentImpInfo(prose=prose, rules=[], props=[])
        elif comp_name:
            comp_dict[comp_name] = {label: ComponentImpInfo(prose=prose, rules=[], props=[])}

        # build list of subnodes that get handled specially so they aren't processed here
        subnode_kill: List[int] = []
        status_str = None
        remarks_str = None
        rules_list: List[str] = []
        for ii, subnode in enumerate(node.subnodes):
            if subnode.key.find(const.IMPLEMENTATION_STATUS_REMARKS_HEADER) >= 0:
                remarks_str = subnode.key.split(maxsplit=4)[-1]
                subnode_kill.append(ii)
            elif subnode.key.find(const.IMPLEMENTATION_STATUS_HEADER) >= 0:
                status_str = subnode.key.split(maxsplit=3)[-1]
                subnode_kill.append(ii)
            elif subnode.key.find('Rules:') >= 0:
                rules_list = [text[2:] for text in subnode.content.text if text.startswith('- ')]
                subnode_kill.append(ii)
        if status_str:
            new_status = common.ImplementationStatus(state=status_str, remarks=remarks_str)
            if comp_name not in comp_dict:
                comp_dict[comp_name] = {}
            if label not in comp_dict[comp_name]:
                comp_dict[comp_name][label] = ComponentImpInfo(prose='', rules=[], props=[])
            comp_dict[comp_name][label].status = new_status
        if rules_list:
            comp_dict[comp_name][label].rules = rules_list
        delete_list_from_list(node.subnodes, subnode_kill)
        for subnode in as_list(node.subnodes):
            ControlReader._add_node_to_dict(comp_name, label, comp_dict, subnode, control_id, comp_list, context)

    @staticmethod
    def _insert_header_content(
        imp_req: generic.GenericImplementedRequirement, header: Dict[str, Any], control_id: str
    ) -> None:
        """Insert yaml header content into the imp_req and its by_comps as props."""
        dict_ = header.get(const.TRESTLE_PROPS_TAG, {})
        roles = as_list(dict_.get(const.RESPONSIBLE_ROLES, []))
        props = []
        responsible_roles = []
        for role in roles:
            if isinstance(role, str):
                # role_id must conform to NCNAME regex
                role = role.strip().replace(' ', '_')
                if role:
                    responsible_roles.append(common.ResponsibleRole(role_id=role))
            else:
                logger.warning(f'Role in header for control {control_id} not recognized: {role}')
        if props:
            imp_req.props = as_list(imp_req.props)
            imp_req.props.extend(props)
        if responsible_roles:
            imp_req.responsible_roles = as_list(imp_req.responsible_roles)
            imp_req.responsible_roles.extend(responsible_roles)
            imp_req.responsible_roles = none_if_empty(imp_req.responsible_roles)
            # enforce single list of resp. roles for control and each by_comp
            for by_comp in as_list(imp_req.by_components):
                by_comp.responsible_roles = imp_req.responsible_roles

    @staticmethod
    def simplify_name(name: str) -> str:
        """Simplify the name to ignore variations in case, space, hyphen, underscore, slash."""
        return name.lower().replace(' ', '').replace('-', '').replace('_', '').replace('/', '')

    @staticmethod
    def _get_label_from_implementation_header(imp_header: str):
        # assumed to be of form: Implementation for part a.
        split_header = imp_header.split(' ', 4)
        if len(split_header) != 5:
            raise TrestleError(f'Implementation header cannot be parsed for statement part: {imp_header}')
        return split_header[4].strip()

    @staticmethod
    def read_control_info_from_md(control_file: pathlib.Path,
                                  context: ControlContext) -> Tuple[Dict[str, List[str]], CompDict]:
        """
        Find all labels and associated implementation prose in the markdown for this control.

        Args:
            control_file: path to the control markdown file
            context: context of the control usage

        Returns:
            The yaml header as dict in second part of tuple.
            Adds to the passed in comp_dict.
        """
        yaml_header = {}
        comp_dict = {}

        if not control_file.exists():
            return yaml_header, comp_dict
        # if the file exists, load the contents but do not use prose from comp_dict
        # for non ssp or component mode just use empty string for comp
        comp_name = ''
        try:
            control_id = control_file.stem
            if context.purpose == ContextPurpose.COMPONENT:
                comp_name = context.comp_name if context.comp_name else const.SSP_MAIN_COMP_NAME

            md_api = MarkdownAPI()
            yaml_header, control_md = md_api.processor.process_markdown(control_file)

            # first get the header strings, including statement labels, for statement imp reqs
            imp_string = '## Implementation '
            headers = control_md.get_all_headers_for_level(2)
            # get e.g. ## Implementation a.  ## Implementation b. etc
            imp_header_list = [header for header in headers if header.startswith(imp_string)]

            # now get the (one) header for the main solution
            main_headers = list(control_md.get_all_headers_for_key(const.SSP_MD_IMPLEMENTATION_QUESTION, False))
            # should be only one header, so warn if others found
            if main_headers:
                if len(main_headers) > 1:
                    logger.warning(
                        f'Control {control_id} has {len(main_headers)} main header responses.  Will use first one only.'
                    )
                main_header = main_headers[0]
                node = control_md.get_all_nodes_for_keys([main_header], False)[0]
                # this node is top level so it will have empty label
                # it may have subnodes of Rules, Implementation Status, Implementaton Remarks
                ControlReader._add_node_to_dict(comp_name, '', comp_dict, node, control_id, [], context)
            for imp_header in imp_header_list:
                label = ControlReader._get_label_from_implementation_header(imp_header)
                node = control_md.get_node_for_key(imp_header)
                ControlReader._add_node_to_dict(comp_name, label, comp_dict, node, control_id, [], context)

        except TrestleError as e:
            raise TrestleError(f'Error occurred reading {control_file}: {e}')
        return yaml_header, comp_dict

    @staticmethod
    def _handle_empty_prose(prose: str, id_: str) -> str:
        """Regard prompt text or id_ as no prose and return blank string."""
        if prose.startswith(const.SSP_ADD_IMPLEMENTATION_PREFIX) or prose == id_:
            return ''
        return prose

    @staticmethod
    def read_implemented_requirement(control_file: pathlib.Path,
                                     context: ControlContext) -> Tuple[str, comp.ImplementedRequirement]:
        """
        Get the implementated requirement associated with given control and link to existing components or new ones.

        Args:
            control_file: path of the control markdown file
            context: context of the control usage

        Returns:
            Tuple: The control sort-id and the one implemented requirement for this control.

        Notes:
            Each statement may have several responses, with each response in a by_component for a specific component.
            statement_map keeps track of statements that may have several by_component responses.
            This is only used during component assemble and only for updating one component.
        """
        control_id = control_file.stem
        md_header, md_comp_dict = ControlReader.read_control_info_from_md(control_file, context)
        comp_name = context.component.title

        statement_map: Dict[str, comp.Statement] = {}
        # create a new implemented requirement linked to the control id to hold the statements
        imp_req = gens.generate_sample_model(comp.ImplementedRequirement)
        imp_req.control_id = control_id

        imp_req.statements = []
        comp_dict = md_comp_dict[comp_name]
        for label, comp_info in comp_dict.items():
            # if no label it applies to the imp_req itself rather than a statement
            if not label:
                imp_req.description = ControlReader._handle_empty_prose(comp_info.prose, control_id)
                ControlInterface.insert_status_in_props(imp_req, comp_info.status)
                continue
            statement_id = ControlInterface.create_statement_id(control_id)
            if label in ['', const.STATEMENT]:
                statement_part_id = statement_id
            else:
                clean_label = label.strip('.')
                statement_part_id = ControlInterface.strip_to_make_ncname(f'{statement_id}.{clean_label}')
            if statement_part_id in statement_map:
                statement = statement_map[statement_part_id]
            else:
                statement = gens.generate_sample_model(comp.Statement)
                statement.statement_id = statement_part_id
                statement_map[statement_part_id] = statement
            statement.description = comp_info.prose
            statement.props = none_if_empty(ControlInterface.clean_props(comp_info.props))
            ControlInterface.insert_status_in_props(statement, comp_info.status)

        imp_req.statements = list(statement_map.values())
        imp_req.set_parameters = []

        for _, param_dict_list in md_header.get(const.COMP_DEF_RULES_PARAM_VALS_TAG, {}).items():
            for param_dict in param_dict_list:
                values = param_dict.get(const.VALUES, [])
                comp_values = param_dict.get(const.COMPONENT_VALUES, [])
                values = comp_values if comp_values else values
                set_param = ossp.SetParameter(param_id=param_dict['name'], values=values)
                imp_req.set_parameters.append(set_param)
        imp_req.statements = none_if_empty(list(statement_map.values()))
        imp_req.set_parameters = none_if_empty(imp_req.set_parameters)

        ControlReader._insert_header_content(imp_req, md_header, control_id)
        sort_id = md_header.get(const.SORT_ID, control_id)
        return sort_id, imp_req

    @staticmethod
    def get_props_list(control_id: str, label_map: Dict[str, str],
                       yaml_header: Dict[str, Any]) -> Tuple[List[common.Property], Dict[str, List[common.Property]]]:
        """Get the list of props in the yaml header of this control as separate lists with and without by_id."""
        prop_list = yaml_header.get(const.TRESTLE_ADD_PROPS_TAG, [])
        props = []
        props_by_id = {}
        for prop_d in prop_list:
            by_id = prop_d.get('smt-part', None)
            if by_id and control_id in label_map:
                by_id = label_map[control_id].get(by_id, by_id)
            prop = common.Property(name=prop_d['name'], value=prop_d['value'], ns=prop_d.get('ns', None))
            if by_id:
                if by_id not in props_by_id:
                    props_by_id[by_id] = []
                props_by_id[by_id].append(prop)
            else:
                props.append(prop)
        return props, props_by_id

    @staticmethod
    def read_editable_content(
        control_path: pathlib.Path,
        required_sections_list: List[str],
        part_label_to_id_map: Dict[str, Dict[str, str]],
        cli_section_dict: Dict[str, str],
        write_mode: bool
    ) -> Tuple[str, List[prof.Alter], Dict[str, Any]]:
        """Get parts for the markdown control corresponding to Editable Content - along with the set-parameter dict."""
        control_id = control_path.stem

        md_api = MarkdownAPI()
        yaml_header, control_tree = md_api.processor.process_control_markdown(control_path, cli_section_dict, part_label_to_id_map)  # noqa: E501
        # extract the sort_id if present in header
        sort_id = yaml_header.get(const.SORT_ID, control_id)

        editable_node = None
        for header in list(control_tree.get_all_headers_for_level(1)):
            if header.startswith('# Editable'):
                editable_node = control_tree.get_node_for_key(header)
                break
        if not editable_node:
            return sort_id, [], {}

        editable_parts = control_tree.get_editable_parts_and_subparts()
        by_id_parts = control_tree.get_by_id_parts()
        found_sections = [p.name for p in editable_parts]

        # Validate that all required sections have a prose
        for editable_part in editable_parts:
            if not write_mode and editable_part.name in required_sections_list and editable_part.prose.startswith(
                    const.PROFILE_ADD_REQUIRED_SECTION_FOR_CONTROL_TEXT):
                raise TrestleError(f'Control {control_id} is missing prose for required section {editable_part.title}')

        # Validate that all required sections are present
        missing_sections = set(required_sections_list) - set(found_sections)
        if missing_sections:
            raise TrestleError(f'Control {control_id} is missing required sections {missing_sections}')
        param_dict: Dict[str, Any] = {}
        # get set_params from the header and add to parm_dict
        header_params = yaml_header.get(const.SET_PARAMS_TAG, {})
        if header_params:
            param_dict.update(header_params)

        props, props_by_id = ControlReader.get_props_list(control_id, part_label_to_id_map, yaml_header)

        # When adding props without by_id it can either be starting or ending and we default to ending
        # This is the default behavior as described for implicit binding in
        # https://pages.nist.gov/OSCAL/concepts/processing/profile-resolution/
        # When adding props to a part using by_id, it is the same situation because it cannot be before or after since
        # props are not in the same list as parts

        adds: List[prof.Add] = []

        # add the parts and props at control level
        if editable_parts or props:
            adds.append(
                prof.Add(
                    parts=none_if_empty(editable_parts),
                    props=none_if_empty(props),
                    position=prof.PositionValidValues.ending.value
                )
            )

        # add the parts and props at the part level, by-id
        by_ids = set(by_id_parts.keys()).union(props_by_id.keys())
        for by_id in sorted(by_ids):
            parts = by_id_parts.get(by_id, None)
            props = props_by_id.get(by_id, None)
            adds.append(prof.Add(parts=parts, props=props, position=prof.PositionValidValues.ending.value, by_id=by_id))

        new_alters = []
        if adds:
            new_alters = [prof.Alter(control_id=control_id, adds=adds)]
        return sort_id, new_alters, param_dict

    @staticmethod
    def _update_display_prop_namespace(item: TypeWithProps):
        """Set namespace for special property display_name."""
        for prop in as_list(item.props):
            if prop.name == const.DISPLAY_NAME:
                prop.ns = const.TRESTLE_GENERIC_NS

    @staticmethod
    def read_control(control_path: pathlib.Path, set_parameters_flag: bool) -> Tuple[cat.Control, str]:
        """Read the control and group title from the markdown file."""
        control = gens.generate_sample_model(cat.Control)
        md_api = MarkdownAPI()
        yaml_header, control_tree = md_api.processor.process_control_markdown(control_path)
        control_titles = list(control_tree.get_all_headers_for_level(1))
        if len(control_titles) == 0:
            raise TrestleError(f'Control markdown: {control_path} contains no control title.')
        if len(control_titles) > 1:
            raise TrestleError(f'Control markdown: {control_path} contains multiple control titles {control_titles}.')

        control.id = control_tree.subnodes[0].content.control_id
        group_title = control_tree.subnodes[0].content.control_group
        control.title = control_tree.subnodes[0].content.control_title

        control_statement = control_tree.get_control_statement()
        statement_part = control_statement.content.part

        control.parts = [statement_part] if statement_part else None
        control_objective = control_tree.get_control_objective()
        if control_objective is not None:
            objective_part = control_objective.content.part
            if objective_part:
                if control.parts:
                    control.parts.append(objective_part)
                else:
                    control.parts = [objective_part]

        control_guidance = control_tree.get_control_guidance()
        if control_guidance is not None:
            guidance_part = control_guidance.content.part
            if guidance_part:
                if control.parts:
                    control.parts.append(guidance_part)
                else:
                    control.parts = [guidance_part]

        all_other_parts = []
        for section_node in control_tree.get_other_control_parts():
            parts = section_node.content.part
            all_other_parts.extend([parts])
        if all_other_parts:
            if control.parts:
                control.parts.extend(all_other_parts)
            else:
                control.parts = all_other_parts

        if set_parameters_flag:
            params: Dict[str, str] = yaml_header.get(const.SET_PARAMS_TAG, [])
            if params:
                control.params = []
                for id_, param_dict in params.items():
                    param_dict['id'] = id_
                    param = ModelUtils.dict_to_parameter(param_dict)
                    # if display_name is in list of properties, set its namespace
                    ControlReader._update_display_prop_namespace(param)
                    control.params.append(param)
        sort_id = deep_get(yaml_header, [const.TRESTLE_GLOBAL_TAG, const.SORT_ID], None)
        if sort_id:
            control.props = control.props if control.props else []
            control.props.append(common.Property(name=const.SORT_ID, value=sort_id))
        return control, group_title
Functions¤
get_props_list(control_id, label_map, yaml_header) staticmethod ¤

Get the list of props in the yaml header of this control as separate lists with and without by_id.

Source code in trestle/core/control_reader.py
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
@staticmethod
def get_props_list(control_id: str, label_map: Dict[str, str],
                   yaml_header: Dict[str, Any]) -> Tuple[List[common.Property], Dict[str, List[common.Property]]]:
    """Get the list of props in the yaml header of this control as separate lists with and without by_id."""
    prop_list = yaml_header.get(const.TRESTLE_ADD_PROPS_TAG, [])
    props = []
    props_by_id = {}
    for prop_d in prop_list:
        by_id = prop_d.get('smt-part', None)
        if by_id and control_id in label_map:
            by_id = label_map[control_id].get(by_id, by_id)
        prop = common.Property(name=prop_d['name'], value=prop_d['value'], ns=prop_d.get('ns', None))
        if by_id:
            if by_id not in props_by_id:
                props_by_id[by_id] = []
            props_by_id[by_id].append(prop)
        else:
            props.append(prop)
    return props, props_by_id
read_control(control_path, set_parameters_flag) staticmethod ¤

Read the control and group title from the markdown file.

Source code in trestle/core/control_reader.py
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
@staticmethod
def read_control(control_path: pathlib.Path, set_parameters_flag: bool) -> Tuple[cat.Control, str]:
    """Read the control and group title from the markdown file."""
    control = gens.generate_sample_model(cat.Control)
    md_api = MarkdownAPI()
    yaml_header, control_tree = md_api.processor.process_control_markdown(control_path)
    control_titles = list(control_tree.get_all_headers_for_level(1))
    if len(control_titles) == 0:
        raise TrestleError(f'Control markdown: {control_path} contains no control title.')
    if len(control_titles) > 1:
        raise TrestleError(f'Control markdown: {control_path} contains multiple control titles {control_titles}.')

    control.id = control_tree.subnodes[0].content.control_id
    group_title = control_tree.subnodes[0].content.control_group
    control.title = control_tree.subnodes[0].content.control_title

    control_statement = control_tree.get_control_statement()
    statement_part = control_statement.content.part

    control.parts = [statement_part] if statement_part else None
    control_objective = control_tree.get_control_objective()
    if control_objective is not None:
        objective_part = control_objective.content.part
        if objective_part:
            if control.parts:
                control.parts.append(objective_part)
            else:
                control.parts = [objective_part]

    control_guidance = control_tree.get_control_guidance()
    if control_guidance is not None:
        guidance_part = control_guidance.content.part
        if guidance_part:
            if control.parts:
                control.parts.append(guidance_part)
            else:
                control.parts = [guidance_part]

    all_other_parts = []
    for section_node in control_tree.get_other_control_parts():
        parts = section_node.content.part
        all_other_parts.extend([parts])
    if all_other_parts:
        if control.parts:
            control.parts.extend(all_other_parts)
        else:
            control.parts = all_other_parts

    if set_parameters_flag:
        params: Dict[str, str] = yaml_header.get(const.SET_PARAMS_TAG, [])
        if params:
            control.params = []
            for id_, param_dict in params.items():
                param_dict['id'] = id_
                param = ModelUtils.dict_to_parameter(param_dict)
                # if display_name is in list of properties, set its namespace
                ControlReader._update_display_prop_namespace(param)
                control.params.append(param)
    sort_id = deep_get(yaml_header, [const.TRESTLE_GLOBAL_TAG, const.SORT_ID], None)
    if sort_id:
        control.props = control.props if control.props else []
        control.props.append(common.Property(name=const.SORT_ID, value=sort_id))
    return control, group_title
read_control_info_from_md(control_file, context) staticmethod ¤

Find all labels and associated implementation prose in the markdown for this control.

Parameters:

Name Type Description Default
control_file Path

path to the control markdown file

required
context ControlContext

context of the control usage

required

Returns:

Type Description
Dict[str, List[str]]

The yaml header as dict in second part of tuple.

CompDict

Adds to the passed in comp_dict.

Source code in trestle/core/control_reader.py
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
@staticmethod
def read_control_info_from_md(control_file: pathlib.Path,
                              context: ControlContext) -> Tuple[Dict[str, List[str]], CompDict]:
    """
    Find all labels and associated implementation prose in the markdown for this control.

    Args:
        control_file: path to the control markdown file
        context: context of the control usage

    Returns:
        The yaml header as dict in second part of tuple.
        Adds to the passed in comp_dict.
    """
    yaml_header = {}
    comp_dict = {}

    if not control_file.exists():
        return yaml_header, comp_dict
    # if the file exists, load the contents but do not use prose from comp_dict
    # for non ssp or component mode just use empty string for comp
    comp_name = ''
    try:
        control_id = control_file.stem
        if context.purpose == ContextPurpose.COMPONENT:
            comp_name = context.comp_name if context.comp_name else const.SSP_MAIN_COMP_NAME

        md_api = MarkdownAPI()
        yaml_header, control_md = md_api.processor.process_markdown(control_file)

        # first get the header strings, including statement labels, for statement imp reqs
        imp_string = '## Implementation '
        headers = control_md.get_all_headers_for_level(2)
        # get e.g. ## Implementation a.  ## Implementation b. etc
        imp_header_list = [header for header in headers if header.startswith(imp_string)]

        # now get the (one) header for the main solution
        main_headers = list(control_md.get_all_headers_for_key(const.SSP_MD_IMPLEMENTATION_QUESTION, False))
        # should be only one header, so warn if others found
        if main_headers:
            if len(main_headers) > 1:
                logger.warning(
                    f'Control {control_id} has {len(main_headers)} main header responses.  Will use first one only.'
                )
            main_header = main_headers[0]
            node = control_md.get_all_nodes_for_keys([main_header], False)[0]
            # this node is top level so it will have empty label
            # it may have subnodes of Rules, Implementation Status, Implementaton Remarks
            ControlReader._add_node_to_dict(comp_name, '', comp_dict, node, control_id, [], context)
        for imp_header in imp_header_list:
            label = ControlReader._get_label_from_implementation_header(imp_header)
            node = control_md.get_node_for_key(imp_header)
            ControlReader._add_node_to_dict(comp_name, label, comp_dict, node, control_id, [], context)

    except TrestleError as e:
        raise TrestleError(f'Error occurred reading {control_file}: {e}')
    return yaml_header, comp_dict
read_editable_content(control_path, required_sections_list, part_label_to_id_map, cli_section_dict, write_mode) staticmethod ¤

Get parts for the markdown control corresponding to Editable Content - along with the set-parameter dict.

Source code in trestle/core/control_reader.py
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
@staticmethod
def read_editable_content(
    control_path: pathlib.Path,
    required_sections_list: List[str],
    part_label_to_id_map: Dict[str, Dict[str, str]],
    cli_section_dict: Dict[str, str],
    write_mode: bool
) -> Tuple[str, List[prof.Alter], Dict[str, Any]]:
    """Get parts for the markdown control corresponding to Editable Content - along with the set-parameter dict."""
    control_id = control_path.stem

    md_api = MarkdownAPI()
    yaml_header, control_tree = md_api.processor.process_control_markdown(control_path, cli_section_dict, part_label_to_id_map)  # noqa: E501
    # extract the sort_id if present in header
    sort_id = yaml_header.get(const.SORT_ID, control_id)

    editable_node = None
    for header in list(control_tree.get_all_headers_for_level(1)):
        if header.startswith('# Editable'):
            editable_node = control_tree.get_node_for_key(header)
            break
    if not editable_node:
        return sort_id, [], {}

    editable_parts = control_tree.get_editable_parts_and_subparts()
    by_id_parts = control_tree.get_by_id_parts()
    found_sections = [p.name for p in editable_parts]

    # Validate that all required sections have a prose
    for editable_part in editable_parts:
        if not write_mode and editable_part.name in required_sections_list and editable_part.prose.startswith(
                const.PROFILE_ADD_REQUIRED_SECTION_FOR_CONTROL_TEXT):
            raise TrestleError(f'Control {control_id} is missing prose for required section {editable_part.title}')

    # Validate that all required sections are present
    missing_sections = set(required_sections_list) - set(found_sections)
    if missing_sections:
        raise TrestleError(f'Control {control_id} is missing required sections {missing_sections}')
    param_dict: Dict[str, Any] = {}
    # get set_params from the header and add to parm_dict
    header_params = yaml_header.get(const.SET_PARAMS_TAG, {})
    if header_params:
        param_dict.update(header_params)

    props, props_by_id = ControlReader.get_props_list(control_id, part_label_to_id_map, yaml_header)

    # When adding props without by_id it can either be starting or ending and we default to ending
    # This is the default behavior as described for implicit binding in
    # https://pages.nist.gov/OSCAL/concepts/processing/profile-resolution/
    # When adding props to a part using by_id, it is the same situation because it cannot be before or after since
    # props are not in the same list as parts

    adds: List[prof.Add] = []

    # add the parts and props at control level
    if editable_parts or props:
        adds.append(
            prof.Add(
                parts=none_if_empty(editable_parts),
                props=none_if_empty(props),
                position=prof.PositionValidValues.ending.value
            )
        )

    # add the parts and props at the part level, by-id
    by_ids = set(by_id_parts.keys()).union(props_by_id.keys())
    for by_id in sorted(by_ids):
        parts = by_id_parts.get(by_id, None)
        props = props_by_id.get(by_id, None)
        adds.append(prof.Add(parts=parts, props=props, position=prof.PositionValidValues.ending.value, by_id=by_id))

    new_alters = []
    if adds:
        new_alters = [prof.Alter(control_id=control_id, adds=adds)]
    return sort_id, new_alters, param_dict
read_implemented_requirement(control_file, context) staticmethod ¤

Get the implementated requirement associated with given control and link to existing components or new ones.

Parameters:

Name Type Description Default
control_file Path

path of the control markdown file

required
context ControlContext

context of the control usage

required

Returns:

Name Type Description
Tuple Tuple[str, ImplementedRequirement]

The control sort-id and the one implemented requirement for this control.

Notes

Each statement may have several responses, with each response in a by_component for a specific component. statement_map keeps track of statements that may have several by_component responses. This is only used during component assemble and only for updating one component.

Source code in trestle/core/control_reader.py
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
@staticmethod
def read_implemented_requirement(control_file: pathlib.Path,
                                 context: ControlContext) -> Tuple[str, comp.ImplementedRequirement]:
    """
    Get the implementated requirement associated with given control and link to existing components or new ones.

    Args:
        control_file: path of the control markdown file
        context: context of the control usage

    Returns:
        Tuple: The control sort-id and the one implemented requirement for this control.

    Notes:
        Each statement may have several responses, with each response in a by_component for a specific component.
        statement_map keeps track of statements that may have several by_component responses.
        This is only used during component assemble and only for updating one component.
    """
    control_id = control_file.stem
    md_header, md_comp_dict = ControlReader.read_control_info_from_md(control_file, context)
    comp_name = context.component.title

    statement_map: Dict[str, comp.Statement] = {}
    # create a new implemented requirement linked to the control id to hold the statements
    imp_req = gens.generate_sample_model(comp.ImplementedRequirement)
    imp_req.control_id = control_id

    imp_req.statements = []
    comp_dict = md_comp_dict[comp_name]
    for label, comp_info in comp_dict.items():
        # if no label it applies to the imp_req itself rather than a statement
        if not label:
            imp_req.description = ControlReader._handle_empty_prose(comp_info.prose, control_id)
            ControlInterface.insert_status_in_props(imp_req, comp_info.status)
            continue
        statement_id = ControlInterface.create_statement_id(control_id)
        if label in ['', const.STATEMENT]:
            statement_part_id = statement_id
        else:
            clean_label = label.strip('.')
            statement_part_id = ControlInterface.strip_to_make_ncname(f'{statement_id}.{clean_label}')
        if statement_part_id in statement_map:
            statement = statement_map[statement_part_id]
        else:
            statement = gens.generate_sample_model(comp.Statement)
            statement.statement_id = statement_part_id
            statement_map[statement_part_id] = statement
        statement.description = comp_info.prose
        statement.props = none_if_empty(ControlInterface.clean_props(comp_info.props))
        ControlInterface.insert_status_in_props(statement, comp_info.status)

    imp_req.statements = list(statement_map.values())
    imp_req.set_parameters = []

    for _, param_dict_list in md_header.get(const.COMP_DEF_RULES_PARAM_VALS_TAG, {}).items():
        for param_dict in param_dict_list:
            values = param_dict.get(const.VALUES, [])
            comp_values = param_dict.get(const.COMPONENT_VALUES, [])
            values = comp_values if comp_values else values
            set_param = ossp.SetParameter(param_id=param_dict['name'], values=values)
            imp_req.set_parameters.append(set_param)
    imp_req.statements = none_if_empty(list(statement_map.values()))
    imp_req.set_parameters = none_if_empty(imp_req.set_parameters)

    ControlReader._insert_header_content(imp_req, md_header, control_id)
    sort_id = md_header.get(const.SORT_ID, control_id)
    return sort_id, imp_req
simplify_name(name) staticmethod ¤

Simplify the name to ignore variations in case, space, hyphen, underscore, slash.

Source code in trestle/core/control_reader.py
178
179
180
181
@staticmethod
def simplify_name(name: str) -> str:
    """Simplify the name to ignore variations in case, space, hyphen, underscore, slash."""
    return name.lower().replace(' ', '').replace('-', '').replace('_', '').replace('/', '')

Functions¤

handler: python