profile
trestle.core.commands.author.profile
¤
Author commands to generate profile as markdown and assemble to json after edit.
logger
¤
Classes¤
ProfileAssemble (AuthorCommonCommand)
¤
Assemble markdown files of controls into a Profile json file.
Source code in trestle/core/commands/author/profile.py
class ProfileAssemble(AuthorCommonCommand):
"""Assemble markdown files of controls into a Profile json file."""
name = 'profile-assemble'
def _init_arguments(self) -> None:
name_help_str = (
'Optional name of the profile model in the trestle workspace that is being modified. '
'If not provided the output name is used.'
)
self.add_argument('-n', '--name', help=name_help_str, required=False, type=str)
file_help_str = 'Name of the source markdown file directory'
self.add_argument('-m', '--markdown', help=file_help_str, required=True, type=str)
output_help_str = 'Name of the output generated json Profile (ok to overwrite original)'
self.add_argument('-o', '--output', help=output_help_str, required=True, type=str)
self.add_argument('-sp', '--set-parameters', action='store_true', help=const.HELP_SET_PARAMS, required=False)
self.add_argument('-r', '--regenerate', action='store_true', help=const.HELP_REGENERATE)
self.add_argument('-vn', '--version', help=const.HELP_VERSION, required=False, type=str)
self.add_argument('-s', '--sections', help=const.HELP_SECTIONS, required=False, type=str)
self.add_argument('-rs', '--required-sections', help=const.HELP_REQUIRED_SECTIONS, required=False, type=str)
self.add_argument('-as', '--allowed-sections', help=const.HELP_ALLOWED_SECTIONS, required=False, type=str)
def _run(self, args: argparse.Namespace) -> int:
try:
log.set_log_level_from_args(args)
trestle_root = pathlib.Path(args.trestle_root)
return self.assemble_profile(
trestle_root=trestle_root,
parent_prof_name=args.name,
md_name=args.markdown,
assem_prof_name=args.output,
set_parameters_flag=args.set_parameters,
regenerate=args.regenerate,
version=args.version,
sections_dict=sections_to_dict(args.sections),
required_sections=args.required_sections,
allowed_sections=args.allowed_sections
)
except Exception as e: # pragma: no cover
return handle_generic_command_exception(e, logger, 'Assembly of markdown to profile failed')
@staticmethod
def _replace_alter_adds(profile: prof.Profile, alters: List[prof.Alter]) -> bool:
"""Replace the alter adds in the orig_profile with the new ones and return True if changed."""
changed = False
if not profile.modify:
profile.modify = prof.Modify(alters=alters)
if alters:
changed = True
elif not profile.modify.alters:
profile.modify.alters = alters
if alters:
changed = True
else:
alter_dict = {}
# if an alter has adds - remove them up front and build dict of alters by control id
for alter in profile.modify.alters:
alter.adds = None
alter_dict[alter.control_id] = alter
# now go through new alters and add them to each control in dict by control id
for new_alter in alters:
alter = alter_dict.get(new_alter.control_id, None)
if not alter:
# the control did not have alters, so add
alter = prof.Alter(control_id=new_alter.control_id)
# even though we removed adds at start, we may have added one already
if alter.adds:
alter.adds.extend(new_alter.adds)
else:
alter.adds = new_alter.adds
# update the dict with the new alter with its added adds
alter_dict[new_alter.control_id] = alter
# get the new list of alters from the dict and update profile
new_alters = list(alter_dict.values())
# special case, if all adds were deleted remove such alters completely
new_alters = list(filter(lambda alt: alt.adds or alt.removes, new_alters))
if profile.modify.alters != new_alters:
changed = True
profile.modify.alters = none_if_empty(new_alters)
return changed
@staticmethod
def _replace_modify_set_params(
profile: prof.Profile, param_dict: Dict[str, Any], param_map: Dict[str, str]
) -> bool:
"""
Replace the set_params in the profile with list and values from markdown.
Notes:
Returns whether or not change was made.
"""
changed = False
if param_dict:
if not profile.modify:
profile.modify = prof.Modify()
new_set_params: List[prof.SetParameter] = []
for key, sub_param_dict in param_dict.items():
if sub_param_dict:
sub_param_dict['id'] = key
param = ModelUtils.dict_to_parameter(sub_param_dict)
new_set_params.append(
prof.SetParameter(
param_id=key,
label=param.label,
values=param.values,
select=param.select,
props=param.props
)
)
if profile.modify.set_parameters != new_set_params:
changed = True
# sort the params first by control sorting then by param_id
profile.modify.set_parameters = sorted(
new_set_params, key=lambda param: (param_map[param.param_id], param.param_id)
)
if profile.modify:
profile.modify.set_parameters = none_if_empty(profile.modify.set_parameters)
return changed
@staticmethod
def assemble_profile(
trestle_root: pathlib.Path,
parent_prof_name: str,
md_name: str,
assem_prof_name: str,
set_parameters_flag: bool,
regenerate: bool,
version: Optional[str],
sections_dict: Optional[Dict[str, str]],
required_sections: Optional[str],
allowed_sections: Optional[List[str]]
) -> int:
"""
Assemble the markdown directory into a json profile model file.
Args:
trestle_root: The trestle root directory
parent_prof_name: Optional name of profile used to generate the markdown (default is assem_prof_name)
md_name: The name of the directory containing the markdown control files for the profile
assem_prof_name: The name of the assembled profile. It can be the same as the parent to overwrite
set_parameters_flag: Use the params and props in yaml header to add or alter setparameters in the profile
regenerate: Whether to regenerate the uuid's in the profile
version: Optional version for the assembled profile
sections_dict: Optional map of short name to long name for sections
required_sections: Optional List of required sections in assembled profile, as comma-separated short names
allowed_sections: Optional list of section short names that are allowed, as comma-separated short names
Returns:
0 on success, 1 otherwise
Notes:
There must already be a profile model and it will either be updated or a new json profile created.
The generated markdown has the current values for parameters of controls being imported, as set by
the original catalog and any intermediate profiles. It also shows the current SetParameters being applied
by this profile. That list of SetParameters can be edited by changing the assigned values and adding or
removing SetParameters from that list. During assembly that list will be used to create the SetParameters
in the assembled profile if the --set-parameters option is specified.
"""
md_dir = trestle_root / md_name
if not md_dir.exists():
raise TrestleError(f'Markdown directory {md_name} does not exist.')
if not parent_prof_name:
parent_prof_name = assem_prof_name
parent_prof_path = ModelUtils.full_path_for_top_level_model(trestle_root, parent_prof_name, prof.Profile)
if parent_prof_path is None:
raise TrestleError(f'Profile {parent_prof_name} does not exist. An existing profile must be provided.')
parent_prof, parent_prof_path = load_validate_model_name(trestle_root, parent_prof_name, prof.Profile)
new_content_type = FileContentType.path_to_content_type(parent_prof_path)
catalog = ProfileResolver.get_resolved_profile_catalog(trestle_root, parent_prof_path)
catalog_interface = CatalogInterface(catalog)
label_map = catalog_interface.get_statement_part_id_map(True)
required_sections_list = required_sections.split(',') if required_sections else []
# load the editable sections of the markdown and create Adds for them
# then overwrite the Adds in the existing profile with the new ones
# keep track if any changes were made
md_dir = trestle_root / md_name
found_alters, param_dict, param_map = CatalogInterface.read_additional_content(
md_dir,
required_sections_list,
label_map,
sections_dict,
False
)
# technically if allowed sections is [] it means no sections are allowed
if allowed_sections is not None:
for bad_part in [part for alter in found_alters for add in as_list(alter.adds)
for part in as_filtered_list(add.parts, lambda a: a.name not in allowed_sections)]:
raise TrestleError(f'Profile has alter with name {bad_part.name} not in allowed sections.')
ProfileAssemble._replace_alter_adds(parent_prof, found_alters)
if set_parameters_flag:
ProfileAssemble._replace_modify_set_params(parent_prof, param_dict, param_map)
if version:
parent_prof.metadata.version = com.Version(__root__=version)
parent_prof.metadata.oscal_version = OSCAL_VERSION
assem_prof_path = ModelUtils.path_for_top_level_model(
trestle_root, assem_prof_name, prof.Profile, new_content_type
)
if assem_prof_path.exists():
_, _, existing_prof = ModelUtils.load_distributed(assem_prof_path, trestle_root)
if ModelUtils.models_are_equivalent(existing_prof, parent_prof):
logger.info('Assembled profile is no different from existing version, so no update.')
return CmdReturnCodes.SUCCESS.value
if regenerate:
parent_prof, _, _ = ModelUtils.regenerate_uuids(parent_prof)
ModelUtils.update_last_modified(parent_prof)
if assem_prof_path.parent.exists():
logger.info('Creating profile from markdown and destination profile exists, so updating.')
shutil.rmtree(str(assem_prof_path.parent))
assem_prof_path.parent.mkdir(parents=True, exist_ok=True)
parent_prof.oscal_write(assem_prof_path)
return CmdReturnCodes.SUCCESS.value
name
¤
Methods¤
assemble_profile(trestle_root, parent_prof_name, md_name, assem_prof_name, set_parameters_flag, regenerate, version, sections_dict, required_sections, allowed_sections)
staticmethod
¤
Assemble the markdown directory into a json profile model file.
Parameters:
Name | Type | Description | Default |
---|---|---|---|
trestle_root |
Path |
The trestle root directory |
required |
parent_prof_name |
str |
Optional name of profile used to generate the markdown (default is assem_prof_name) |
required |
md_name |
str |
The name of the directory containing the markdown control files for the profile |
required |
assem_prof_name |
str |
The name of the assembled profile. It can be the same as the parent to overwrite |
required |
set_parameters_flag |
bool |
Use the params and props in yaml header to add or alter setparameters in the profile |
required |
regenerate |
bool |
Whether to regenerate the uuid's in the profile |
required |
version |
Optional[str] |
Optional version for the assembled profile |
required |
sections_dict |
Optional[Dict[str, str]] |
Optional map of short name to long name for sections |
required |
required_sections |
Optional[str] |
Optional List of required sections in assembled profile, as comma-separated short names |
required |
allowed_sections |
Optional[List[str]] |
Optional list of section short names that are allowed, as comma-separated short names |
required |
Returns:
Type | Description |
---|---|
int |
0 on success, 1 otherwise |
Notes
There must already be a profile model and it will either be updated or a new json profile created. The generated markdown has the current values for parameters of controls being imported, as set by the original catalog and any intermediate profiles. It also shows the current SetParameters being applied by this profile. That list of SetParameters can be edited by changing the assigned values and adding or removing SetParameters from that list. During assembly that list will be used to create the SetParameters in the assembled profile if the --set-parameters option is specified.
Source code in trestle/core/commands/author/profile.py
@staticmethod
def assemble_profile(
trestle_root: pathlib.Path,
parent_prof_name: str,
md_name: str,
assem_prof_name: str,
set_parameters_flag: bool,
regenerate: bool,
version: Optional[str],
sections_dict: Optional[Dict[str, str]],
required_sections: Optional[str],
allowed_sections: Optional[List[str]]
) -> int:
"""
Assemble the markdown directory into a json profile model file.
Args:
trestle_root: The trestle root directory
parent_prof_name: Optional name of profile used to generate the markdown (default is assem_prof_name)
md_name: The name of the directory containing the markdown control files for the profile
assem_prof_name: The name of the assembled profile. It can be the same as the parent to overwrite
set_parameters_flag: Use the params and props in yaml header to add or alter setparameters in the profile
regenerate: Whether to regenerate the uuid's in the profile
version: Optional version for the assembled profile
sections_dict: Optional map of short name to long name for sections
required_sections: Optional List of required sections in assembled profile, as comma-separated short names
allowed_sections: Optional list of section short names that are allowed, as comma-separated short names
Returns:
0 on success, 1 otherwise
Notes:
There must already be a profile model and it will either be updated or a new json profile created.
The generated markdown has the current values for parameters of controls being imported, as set by
the original catalog and any intermediate profiles. It also shows the current SetParameters being applied
by this profile. That list of SetParameters can be edited by changing the assigned values and adding or
removing SetParameters from that list. During assembly that list will be used to create the SetParameters
in the assembled profile if the --set-parameters option is specified.
"""
md_dir = trestle_root / md_name
if not md_dir.exists():
raise TrestleError(f'Markdown directory {md_name} does not exist.')
if not parent_prof_name:
parent_prof_name = assem_prof_name
parent_prof_path = ModelUtils.full_path_for_top_level_model(trestle_root, parent_prof_name, prof.Profile)
if parent_prof_path is None:
raise TrestleError(f'Profile {parent_prof_name} does not exist. An existing profile must be provided.')
parent_prof, parent_prof_path = load_validate_model_name(trestle_root, parent_prof_name, prof.Profile)
new_content_type = FileContentType.path_to_content_type(parent_prof_path)
catalog = ProfileResolver.get_resolved_profile_catalog(trestle_root, parent_prof_path)
catalog_interface = CatalogInterface(catalog)
label_map = catalog_interface.get_statement_part_id_map(True)
required_sections_list = required_sections.split(',') if required_sections else []
# load the editable sections of the markdown and create Adds for them
# then overwrite the Adds in the existing profile with the new ones
# keep track if any changes were made
md_dir = trestle_root / md_name
found_alters, param_dict, param_map = CatalogInterface.read_additional_content(
md_dir,
required_sections_list,
label_map,
sections_dict,
False
)
# technically if allowed sections is [] it means no sections are allowed
if allowed_sections is not None:
for bad_part in [part for alter in found_alters for add in as_list(alter.adds)
for part in as_filtered_list(add.parts, lambda a: a.name not in allowed_sections)]:
raise TrestleError(f'Profile has alter with name {bad_part.name} not in allowed sections.')
ProfileAssemble._replace_alter_adds(parent_prof, found_alters)
if set_parameters_flag:
ProfileAssemble._replace_modify_set_params(parent_prof, param_dict, param_map)
if version:
parent_prof.metadata.version = com.Version(__root__=version)
parent_prof.metadata.oscal_version = OSCAL_VERSION
assem_prof_path = ModelUtils.path_for_top_level_model(
trestle_root, assem_prof_name, prof.Profile, new_content_type
)
if assem_prof_path.exists():
_, _, existing_prof = ModelUtils.load_distributed(assem_prof_path, trestle_root)
if ModelUtils.models_are_equivalent(existing_prof, parent_prof):
logger.info('Assembled profile is no different from existing version, so no update.')
return CmdReturnCodes.SUCCESS.value
if regenerate:
parent_prof, _, _ = ModelUtils.regenerate_uuids(parent_prof)
ModelUtils.update_last_modified(parent_prof)
if assem_prof_path.parent.exists():
logger.info('Creating profile from markdown and destination profile exists, so updating.')
shutil.rmtree(str(assem_prof_path.parent))
assem_prof_path.parent.mkdir(parents=True, exist_ok=True)
parent_prof.oscal_write(assem_prof_path)
return CmdReturnCodes.SUCCESS.value
ProfileGenerate (AuthorCommonCommand)
¤
Generate profile in markdown form from a profile in the trestle workspace.
Source code in trestle/core/commands/author/profile.py
class ProfileGenerate(AuthorCommonCommand):
"""Generate profile in markdown form from a profile in the trestle workspace."""
name = 'profile-generate'
def _init_arguments(self) -> None:
name_help_str = 'Name of the source profile model in the trestle workspace'
self.add_argument('-n', '--name', help=name_help_str, required=True, type=str)
self.add_argument('-o', '--output', help=const.HELP_MARKDOWN_NAME, required=True, type=str)
self.add_argument('-y', '--yaml-header', help=const.HELP_YAML_PATH, required=False, type=str)
self.add_argument(
'-fo', '--force-overwrite', help=const.HELP_FO_OUTPUT, required=False, action='store_true', default=False
)
self.add_argument(
'-ohv',
'--overwrite-header-values',
help=const.HELP_OVERWRITE_HEADER_VALUES,
required=False,
action='store_true',
default=False
)
self.add_argument('-s', '--sections', help=const.HELP_SECTIONS, required=False, type=str)
self.add_argument('-rs', '--required-sections', help=const.HELP_REQUIRED_SECTIONS, required=False, type=str)
def _run(self, args: argparse.Namespace) -> int:
try:
log.set_log_level_from_args(args)
trestle_root: pathlib.Path = args.trestle_root
if not file_utils.is_directory_name_allowed(args.output):
raise TrestleError(f'{args.output} is not an allowed directory name')
yaml_header: dict = {}
if args.yaml_header:
try:
logging.debug(f'Loading yaml header file {args.yaml_header}')
yaml = YAML()
yaml_header = yaml.load(pathlib.Path(args.yaml_header).open('r'))
except YAMLError as e:
raise TrestleError(f'YAML error loading yaml header for ssp generation: {e}')
if args.force_overwrite:
try:
logger.debug(f'Overwriting the content of {args.output}.')
clear_folder(pathlib.Path(args.output))
except TrestleError as e: # pragma: no cover
raise TrestleError(f'Unable to overwrite contents of {args.output}: {e}')
# combine command line sections with any in the yaml header, with priority to command line
sections_dict: Optional[Dict[str, str]] = None
if args.sections:
sections_dict = sections_to_dict(args.sections)
profile_path = trestle_root / f'profiles/{args.name}/profile.json'
markdown_path = trestle_root / args.output
return self.generate_markdown(
trestle_root,
profile_path,
markdown_path,
yaml_header,
args.overwrite_header_values,
sections_dict,
args.required_sections
)
except Exception as e: # pragma: no cover
return handle_generic_command_exception(e, logger, 'Generation of the profile markdown failed')
def generate_markdown(
self,
trestle_root: pathlib.Path,
profile_path: pathlib.Path,
markdown_path: pathlib.Path,
yaml_header: dict,
overwrite_header_values: bool,
sections_dict: Optional[Dict[str, str]],
required_sections: Optional[str]
) -> int:
"""Generate markdown for the controls in the profile.
Args:
trestle_root: Root directory of the trestle workspace
profile_path: Path of the profile json file
markdown_path: Path to the directory into which the markdown will be written
yaml_header: Dict to merge into the yaml header of the control markdown
overwrite_header_values: Overwrite values in the markdown header but allow new items to be added
sections_dict: Optional dict mapping section short names to long
required_sections: Optional comma-sep list of sections that get prompted for prose if not in the profile
Returns:
0 on success, 1 on error
"""
try:
if sections_dict and const.STATEMENT in sections_dict:
logger.warning('statement is not allowed as a section name.')
return CmdReturnCodes.COMMAND_ERROR.value
_, _, profile = ModelUtils.load_distributed(profile_path, trestle_root)
catalog, inherited_props = ProfileResolver().get_resolved_profile_catalog_and_inherited_props(
trestle_root, profile_path, True, True, None, ParameterRep.LEAVE_MOUSTACHE
)
yaml_header[const.TRESTLE_GLOBAL_TAG] = yaml_header.get(const.TRESTLE_GLOBAL_TAG, {})
yaml_header[const.TRESTLE_GLOBAL_TAG][const.PROFILE_TITLE] = profile.metadata.title
catalog_interface = CatalogInterface(catalog)
part_id_map = catalog_interface.get_statement_part_id_map(False)
context = ControlContext.generate(ContextPurpose.PROFILE, True, trestle_root, markdown_path)
context.yaml_header = yaml_header
context.sections_dict = sections_dict
context.additional_content = True
context.profile = profile
context.overwrite_header_values = overwrite_header_values
context.set_parameters_flag = True
context.required_sections = required_sections
context.inherited_props = inherited_props
catalog_interface.write_catalog_as_markdown(context, part_id_map)
except TrestleNotFoundError as e:
raise TrestleError(f'Profile {profile_path} not found, error {e}')
except TrestleError as e:
raise TrestleError(f'Error generating the catalog as markdown: {e}')
return CmdReturnCodes.SUCCESS.value
name
¤
Methods¤
generate_markdown(self, trestle_root, profile_path, markdown_path, yaml_header, overwrite_header_values, sections_dict, required_sections)
¤
Generate markdown for the controls in the profile.
Parameters:
Name | Type | Description | Default |
---|---|---|---|
trestle_root |
Path |
Root directory of the trestle workspace |
required |
profile_path |
Path |
Path of the profile json file |
required |
markdown_path |
Path |
Path to the directory into which the markdown will be written |
required |
yaml_header |
dict |
Dict to merge into the yaml header of the control markdown |
required |
overwrite_header_values |
bool |
Overwrite values in the markdown header but allow new items to be added |
required |
sections_dict |
Optional[Dict[str, str]] |
Optional dict mapping section short names to long |
required |
required_sections |
Optional[str] |
Optional comma-sep list of sections that get prompted for prose if not in the profile |
required |
Returns:
Type | Description |
---|---|
int |
0 on success, 1 on error |
Source code in trestle/core/commands/author/profile.py
def generate_markdown(
self,
trestle_root: pathlib.Path,
profile_path: pathlib.Path,
markdown_path: pathlib.Path,
yaml_header: dict,
overwrite_header_values: bool,
sections_dict: Optional[Dict[str, str]],
required_sections: Optional[str]
) -> int:
"""Generate markdown for the controls in the profile.
Args:
trestle_root: Root directory of the trestle workspace
profile_path: Path of the profile json file
markdown_path: Path to the directory into which the markdown will be written
yaml_header: Dict to merge into the yaml header of the control markdown
overwrite_header_values: Overwrite values in the markdown header but allow new items to be added
sections_dict: Optional dict mapping section short names to long
required_sections: Optional comma-sep list of sections that get prompted for prose if not in the profile
Returns:
0 on success, 1 on error
"""
try:
if sections_dict and const.STATEMENT in sections_dict:
logger.warning('statement is not allowed as a section name.')
return CmdReturnCodes.COMMAND_ERROR.value
_, _, profile = ModelUtils.load_distributed(profile_path, trestle_root)
catalog, inherited_props = ProfileResolver().get_resolved_profile_catalog_and_inherited_props(
trestle_root, profile_path, True, True, None, ParameterRep.LEAVE_MOUSTACHE
)
yaml_header[const.TRESTLE_GLOBAL_TAG] = yaml_header.get(const.TRESTLE_GLOBAL_TAG, {})
yaml_header[const.TRESTLE_GLOBAL_TAG][const.PROFILE_TITLE] = profile.metadata.title
catalog_interface = CatalogInterface(catalog)
part_id_map = catalog_interface.get_statement_part_id_map(False)
context = ControlContext.generate(ContextPurpose.PROFILE, True, trestle_root, markdown_path)
context.yaml_header = yaml_header
context.sections_dict = sections_dict
context.additional_content = True
context.profile = profile
context.overwrite_header_values = overwrite_header_values
context.set_parameters_flag = True
context.required_sections = required_sections
context.inherited_props = inherited_props
catalog_interface.write_catalog_as_markdown(context, part_id_map)
except TrestleNotFoundError as e:
raise TrestleError(f'Profile {profile_path} not found, error {e}')
except TrestleError as e:
raise TrestleError(f'Error generating the catalog as markdown: {e}')
return CmdReturnCodes.SUCCESS.value
ProfileResolve (AuthorCommonCommand)
¤
Resolve profile to resolved profile catalog.
Source code in trestle/core/commands/author/profile.py
class ProfileResolve(AuthorCommonCommand):
"""Resolve profile to resolved profile catalog."""
name = 'profile-resolve'
def _init_arguments(self) -> None:
name_help_str = 'Name of the source profile model in the trestle workspace'
self.add_argument('-n', '--name', help=name_help_str, required=True, type=str)
self.add_argument('-o', '--output', help='Name of the output resolved profile catalog', required=True, type=str)
self.add_argument(
'-sv',
'--show-values',
help='Show values for parameters in prose',
required=False,
action='store_true',
default=False
)
self.add_argument(
'-bf',
'--bracket-format',
help='With -sv, allows brackets around value, e.g. [.] or ((.)), with the dot representing the value.',
required=False,
type=str,
default=''
)
def _run(self, args: argparse.Namespace) -> int:
try:
log.set_log_level_from_args(args)
trestle_root: pathlib.Path = args.trestle_root
profile_path = trestle_root / f'profiles/{args.name}/profile.json'
catalog_name = args.output
show_values = args.show_values
param_format = args.bracket_format
return self.resolve_profile(trestle_root, profile_path, catalog_name, show_values, param_format)
except Exception as e: # pragma: no cover
return handle_generic_command_exception(e, logger, 'Generation of the resolved profile catalog failed')
def resolve_profile(
self,
trestle_root: pathlib.Path,
profile_path: pathlib.Path,
catalog_name: str,
show_values: bool,
bracket_format: str
) -> int:
"""Create resolved profile catalog from given profile.
Args:
trestle_root: Root directory of the trestle workspace
profile_path: Path of the profile json file
catalog_name: Name of the resolved profile catalog
show_values: If true, show values of parameters in prose rather than original {{}} form
bracket_format: String representing brackets around value, e.g. [.] or ((.))
Returns:
0 on success and raises exception on error
"""
if not profile_path.exists():
raise TrestleNotFoundError(f'Cannot resolve profile catalog: profile {profile_path} does not exist.')
param_rep = ParameterRep.VALUE_OR_LABEL_OR_CHOICES if show_values else ParameterRep.LEAVE_MOUSTACHE
bracket_format = none_if_empty(bracket_format)
catalog = ProfileResolver().get_resolved_profile_catalog(
trestle_root, profile_path, False, False, bracket_format, param_rep
)
ModelUtils.save_top_level_model(catalog, trestle_root, catalog_name, FileContentType.JSON)
return CmdReturnCodes.SUCCESS.value
name
¤
Methods¤
resolve_profile(self, trestle_root, profile_path, catalog_name, show_values, bracket_format)
¤
Create resolved profile catalog from given profile.
Parameters:
Name | Type | Description | Default |
---|---|---|---|
trestle_root |
Path |
Root directory of the trestle workspace |
required |
profile_path |
Path |
Path of the profile json file |
required |
catalog_name |
str |
Name of the resolved profile catalog |
required |
show_values |
bool |
If true, show values of parameters in prose rather than original {{}} form |
required |
bracket_format |
str |
String representing brackets around value, e.g. [.] or ((.)) |
required |
Returns:
Type | Description |
---|---|
int |
0 on success and raises exception on error |
Source code in trestle/core/commands/author/profile.py
def resolve_profile(
self,
trestle_root: pathlib.Path,
profile_path: pathlib.Path,
catalog_name: str,
show_values: bool,
bracket_format: str
) -> int:
"""Create resolved profile catalog from given profile.
Args:
trestle_root: Root directory of the trestle workspace
profile_path: Path of the profile json file
catalog_name: Name of the resolved profile catalog
show_values: If true, show values of parameters in prose rather than original {{}} form
bracket_format: String representing brackets around value, e.g. [.] or ((.))
Returns:
0 on success and raises exception on error
"""
if not profile_path.exists():
raise TrestleNotFoundError(f'Cannot resolve profile catalog: profile {profile_path} does not exist.')
param_rep = ParameterRep.VALUE_OR_LABEL_OR_CHOICES if show_values else ParameterRep.LEAVE_MOUSTACHE
bracket_format = none_if_empty(bracket_format)
catalog = ProfileResolver().get_resolved_profile_catalog(
trestle_root, profile_path, False, False, bracket_format, param_rep
)
ModelUtils.save_top_level_model(catalog, trestle_root, catalog_name, FileContentType.JSON)
return CmdReturnCodes.SUCCESS.value
Functions¤
sections_to_dict(sections)
¤
Convert sections string to dict mapping short to long names.
Parameters:
Name | Type | Description | Default |
---|---|---|---|
sections |
Optional[str] |
String containing comma-sep pars of short_name:long_name for sections |
required |
Returns:
Type | Description |
---|---|
Dict[str, str] |
Dict mapping short names to long names |
Notes
If the long name is not provided (single string and no :) the long name is same as short name. This is needed to map the internal part name for a guidance section to its long name in the formatted markdown.
Source code in trestle/core/commands/author/profile.py
def sections_to_dict(sections: Optional[str]) -> Dict[str, str]:
"""
Convert sections string to dict mapping short to long names.
Args:
sections: String containing comma-sep pars of short_name:long_name for sections
Returns:
Dict mapping short names to long names
Notes:
If the long name is not provided (single string and no :) the long name is same as short name.
This is needed to map the internal part name for a guidance section to its long name in the formatted markdown.
"""
sections_dict: Dict[str, str] = {}
if sections:
section_pairs = sections.strip("'").split(',')
# section pair is a single string possibly containing : and is either short_name:long_name or just short_name
for section_pair in section_pairs:
if ':' in section_pair:
section_tuple = section_pair.split(':')
sections_dict[section_tuple[0].strip()] = section_tuple[1].strip()
else:
sections_dict[section_pair] = section_pair
return sections_dict
handler: python