ATLAS Offline Software
Loading...
Searching...
No Matches
physval_make_web_display.py
Go to the documentation of this file.
1#!/usr/bin/env python
2
3# Copyright (C) 2002-2022 CERN for the benefit of the ATLAS collaboration
4
5"""
6Transate arbitrary root file into a han config file
7@author: ponyisi@utexas.edu
89 Oct 2008
9Adapted for physics validation 14 May 2014
10"""
11
12
13from DQConfMakerBase.DQElements import DQRegion, DQReference, DQAlgorithm, DQAlgorithmParameter
14from DQConfMakerBase.Helpers import make_thresholds
15from DataQualityUtils.hanwriter import writeHanConfiguration
16from DataQualityUtils import HanMetadata
17import ROOT
18
19repeatalgorithm = DQAlgorithm(id='RepeatAlgorithm',
20 libname='libdqm_algorithms.so')
21worst = DQAlgorithm(id='WorstCaseSummary',libname='libdqm_summaries.so')
22
23
27algorithmparameters = [DQAlgorithmParameter('AuxAlgName--Chi2Test_Chi2_per_NDF', 1),
28 DQAlgorithmParameter('RepeatAlgorithm--ResultsNEntries', 1)]
29
30# this will be used if no references are provided
31norefalgorithm = DQAlgorithm(id='GatherData',
32 libname='libdqm_algorithms.so')
33
34# Edit this to change thresholds
35thresh = make_thresholds('Chi2_per_NDF', 1.0, 1.50, 'Chi2Thresholds')
36
37
38def recurse(rdir, dqregion, ignorepath, modelrefs=[], displaystring='Draw=PE', displaystring2D='Draw=COLZ', regex=None, startpath=None, hists=None, manglefunc=None):
39 if manglefunc is None:
40 manglefunc = lambda a, b: a # noqa: E731
41 for key in rdir.GetListOfKeys():
42 cl = key.GetClassName(); rcl = ROOT.TClass.GetClass(cl)
43 if ' ' in key.GetName():
44 print('WARNING: cannot have spaces in histogram names for han config; not including %s %s' % (cl, key.GetName()))
45 continue
46 if rcl.InheritsFrom('TH1') or rcl.InheritsFrom('TGraph') or rcl.InheritsFrom('TEfficiency'):
47 if '/' in key.GetName():
48 print('WARNING: cannot have slashes in histogram names, encountered in directory %s, histogram %s' % (rdir.GetPath(), key.GetName()))
49 continue
50 if key.GetName() == 'summary':
51 print('WARNING: cannot have histogram named summary, encountered in %s' % rdir.GetPath())
52 continue
53 fpath = rdir.GetPath().replace(ignorepath, '')
54 name = (fpath + '/' + key.GetName()).lstrip('/')
55 #print rdir.GetPath(), ignorepath, name
56 if hists:
57 match = False
58 for hist in hists:
59 if hist.match(name):
60 match = True
61 if not match: continue
62 elif regex:
63 if not regex.match(name): continue
64 dqpargs = { 'id' : ('' if fpath else 'top_level/') + name,
65 'inputdatasource': (startpath + '/' if startpath else '') + name,
66 }
67 if modelrefs:
68 lnewrefs = []
69 for mref in modelrefs:
70 newref = DQReference(manglefunc(mref.getReference().replace('same_name', (startpath + '/' if startpath else '') + name), mref.id))
71 newref.addAnnotation('info', mref.id)
72 lnewrefs.append(newref)
73 dqpargs.update({'algorithm': repeatalgorithm,
74 'algorithmparameters': algorithmparameters,
75 'thresholds': thresh,
76 'references': lnewrefs
77 })
78 else:
79 dqpargs['algorithm'] = norefalgorithm
80 dqpar = dqregion.newDQParameter( **dqpargs)
81 drawstrs = []
82 if not options.normalize: drawstrs.append('NoNorm')
83 if options.logy and (cl.startswith('TH1') or cl=='TProfile'): drawstrs.append('LogY')
84 if options.logy and (cl.startswith('TH2') or cl=='TProfile2D'): drawstrs.append('LogZ')
85 if cl.startswith('TH1'): drawstrs.append(displaystring)
86 if cl == 'TProfile': drawstrs.append(displaystring)
87 if cl.startswith('TH2') or cl=='TProfile2D': drawstrs.append(displaystring2D)
88 if options.scaleref != 1: drawstrs.append('ScaleRef=%f' % options.scaleref)
89 if options.ratio: drawstrs.append('RatioPad')
90 #if options.ratio: drawstrs.append('Ref2DSignif')
91 if options.ratio2D: drawstrs.append('Ref2DRatio')
92 if options.ratiorange is not None:
93 drawstrs.append('delta(%f)' % options.ratiorange)
94
95 drawstrs.append('DataName=%s' % options.title)
96 dqpar.addAnnotation('display', ','.join(drawstrs))
97
98 elif rcl.InheritsFrom('TDirectory'):
99 newregion = dqregion.newDQRegion( key.GetName(), algorithm=worst )
100 recurse(key.ReadObj(), newregion, ignorepath, modelrefs, displaystring, displaystring2D, regex, startpath, hists, manglefunc)
101
102def prune(dqregion):
103 """
104 returns True if we should kill this node
105 False if we should not
106 """
107 params = dqregion.getDQParameters()
108 if params is None:
109 params = []
110 subregions = dqregion.getSubRegions()
111 if subregions is None:
112 subregions = []
113 else:
114 subregions = subregions[:]
115 # kill subregions
116 for sr in subregions:
117 if sr is None:
118 continue
119 if prune(sr):
120 dqregion.delRelation('DQRegions', sr)
121 subregions = dqregion.getSubRegions()
122 if subregions is None:
123 subregions = []
124 if len(subregions) + len(params) == 0:
125 return True
126 else:
127 return False
128
129def paramcount(dqregion):
130 params = dqregion.getDQParameters()
131 if params is None:
132 params = []
133 subregions = dqregion.getSubRegions()
134 if subregions is None:
135 subregions = []
136
137 return len(params) + sum([paramcount(region) for region in subregions])
138
139def process(infname, confname, options, refs=None):
140 import re
141 f = ROOT.TFile.Open(infname, 'READ')
142 if not f.IsOpen():
143 print('ERROR: cannot open %s' % infname)
144 return
145
146 top_level = DQRegion(id='topRegion',algorithm=worst)
147 print('Building tree...')
148 refpairs = refs.split(',') if refs else []
149 try:
150 refdict = dict(_.split(':', 1) for _ in refpairs)
151 except Exception as e:
152 print(e)
153 # "Model" references
154 dqrs = [DQReference(reference='%s:same_name' % v, id=k)
155 for k, v in list(refdict.items())]
156 displaystring = options.drawopt
157 if options.refdrawopt:
158 displaystring += ',' + (','.join('DrawRef=%s' % _ for _ in options.refdrawopt.split(',')))
159 displaystring2D = options.drawopt2D
160 if options.drawrefopt2D:
161 displaystring2D += ',' + (','.join('DrawRef2D=%s' % _ for _ in options.drawrefopt2D.split(',')))
162
163 if options.startpath:
164 topindir = f.Get(options.startpath)
165 if not topindir:
166 raise ValueError("Path %s doesn't exist in input file" % options.startpath)
167 topindirname = f.GetPath() + options.startpath.strip('/')
168 startpath = options.startpath.strip('/')
169 else:
170 topindir = f
171 topindirname = f.GetPath()
172 startpath = None
173
174 # make a map for the reference path names
175 refstartpaths = options.refstartpath.split(',') if options.refstartpath else []
176 try:
177 refstartpathdict = dict(_.split(':') for _ in refstartpaths)
178 for k, v in refstartpathdict.items():
179 refstartpathdict[k] = v.strip('/')
180 except Exception as e:
181 print(e)
182 def refpath_manglefunc(path, id):
183 try:
184 pfx = refstartpathdict[id]
185 # consider also the case where pfx is ''
186 return path.replace(':' + (startpath + '/' if startpath else ''), ':' + (pfx +'/' if pfx else ''), 1)
187 except KeyError:
188 return path
189
190 hists = []
191 if options.histlistfile:
192 hists = [re.compile(line.rstrip('\n')) for line in open(options.histlistfile)]
193 if options.pathregex: print("histlistfile given, pathregex is ignored")
194 if options.refmangle:
195 import sys
196 sys.path.append(os.getcwd())
197 import importlib
198 manglefunc = importlib.import_module(options.refmangle).mangle
199 else:
200 manglefunc = refpath_manglefunc
201 recurse(topindir, top_level, topindirname, dqrs, displaystring, displaystring2D,
202 re.compile(options.pathregex), startpath, hists, manglefunc=manglefunc)
203 print('Pruning dead branches...')
204 prune(top_level)
205 pc = paramcount(top_level)
206
207 sublevel = top_level.getSubRegions()[:]
208 for x in sublevel:
209 top_level.delRelation('DQRegions', x)
210
211 print('Writing output')
212 writeHanConfiguration( filename = confname , roots = sublevel)
213 return pc
214
215def super_process(fname, options):
216 import shutil, os, sys, contextlib
217 import ROOT
218 han_is_found = (ROOT.gSystem.Load('libDataQualityInterfaces') != 1)
219 if not han_is_found:
220 print('ERROR: unable to load offline DQMF; unable to proceed')
221 sys.exit(1)
222 bname = os.path.basename(fname)
223
224 hanconfig = None
225 hanhcfg = None
226 hanoutput = None
227
228 failed = False
229 prebuilt_hcfg = False
230
231 @contextlib.contextmanager
232 def tmpdir():
233 import tempfile
234 td = tempfile.mkdtemp()
235 yield td
236 shutil.rmtree(td)
237
238 with tmpdir() as hantmpdir:
239 try:
240 print('====> Processing file %s' % (fname))
241 print('====> Generating han configuration file')
242 hantmpinput = os.path.join(hantmpdir, bname)
243 shutil.copyfile(fname, hantmpinput)
244 haninput = hantmpinput
245 hanconfig = os.path.join(hantmpdir, 'han.config')
246 rv = process(hantmpinput, hanconfig, options, options.reffile)
247 #shutil.copy(hanconfig, os.getcwd())
248
249 # bad hack. rv = number of histogram nodes
250 if rv == 0:
251 print('No histograms to display; exiting with code 0')
252 sys.exit(0)
253
254 print('====> Compiling han configuration')
255 hanhcfg = os.path.join(hantmpdir, 'han.hcfg')
256 ROOT.dqi.HanConfig().AssembleAndSave( hanconfig, hanhcfg )
257 print('====> Executing han')
258 import resource
259 memlimit = resource.getrlimit(resource.RLIMIT_AS)
260 resource.setrlimit(resource.RLIMIT_AS, (memlimit[1], memlimit[1]))
261 hanoutput = haninput.rpartition('.')[0] + '_han.root'
262
263 rv = ROOT.dqi.HanApp().Analyze( hanhcfg, haninput, hanoutput )
264 if rv != 0:
265 raise Exception('failure in han')
266 if options.amitag:
267 rf = ROOT.TFile.Open(hanoutput, 'UPDATE')
268 HanMetadata.addMetadata(rf, 'AMI', {'AMI Tag': options.amitag})
269 rf.Close()
270 if not options.hanonly:
271 print('====> Dumping web display output')
272 from DataQualityUtils import handimod
273 handimod.handiWithComparisons( options.title,
274 hanoutput,
275 options.outdir,
276 '', False, False,
277 'https://atlasdqm.web.cern.ch/atlasdqm/js/',
278 3 if options.jsRoot else 1)
279 if options.hanoutput:
280 from pathlib import Path
281 print('====> Copying han output to', options.hanoutput)
282 target = Path(options.hanoutput)
283 try:
284 target.parent.mkdir(parents=True, exist_ok=True)
285 except Exception as e:
286 print('Unable to create %s for some reason: %s' % (target.parent, e))
287 raise Exception('Error during execute') from e
288 shutil.copy2(hanoutput, options.hanoutput)
289 print('====> Cleaning up')
290 os.unlink(hanoutput)
291 except Exception as e:
292 print(e)
293 import traceback
294 traceback.print_exc()
295 if 'canonical format' not in str(e):
296 failed = True
297 finally:
298 try:
299 if not prebuilt_hcfg:
300 os.unlink(hantmpinput)
301 os.unlink(hanconfig)
302 os.unlink(hanhcfg)
303 os.unlink(hanoutput)
304 except Exception:
305 pass
306
307 return not failed
308
309
310if __name__=="__main__":
311 import sys, optparse, os
312 os.environ['TDAQ_ERS_NO_SIGNAL_HANDLERS']='1'
313 parser = optparse.OptionParser(usage='usage: %prog [options] inputfile')
314 parser.add_option('--reffile', default=None,
315 help='Reference files to use. Must have same structure as inputfile. Format: tag1:reffile1.root,tag2:reffile2.root,...')
316 parser.add_option('--outdir', default='./handi',
317 help='Directory for web ouptut')
318 parser.add_option('--hanoutput', default=None,
319 help='Filename to save han output to (will not save if not set)')
320 parser.add_option('--hanonly', action='store_true',
321 help='Only save han output file, do not write HTML/PNG')
322 parser.add_option('--normalize', default=False, action='store_true',
323 help='Normalize reference histograms for display')
324 parser.add_option('--title', default='Summary',
325 help='Title for histograms being tested')
326 parser.add_option('--drawopt', default='Draw=PE',
327 help='Draw options for tested histograms (only use if you know what you are doing)')
328 parser.add_option('--refdrawopt',
329 help='ROOT Draw option for reference histograms (e.g. HIST)')
330 parser.add_option('--drawopt2D', default='Draw=COLZ',
331 help='Draw options for tested TH2 histograms (only use if you know what you are doing)')
332 parser.add_option('--drawrefopt2D', default=None,
333 help='Draw options for reference TH2 histograms. If nothing is specified, no 2D reference histograms are drawn. If you want to draw both test and reference histo, recommended settings are --drawopt2D="Draw=BOX" --drawrefopt2D="COLZ"')
334 parser.add_option('--logy', action='store_true',
335 help='Display on log Y scale')
336 parser.add_option('--pathregex', default='.*',
337 help='Specify regex to match histograms, e.g. "(Btag|Jets)"')
338 parser.add_option('--startpath', default=None,
339 help='Start from this subdirectory of the file')
340 parser.add_option('--refstartpath', default=None,
341 help='Start from this subdirectory of reference files. By default is the same as startpath. Format: tag1:dir1,tag2:dir2,...')
342 parser.add_option('--histlistfile',
343 help='text file with a list of regexes/histogram names')
344 parser.add_option('--scaleref', type="float", default=1,
345 help='Scale references by this value')
346 parser.add_option('--Kolmogorov', default=False, action='store_true',
347 help='Run Kolmogorov test instead of Chi2 test')
348 parser.add_option('--ratio', default=False, action='store_true',
349 help='Draw histograms with ratio plots')
350 parser.add_option('--ratio2D', default=False, action='store_true',
351 help='Draw 2D histograms with ratio plots')
352 parser.add_option('--jsRoot',action='store_true', default=False,
353 help="make interactive jsRoot displays")
354 parser.add_option('--ratiorange', default=None, type="float",
355 help='set range for ratio plots (as delta to 1.0)')
356 parser.add_option('--refmangle', default=None, type="string",
357 help='provide a Python module to translate histogram names between test and reference files. Module should provide\na function mangle(testhistoname, reflabel)')
358 parser.add_option('--amitag', default=None,
359 help='AMI tag to add as metadata')
360
361 options, args = parser.parse_args()
362
363 if not 1 == len(args):
364 parser.print_help()
365 sys.exit(1)
366 fname = args[0]
367 if options.Kolmogorov:
368 algorithmparameters = [DQAlgorithmParameter('AuxAlgName--KolmogorovTest_Prob', 1),
369 DQAlgorithmParameter('RepeatAlgorithm--ResultsNEntries', 1)]
370 thresh = make_thresholds('P', 0.05, 0.01, 'pThresholds')
371
372 rv = super_process(fname, options)
373 if rv:
374 sys.exit(0)
375 else:
376 sys.exit(1)
void print(char *figname, TCanvas *c1)
const std::string process
std::string replace(std::string s, const std::string &s2, const std::string &s3)
Definition hcg.cxx:310
recurse(rdir, dqregion, ignorepath, modelrefs=[], displaystring='Draw=PE', displaystring2D='Draw=COLZ', regex=None, startpath=None, hists=None, manglefunc=None)