Skip to content
Snippets Groups Projects
Commit 28ce5401 authored by Tomasz Bold's avatar Tomasz Bold Committed by Adam Edward Barton
Browse files

Unification of input reading in of confTool and iconfTool

parent 3ed7b411
No related branches found
No related tags found
6 merge requests!58791DataQualityConfigurations: Modify L1Calo config for web display,!46784MuonCondInterface: Enable thread-safety checking.,!46776Updated LArMonitoring config file for WD to match new files produced using MT,!45405updated ART test cron job,!42417Draft: DIRE and VINCIA Base Fragments for Pythia 8.3,!41930Unification of input reading in of confTool and iconfTool
......@@ -3,7 +3,6 @@
# Copyright (C) 2002-2020 CERN for the benefit of the ATLAS collaboration
import argparse
import logging.config
import sys
from typing import Union
......@@ -13,13 +12,13 @@ logger = logging.getLogger(__name__)
logger.debug("Logger initialized.")
from AthenaConfiguration.iconfTool.gui.wrappers import GuiLoader, DoublePad
from AthenaConfiguration.iconfTool.models.loaders import ComponentsFileLoader, ComponentsDiffFileLoader
from AthenaConfiguration.iconfTool.models.loaders import ComponentsFileLoader, ComponentsDiffFileLoader, baseParser
from AthenaConfiguration.iconfTool.utils import serialization
if __name__ == '__main__':
parser = argparse.ArgumentParser()
parser = baseParser
parser.add_argument('-i', '--input', type=str, help='Input file path')
parser.add_argument('-d', '--diff', type=str, help='Diff input file path')
parser.add_argument('-c', '--config', type=str,
......
......@@ -3,6 +3,11 @@
import pickle
import logging
from typing import Dict, List, Set, Tuple, cast
import collections
import json
import sys
import re
import argparse
from AthenaConfiguration.iconfTool.models.element import (
Element,
......@@ -13,6 +18,168 @@ from AthenaConfiguration.iconfTool.models.structure import ComponentsStructure
logger = logging.getLogger(__name__)
baseParser = argparse.ArgumentParser()
baseParser.add_argument(
"--includeComps",
nargs="*",
help="Report only component matching this string",
action="append",
)
baseParser.add_argument(
"--excludeComps",
nargs="*",
help="Exclude components matching this string",
action="append",
)
baseParser.add_argument(
"--ignoreIrrelevant",
help="Ignore differences in e.g. outputlevel",
action="store_true",
)
baseParser.add_argument(
"--ignore",
action="append",
default= [
"StoreGateSvc",
"OutputLevel",
"MuonEDMHelperSvc",
"ExtraInputs",
"ExtraOutputs",
"DetStore",
"EvtStore",
"NeededResources",
],
help="Ignore properties",
)
baseParser.add_argument(
"--renameComps",
nargs="*",
help="Pass comps You want to rename as OldName=NewName.",
action="append",
)
def loadConfigFile(fname, args) -> Dict:
"""loads config file into a dictionary, supports several modifications of the input switched on via additional arguments
Supports reading: Pickled file with the CA or properties & JSON
"""
conf = {}
if fname.endswith(".pkl"):
with open(fname, "rb") as input_file:
# determine if there is a old or new configuration pickled
cfg = pickle.load(input_file)
print("... Read", cfg.__class__.__name__, "from", fname)
from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator
if isinstance(cfg, ComponentAccumulator): # new configuration
props = cfg.gatherProps()
# to make json compatible with old configuration
jos_props = props[2]
to_json = {}
for comp, name, value in jos_props:
to_json.setdefault(comp, {})[name] = value
to_json[comp][name] = value
conf.update(to_json)
conf.update(props[0])
conf.update(props[1])
elif isinstance(
cfg, (collections.defaultdict, dict)
): # old configuration
conf.update(cfg)
elif isinstance(cfg, (collections.Sequence)):
for c in cfg:
conf.update(c)
print("... Read", len(conf), "items from python pickle file: ", fname)
elif fname.endswith(".json"):
def __keepPlainStrings(element):
if isinstance(element, str):
return str(element)
if isinstance(element, list):
return [__keepPlainStrings(x) for x in element]
if isinstance(element, dict):
return {
__keepPlainStrings(key): __keepPlainStrings(value)
for key, value in element.items()
}
return element
with open(fname, "r") as input_file:
cfg = json.load(input_file, object_hook=__keepPlainStrings)
for c in cfg:
conf.update(cfg)
print("... Read", len(conf), "items from JSON file: ", fname)
else:
sys.exit("File format not supported.")
if conf is None:
sys.exit("Unable to load %s file" % fname)
def flatten_list(l):
return [item for elem in l for item in elem] if l else []
if args.includeComps or args.excludeComps:
compsToReport = flatten_list(args.includeComps)
compsToExclude = flatten_list(args.excludeComps)
def eligible(component):
include = any(re.match(s, component) for s in compsToReport)
exclude = any(re.match(s, component) for s in compsToExclude)
if args.includeComps and args.excludeComps:
return include and not exclude
elif args.includeComps:
return include
elif args.excludeComps:
return not exclude
dic = conf
conf = {}
for (key, value) in dic.items():
if eligible(key):
conf[key] = value
if args.ignoreIrrelevant:
def remove_irrelevant(val_dict):
return (
{
key: val
for key, val in val_dict.items()
if key not in args.ignore
}
if isinstance(val_dict, dict)
else val_dict
)
dic = conf
conf = {}
for (key, value) in dic.items():
conf[key] = remove_irrelevant(value)
if args.renameComps:
compsToRename = flatten_list(args.renameComps)
splittedCompsNames = {
old_name: new_name
for old_name, new_name in [
element.split("=") for element in compsToRename
]
}
def rename_comps(comp_name):
return (
splittedCompsNames[comp_name]
if comp_name in splittedCompsNames
else comp_name
)
dic = conf
conf = {}
for (key, value) in dic.items():
conf[rename_comps(key)] = value
return conf
class ComponentsFileLoader:
def __init__(self, file_path: str, checked_elements=set()) -> None:
self.file_path: str = file_path
......@@ -20,6 +187,7 @@ class ComponentsFileLoader:
def _load_file_data(self) -> Dict:
logger.info(f"Loading {self.file_path}")
return loadConfigFile(self.file_path)
with open(self.file_path, "rb") as f:
return dict(pickle.load(f))
......
......@@ -6,24 +6,20 @@
from __future__ import print_function
import argparse
import ast
import collections
import json
import pickle
import pprint
import re
import sys
from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator
from AthenaConfiguration.iconfTool.models.loaders import loadConfigFile, baseParser
def parse_args():
parser = argparse.ArgumentParser(
description="Utility to transform/display athena configurations"
)
parser = baseParser
parser.add_argument(
"-p", "--printConf", action="store_true", help="Prints"
"-p", "--printConf", action="store_true", help="Prints entire configuration"
)
parser.add_argument(
"--printComps", action="store_true", help="Prints only the components"
......@@ -35,18 +31,6 @@ def parse_args():
parser.add_argument("--toPickle", help="Convert to pickle file")
parser.add_argument("file", nargs="+", help="Files to work with")
parser.add_argument(
"--includeComps",
nargs="*",
help="Report only component matching this string",
action="append",
)
parser.add_argument(
"--excludeComps",
nargs="*",
help="Exclude components matching this string",
action="append",
)
parser.add_argument(
"--ignoreMissing",
help="Don't report components existing in only of the two configuartions",
......@@ -67,17 +51,7 @@ def parse_args():
help="Print all parameters in component with difference even, if there are no differences.",
action="store_true",
)
parser.add_argument(
"--ignoreIrrelevant",
help="Ignore differences in e.g. outputlevel",
action="store_true",
)
parser.add_argument(
"--renameComps",
nargs="*",
help="Pass comps You want to rename as OldName=NewName.",
action="append",
)
args = parser.parse_args()
main(args)
......@@ -85,26 +59,15 @@ def parse_args():
def main(args):
if args.ignoreIrrelevant:
args.ignoreList = [
"StoreGateSvc",
"OutputLevel",
"MuonEDMHelperSvc",
"ExtraInputs",
"ExtraOutputs",
"DetStore",
"EvtStore",
"NeededResources",
]
print(f"Components to ignore: {args.ignoreList}")
print(f"Components to ignore: {args.ignore}")
if args.printComps:
for fileName in args.file:
conf = _loadSingleFile(fileName, args)
conf = loadConfigFile(fileName, args)
_printComps(conf)
if args.printConf:
for fileName in args.file:
conf = _loadSingleFile(fileName, args)
conf = loadConfigFile(fileName, args)
_print(conf)
if args.toJSON:
......@@ -115,13 +78,12 @@ def main(args):
from TrigConfIO.JsonUtils import create_joboptions_json
create_joboptions_json(args.file[0], args.file[0].replace("pkl","json"))
if args.toPickle:
if len(args.file) != 1:
sys.exit(
"ERROR, can convert single file at a time, got: %s" % args.file
)
conf = _loadSingleFile(args.file[0], args)
conf = loadConfigFile(args.file[0], args)
with open(args.toPickle, "wb") as oFile:
for item in conf:
pickle.dump(item, oFile)
......@@ -132,150 +94,19 @@ def main(args):
"ERROR, can diff exactly two files at a time, got: %s"
% args.file
)
configRef = _loadSingleFile(args.file[0], args)
configChk = _loadSingleFile(args.file[1], args)
flattenedRef = {}
flattenedChk = {}
for ref in configRef:
if isinstance(ref, dict):
flattenedRef.update(ref)
for chk in configChk:
if isinstance(chk, dict):
flattenedChk.update(chk)
_compareConfig(flattenedRef, flattenedChk, args)
def _loadSingleFile(fname, args):
conf = []
if fname.endswith(".pkl"):
with open(fname, "rb") as input_file:
# determine if there is a old or new configuration pickled
cfg = pickle.load(input_file)
if isinstance(cfg, ComponentAccumulator): # new configuration
props = cfg.gatherProps()
# to make json compatible with old configuration
jos_props = props[2]
to_json = {}
for comp, name, value in jos_props:
to_json.setdefault(comp, {})[name] = value
to_json[comp][name] = value
conf = [to_json, props[0], props[1]]
elif isinstance(
cfg, (collections.defaultdict, dict)
): # old configuration
cfg.update(pickle.load(input_file))
conf.append(pickle.load(input_file))
conf.append(cfg)
print("... Read", len(conf), "items from python pickle file: ", fname)
elif fname.endswith(".json"):
def __keepPlainStrings(element):
if isinstance(element, str):
return str(element)
if isinstance(element, list):
return [__keepPlainStrings(x) for x in element]
if isinstance(element, dict):
return {
__keepPlainStrings(key): __keepPlainStrings(value)
for key, value in element.items()
}
return element
with open(fname, "r") as input_file:
conf = json.load(input_file, object_hook=__keepPlainStrings)
print("... Read", len(conf), "items from JSON file: ", fname)
else:
sys.exit("File format not supported.")
if conf is None:
sys.exit("Unable to load %s file" % fname)
def flatten_list(l):
return [item for elem in l for item in elem] if l else []
if (
args.includeComps or args.excludeComps
): # returning only wanted components
compsToReport = flatten_list(args.includeComps)
compsToExclude = flatten_list(args.excludeComps)
def eligible(component):
include = any(re.match(s, component) for s in compsToReport)
exclude = any(re.match(s, component) for s in compsToExclude)
if args.includeComps and args.excludeComps:
return include and not exclude
elif args.includeComps:
return include
elif args.excludeComps:
return not exclude
conf = [
{key: value for (key, value) in dic.items() if eligible(key)}
for dic in conf
if isinstance(dic, dict)
]
if args.ignoreIrrelevant:
def remove_irrelevant(val_dict):
return (
{
key: val
for key, val in val_dict.items()
if key not in args.ignoreList
}
if isinstance(val_dict, dict)
else val_dict
)
conf = [
{key: remove_irrelevant(value) for (key, value) in dic.items()}
for dic in conf
if isinstance(dic, dict)
]
if args.renameComps:
compsToRename = flatten_list(args.renameComps)
splittedCompsNames = {
old_name: new_name
for old_name, new_name in [
element.split("=") for element in compsToRename
]
}
def rename_comps(comp_name):
return (
splittedCompsNames[comp_name]
if comp_name in splittedCompsNames
else comp_name
)
conf = [
{rename_comps(key): value for (key, value) in dic.items()}
for dic in conf
if isinstance(dic, dict)
]
return conf
configRef = loadConfigFile(args.file[0], args)
configChk = loadConfigFile(args.file[1], args)
_compareConfig(configRef, configChk, args)
def _print(conf):
for item in conf:
pprint.pprint(dict(item))
pprint.pprint(conf)
def _printComps(conf):
for item in conf:
for k, item in conf.items():
if isinstance(item, dict):
for compName in item.keys():
print(compName)
print(k)
def _compareConfig(configRef, configChk, args):
# Find superset of all components:
......
0% Loading or .
You are about to add 0 people to the discussion. Proceed with caution.
Finish editing this message first!
Please register or to comment