diff --git a/Control/CalypsoCommon/CMakeLists.txt b/Control/CalypsoCommon/CMakeLists.txt new file mode 100644 index 0000000000000000000000000000000000000000..3b99b49df2983a1cfcacb373a2f4f7b84c461cf1 --- /dev/null +++ b/Control/CalypsoCommon/CMakeLists.txt @@ -0,0 +1,25 @@ +################################################################################ +# Package: CalypsoCommon +################################################################################ + +# Declare the package name: +atlas_subdir( CalypsoCommon ) + +# Declare the package's dependencies: +atlas_depends_on_subdirs( PRIVATE + TestPolicy ) + +# External dependencies: +find_package( six ) + +# Install files from the package: +atlas_install_headers( CalypsoCommon ) +atlas_install_python_modules( python/*.py python/Utils ) +#atlas_install_joboptions( share/Preparation.py share/Execution.py share/Atlas.UnixStandardJob.py test/*.py +# share/zeroJO.py share/Atlas_Gen.UnixStandardJob.py share/MemTraceInclude.py share/runbatch.py) +#atlas_install_scripts( share/athena.py share/athena3.py share/athena_preload.sh share/chappy.py share/find_cfg_dups.py share/test_cfg_pickling.py ) +#atlas_install_runtime(share/*.pkl) + +# Aliases: +atlas_add_alias( calypso "athena.py" ) + diff --git a/Control/CalypsoCommon/python/GlobalFlags.py b/Control/CalypsoCommon/python/GlobalFlags.py new file mode 100644 index 0000000000000000000000000000000000000000..b5905af746bf8b09a00478678560b5d7043a3288 --- /dev/null +++ b/Control/CalypsoCommon/python/GlobalFlags.py @@ -0,0 +1,295 @@ +# Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration + +############################################################################### +## +## @file AthenaCommon/python/GlobalFlags.py +## @brief Python module to hold common flags to configure JobOptions +## + +""" GlobalFlags + Python module to hold common global flags + + + + The module has been re-written in terms of the new JobProperties and the + original class implementation was modified to allow a smooth transition. + For example: + GlobalFlags.DetGeo.set_atlas() + will internally do: + jobproperties.Global.DetGeo='atlas' + At some point "GlobalFlags.DetGeo.set_atlas()" we will add a warning + message and later on we declare them obsolete + + +""" + +from __future__ import print_function + +__author__ = "S.Binet, M.Gallas, David Rousseau" +__version__= "$Revision: 1.14 $" +__doc__ = "Global job properties" + +__all__ = [ "GlobalFlags", "globalflags" ] + +##----------------------------------------------------------------------------- +# imports +from AthenaCommon.JobProperties import JobProperty, JobPropertyContainer +from AthenaCommon.JobProperties import jobproperties + + +# +class DetGeo(JobProperty): + """ Which detector configuration : atlas, combined test beam or commisisoning + """ + statusOn=True + allowedTypes=['str'] + allowedValues=['atlas','ctbh8','ctbh6','commis','faser'] + StoredValue='faser' + + # automatically generate is_xyz() helpers + for v in allowedValues: + exec( "def is_%s(self): return self() == '%s'" % (v,v) ) + +# +class DetDescrVersion(JobProperty): + """ Detector geometry DB tag + see https://twiki.cern.ch/twiki/bin/view/Atlas/DetDescrVersion. + """ + statusOn=True + allowedTypes=['str'] +# allowedValues=['DC1','DC2','DC2-Final','DC2-Initial','Rome-Initial',\ +# 'Rome-Initial-v00','Rome-Final','DC1-Initial',\ +# 'DC1-Final','CTB','Commissioning-Calo','Commissioning-Muon'\ +# 'ATLAS-DC3-01','ATLAS-DC3-02','Default'] + StoredValue='FASER-00' + +class ConditionsTag(JobProperty): + """ See https://twiki.cern.ch/twiki/bin/view/Atlas/CoolProdTags + """ + statusOn=True + allowedTypes=['str'] + StoredValue='OFLCOND-RUN12-SDR-31' + +# +class DatabaseInstance(JobProperty): + """Switch between run1/run2 database instance""" + statusOn=True + allowedTypes=['str'] + allowedValues=['auto','COMP200','CONDBR2'] + StoredValue='auto' +# +class DataSource(JobProperty): + """ Where does the data comes from : real data, geant3 or geant4 + """ + statusOn=True + allowedTypes=['str'] + allowedValues=['data','geant3','geant4'] + StoredValue='geant4' + + # automatically generate is_xyz() helpers + for v in allowedValues: + exec( "def is_%s(self): return self() == '%s'" % (v,v) ) + +# +class InputFormat(JobProperty): + """ Input format of the data + """ + statusOn=True + allowedTypes=['str'] + allowedValues=['zebra','pool','bytestream'] + StoredValue='pool' + + # automatically generate is_xyz() helpers + for v in allowedValues: + exec( "def is_%s(self): return self() == '%s'" % (v,v) ) + +# +class Luminosity(JobProperty): + """ Luminosity + + zero -> no pile up at all + verylow -> 10^33 + low -> 2 10^33 + high -> 10^34 + + """ + statusOn=False + allowedTypes=['str'] + allowedValues=['zero','verylow','low','high'] + StoredValue='low' + + # automatically generate is_xyz() helpers + for v in allowedValues: + exec( "def is_%s(self): return self() == '%s'" % (v,v) ) + + # prepare removal for Luminosity + #def _undo_action(self): + # print ("WARNING GlobalFlags.Luminosity is OBSOLETE. Please use beamFlags instead.") + + #def _do_action(self): + # print ("WARNING GlobalFlags.Luminosity is OBSOLETE. Please use beamFlags instead.") + + #def get_Value(self): + # print ("WARNING GlobalFlags.Luminosity is OBSOLETE. Please use beamFlags instead.") + # return self.statusOn + +# +class isOverlay(JobProperty): + """ if data is overlayed + """ + statusOn=True + allowedTypes=['bool'] + StoredValue=False + + +# Defines the container for the reconstruction flags +class Global(JobPropertyContainer): + """ The global flag/job property container. + """ + +# add the reconstruction flags container to the top container +jobproperties.add_Container(Global) + + +# I want always the following flags in the Global container +list_jobproperties=[DetGeo,DataSource,InputFormat,Luminosity,DetDescrVersion,ConditionsTag,DatabaseInstance,isOverlay] +for i in list_jobproperties: + jobproperties.Global.add_JobProperty(i) + +# The short name (carefull do not select same name as shot name as well. +# otherwise problems with pickle) +globalflags=jobproperties.Global + + +############################################################################### +## OLD code that will be completely replaced by globalflags based on JobProperties +############################################################################### +# GlobalFlags : Author Tadashi Maeno, David Rousseau +# This is class for main jobs configuration flags +# +# Category : DetGeo has states : atlas ctbh6 ctbh8 (ctbh6 and ctbh8 grouped in ctb) +# Category : DataSource has states : data geant3 geant4 +# Category : InputFormat has states : zebra pool bytestream +# +#Each category can be set once and only once by the main topOptions. +# states are mutually exclusive +# +# from RecExCommon.GlobalFlags import GlobalFlags +# GlobalFlags.DetGeo.set_atlas() # set DetGeo to be atlas +# (trying to set again the same category will throw an error) +# +# state can be interrogated as follows (by construction, one category +# is only in one state. Testing a category that has not been set +# throws an error): +# if GlobalFlags.DetGeo.is_atlas(): +# +#Groupings canbe used to interrogate (no set methods available): +# if GlobalFlags.DetGeo.is_ctb(): (or of is_ctbh6() and is_ctbh8()) + +class GlobalFlags: + + # prefix of flag member + _flagPrefix = '_flag_' + + # Detector geometry + class DetGeo: + _name ='DetGeo' + _beenSet = False + + _flag_atlas = False + _flag_ctbh6 = False + _flag_ctbh8 = False + _flag_commis = False + _flag_faser = False + + # special is-method + def is_ctb (cls): + # stop if any flags have not been set yet + if not cls._beenSet: + raise RuntimeError('ERROR : GlobalFlags.%s has not been set!' % cls.__name__) + return cls._flag_ctbh6 | cls._flag_ctbh8 + is_ctb = classmethod(is_ctb) + + # Data source + class DataSource: + _name ='DataSource' + _beenSet = False + + _flag_data = False + _flag_geant3 = False + _flag_geant4 = False + + # Data input format + class InputFormat: + _name ='InputFormat' + _beenSet = False + + _flag_zebra = False + _flag_pool = False + _flag_bytestream = False + + # Data luminosity + class Luminosity: + _name ='Luminosity' + _beenSet = False + # no pile up at all + _flag_zero = False + # 10^33 + _flag_verylow = False + # 2 10^33 + _flag_low = False + # 1 10^34 + _flag_high = False + + # class list + _classObjList = [DetGeo,DataSource,InputFormat,Luminosity] + + # append set- and is-method + for _classObj in _classObjList: + for _attr in dir(_classObj)[:]: + # look for flag member + if 0 == _attr.find(_flagPrefix): + # temporary class for function object + class _TmpC: + def __init__ (self,clsObj,flagName): + self._clsObj = clsObj + self._flagName = flagName + def set (self): + # stop if already set + if self._clsObj._beenSet: + raise RuntimeError('ERROR : GlobalFlags.%s has been already set!' % self._clsObj.__name__) + # set flags true + setattr(self._clsObj, self._flagName, True) + self._clsObj._beenSet = True + raise RuntimeError("ERROR GlobalFlags.set_%s() deprecated ! Use globalflags.%s.set_Value_and_Lock(blah) instead !" % (self._clsObj.__name__+"."+self._flagName[6:],self._clsObj.__name__)) + # setting at the same time jobproperties value + data={'JobProperties.Global':{self._clsObj._name:self._flagName.replace('_flag_','')}} + jobproperties.set_JobProperties(data) + def is_xyz (self): + raise RuntimeError("ERROR GlobalFlags.is_%s() deprecated ! Use if globalflags.%s == blah instead !" % (self._flagName[6:],self._clsObj.__name__)) + # stop if any flags have not been set yet + if not self._clsObj._beenSet: + raise RuntimeError('ERROR : GlobalFlags.%s has not been set!' % self._clsObj.__name__) + return getattr(self._clsObj, self._flagName) + + _tmpC = _TmpC(_classObj,_attr) + # register methods + _setMethod = _attr.replace(_flagPrefix,'set_') + setattr(_classObj,_setMethod, _tmpC.set) + _isMethod = _attr.replace(_flagPrefix,'is_') + setattr(_classObj,_isMethod, _tmpC.is_xyz) + + # dump Setting + def Print (cls): + format = "%12s : %s" + for classObj in cls._classObjList: + flagName = '----' + for attr in dir(classObj): + # look for flag member + if 0 == attr.find(cls._flagPrefix): + # test if this flag on + if classObj.__dict__[attr]: + flagName = attr.replace(cls._flagPrefix,'') + print (format % (classObj.__name__, flagName)) + + # class method + Print = classmethod(Print) diff --git a/Control/CalypsoCommon/python/__init__.py b/Control/CalypsoCommon/python/__init__.py new file mode 100644 index 0000000000000000000000000000000000000000..8b137891791fe96927ad78e64b0aad7bded08bdc --- /dev/null +++ b/Control/CalypsoCommon/python/__init__.py @@ -0,0 +1 @@ + diff --git a/Control/CalypsoConfiguration/CMakeLists.txt b/Control/CalypsoConfiguration/CMakeLists.txt new file mode 100644 index 0000000000000000000000000000000000000000..717b71d09c6e2848d469d2dada7461907d3cfd73 --- /dev/null +++ b/Control/CalypsoConfiguration/CMakeLists.txt @@ -0,0 +1,15 @@ +################################################################################ +# Package: CalypsoConfiguration +################################################################################ + +# Declare the package name: +atlas_subdir( CalypsoConfiguration ) + +atlas_depends_on_subdirs( Control/AthenaConfiguration ) + +# External dependencies: +find_package( six ) + +# Install files from the package: +atlas_install_python_modules( python/*.py ) + diff --git a/Control/CalypsoConfiguration/python/AllConfigFlags.py b/Control/CalypsoConfiguration/python/AllConfigFlags.py new file mode 100644 index 0000000000000000000000000000000000000000..263f093b1708f279e90ffcb1393c925031d3d566 --- /dev/null +++ b/Control/CalypsoConfiguration/python/AllConfigFlags.py @@ -0,0 +1,206 @@ +# Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration + +from __future__ import print_function + +from AthenaConfiguration.AllConfigFlags import ConfigFlags as athenaConfigFlags +from AthenaConfiguration.AllConfigFlags import GetFileMD +# from AthenaConfiguration.AthConfigFlags import AthConfigFlags +# from AthenaCommon.SystemOfUnits import TeV +# from AthenaConfiguration.AutoConfigFlags import GetFileMD, GetDetDescrInfo +import six + + +def _moduleExists (modName): + if six.PY34: + import importlib + return importlib.util.find_spec (modName) is not None + else: + import imp + try: + imp.find_module (modName) + except ImportError: + return False + return True + + +def _addFlagsCategory (acf, name, generator, modName = None): + if _moduleExists (modName): + return acf.addFlagsCategory (name, generator) + return None + + +def _createCfgFlags(): + + # acf=AthConfigFlags() + fcf = athenaConfigFlags + + # acf.addFlag('Input.Files', ["_ATHENA_GENERIC_INPUTFILE_NAME_",] ) # former global.InputFiles + # acf.addFlag('Input.SecondaryFiles', []) # secondary input files for DoubleEventSelector + # acf.addFlag('Input.isMC', lambda prevFlags : "IS_SIMULATION" in GetFileMD(prevFlags.Input.Files).get("eventTypes",[]) ) # former global.isMC + # acf.addFlag('Input.RunNumber', lambda prevFlags : list(GetFileMD(prevFlags.Input.Files).get("runNumbers",[]))) # former global.RunNumber + # acf.addFlag('Input.ProjectName', lambda prevFlags : GetFileMD(prevFlags.Input.Files).get("project_name","data17_13TeV") ) # former global.ProjectName + + # def _inputCollections(inputFile): + # rawCollections = [type_key[1] for type_key in GetFileMD(inputFile).get("itemList",[])] + # collections = filter(lambda col: not col.endswith('Aux.'), rawCollections) + # return collections + + # acf.addFlag('Input.Collections', lambda prevFlags : _inputCollections(prevFlags.Input.Files) ) + + # acf.addFlag('Concurrency.NumProcs', 0) + # acf.addFlag('Concurrency.NumThreads', 0) + # acf.addFlag('Concurrency.NumConcurrentEvents', 0) + + # acf.addFlag('Scheduler.CheckDependencies', True) + # acf.addFlag('Scheduler.ShowDataDeps', True) + # acf.addFlag('Scheduler.ShowDataFlow', True) + # acf.addFlag('Scheduler.ShowControlFlow', True) + + # acf.addFlag('Common.isOnline', False ) # Job runs in an online environment (access only to resources available at P1) # former global.isOnline + # acf.addFlag('Common.useOnlineLumi', lambda prevFlags : prevFlags.Common.isOnline ) # Use online version of luminosity. ??? Should just use isOnline? + # acf.addFlag('Common.doExpressProcessing', False) + + # def _checkProject(): + # import os + # if "AthSimulation_DIR" in os.environ: + # return "AthSimulation" + # #TODO expand this method. + # return "Athena" + # acf.addFlag('Common.Project', _checkProject()) + + # replace global.Beam* + # acf.addFlag('Beam.BunchSpacing', 25) # former global.BunchSpacing + # acf.addFlag('Beam.Type', lambda prevFlags : GetFileMD(prevFlags.Input.Files).get('beam_type','collisions') )# former global.BeamType + # acf.addFlag("Beam.NumberOfCollisions", lambda prevFlags : 2. if prevFlags.Beam.Type=='collisions' else 0.) # former global.NumberOfCollisions + # acf.addFlag('Beam.Energy', lambda prevFlags : GetFileMD(prevFlags.Input.Files).get('beam_energy',7*TeV)) # former global.BeamEnergy + # acf.addFlag('Beam.estimatedLuminosity', lambda prevFlags : ( 1E33*(prevFlags.Beam.NumberOfCollisions)/2.3 ) *\ + # (25./prevFlags.Beam.BunchSpacing)) # former flobal.estimatedLuminosity + + + # acf.addFlag('Output.doESD', False) # produce ESD containers + + # acf.addFlag('Output.EVNTFileName','myEVNT.pool.root') + # acf.addFlag('Output.HITSFileName','myHITS.pool.root') + # acf.addFlag('Output.RDOFileName','myRDO.pool.root') + # acf.addFlag('Output.ESDFileName','myESD.pool.root') + # acf.addFlag('Output.AODFileName','myAOD.pool.root') + # acf.addFlag('Output.HISTFileName','myHIST.root') + + # Might move this elsewhere in the future. + # Some flags from https://gitlab.cern.ch/atlas/athena/blob/master/Tracking/TrkDetDescr/TrkDetDescrSvc/python/TrkDetDescrJobProperties.py + # (many, e.g. those that set properties of one tool are not needed) + # acf.addFlag('TrackingGeometry.MagneticFileMode', 6) + # acf.addFlag('TrackingGeometry.MaterialSource', 'COOL') # Can be COOL, Input or None + +#Detector Flags: + def __detector(): + from CalypsoConfiguration.DetectorConfigFlags import createDetectorConfigFlags + return createDetectorConfigFlags() + # acf.addFlagsCategory( "Detector", __detector ) + fcf.join( __detector() ) + +#Simulation Flags: + def __simulation(): + from G4AtlasApps.SimConfigFlags import createSimConfigFlags + return createSimConfigFlags() + _addFlagsCategory (fcf, "Sim", __simulation, 'G4AtlasApps' ) + +#Digitization Flags: + # def __digitization(): + # from Digitization.DigitizationConfigFlags import createDigitizationCfgFlags + # return createDigitizationCfgFlags() + # _addFlagsCategory(acf, "Digitization", __digitization, 'Digitization' ) + +#Overlay Flags: + # def __overlay(): + # from OverlayConfiguration.OverlayConfigFlags import createOverlayConfigFlags + # return createOverlayConfigFlags() + # _addFlagsCategory(acf, "Overlay", __overlay, 'OverlayConfiguration' ) + +#Geo Model Flags: + # acf.addFlag('GeoModel.Layout', 'atlas') # replaces global.GeoLayout + # acf.addFlag("GeoModel.AtlasVersion", lambda prevFlags : GetFileMD(prevFlags.Input.Files).get("GeoAtlas",None) or "ATLAS-R2-2016-01-00-01") # + # acf.addFlag("GeoModel.Align.Dynamic", lambda prevFlags : (not prevFlags.Detector.Simulate)) + # acf.addFlag("GeoModel.StripGeoType", lambda prevFlags : GetDetDescrInfo(prevFlags.GeoModel.AtlasVersion).get('StripGeoType',"GMX")) # Based on CommonGeometryFlags.StripGeoType + # acf.addFlag("GeoModel.Run", lambda prevFlags : GetDetDescrInfo(prevFlags.GeoModel.AtlasVersion).get('Run',"RUN2")) # Based on CommonGeometryFlags.Run (InDetGeometryFlags.isSLHC replaced by GeoModel.Run=="RUN4") + # acf.addFlag("GeoModel.Type", lambda prevFlags : GetDetDescrInfo(prevFlags.GeoModel.AtlasVersion).get('GeoType',"UNDEFINED")) # Geometry type in {ITKLoI, ITkLoI-VF, etc...} + # acf.addFlag("GeoModel.IBLLayout", lambda prevFlags : GetDetDescrInfo(prevFlags.GeoModel.AtlasVersion).get('IBLlayout',"UNDEFINED")) # IBL layer layout in {"planar", "3D", "noIBL", "UNDEFINED"} + fcf.addFlag("GeoModel.FaserVersion", lambda prevFlags : GetFileMD(prevFlags.Input.Files).get("GeoFaser",None) or "FASER-00") + fcf.addFlag("GeoModel.GeoExportFile","") + +#IOVDbSvc Flags: + # acf.addFlag("IOVDb.GlobalTag",lambda prevFlags : GetFileMD(prevFlags.Input.Files).get("IOVDbGlobalTag",None) or "CONDBR2-BLKPA-2017-05") + # from IOVDbSvc.IOVDbAutoCfgFlags import getDatabaseInstanceDefault + # acf.addFlag("IOVDb.DatabaseInstance",getDatabaseInstanceDefault) + + + # def __lar(): + # from LArConfiguration.LArConfigFlags import createLArConfigFlags + # return createLArConfigFlags() + # _addFlagsCategory(acf, "LAr", __lar, 'LArConfiguration' ) + + # def __tile(): + # from TileConfiguration.TileConfigFlags import createTileConfigFlags + # return createTileConfigFlags() + # _addFlagsCategory(acf, 'Tile', __tile, 'TileConfiguration' ) + +#CaloNoise Flags + # acf.addFlag("Calo.Noise.fixedLumiForNoise",-1) + # acf.addFlag("Calo.Noise.useCaloNoiseLumi",True) + +#CaloCell flags + # acf.addFlag("Calo.Cell.doLArHVCorr",False) # Disable for now as it is broken... + # acf.addFlag("Calo.Cell.doPileupOffsetBCIDCorr", True) +#TopoCluster Flags: + # acf.addFlag("Calo.TopoCluster.doTwoGaussianNoise",True) + # acf.addFlag("Calo.TopoCluster.doTreatEnergyCutAsAbsolute",False) + # acf.addFlag("Calo.TopoCluster.doTopoClusterLocalCalib",True) + +#Random engine Flags: + # acf.addFlag("Random.Engine", "dSFMT") # Random service used in {"dSFMT", "Ranlux64", "Ranecu"} + + # def __trigger(): + # from TriggerJobOpts.TriggerConfigFlags import createTriggerFlags + # return createTriggerFlags() + # _addFlagsCategory(acf, "Trigger", __trigger, 'TriggerJobOpts' ) + + # def __muon(): + # from MuonConfig.MuonConfigFlags import createMuonConfigFlags + # return createMuonConfigFlags() + # _addFlagsCategory(acf, "Muon", __muon, 'MuonConfig' ) + + # def __egamma(): + # from egammaConfig.egammaConfigFlags import createEgammaConfigFlags + # return createEgammaConfigFlags() + # _addFlagsCategory(acf, "Egamma", __egamma, 'egammaConfig' ) + + # def __pflow(): + # from eflowRec.PFConfigFlags import createPFConfigFlags + # return createPFConfigFlags() + # _addFlagsCategory(acf,"PF",__pflow, 'eflowRec') + + # def __dq(): + # from AthenaMonitoring.DQConfigFlags import createDQConfigFlags, createComplexDQConfigFlags + # dqf = createDQConfigFlags() + # dqf.join( createComplexDQConfigFlags() ) + # return dqf + # _addFlagsCategory(acf, "DQ", __dq, 'AthenaMonitoring' ) + + return fcf + + +ConfigFlags=_createCfgFlags() + +del _createCfgFlags + +if __name__=="__main__": + import sys + if len(sys.argv)>1: + ConfigFlags.Input.Files = sys.argv[1:] + else: + ConfigFlags.Input.Files = [ "/cvmfs/atlas-nightlies.cern.ch/repo/data/data-art/CommonInputs/data16_13TeV.00311321.physics_Main.recon.AOD.r9264/AOD.11038520._000001.pool.root.1",] + + ConfigFlags.loadAllDynamicFlags() + ConfigFlags.initAll() + ConfigFlags.dump() + diff --git a/Control/CalypsoConfiguration/python/DetectorConfigFlags.py b/Control/CalypsoConfiguration/python/DetectorConfigFlags.py new file mode 100644 index 0000000000000000000000000000000000000000..3ee03697edd98ecad49496bc707b924890b45202 --- /dev/null +++ b/Control/CalypsoConfiguration/python/DetectorConfigFlags.py @@ -0,0 +1,73 @@ +# Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration + +from __future__ import print_function + +from AthenaConfiguration.AthConfigFlags import AthConfigFlags + +# This module is based upon Control/AthenaCommon/python/DetFlags.py +# Only some flags have been migrated. + +def createDetectorConfigFlags(): + dcf=AthConfigFlags() + + #Detector.Geometry - merger of the old geometry and detdescr tasks + dcf.addFlag('Detector.GeometryUpstreamDipole', False) + dcf.addFlag('Detector.GeometryCentralDipole', False) + dcf.addFlag('Detector.GeometryDownstreamDipole',False) + dcf.addFlag('Detector.GeometryDipole', lambda prevFlags : (prevFlags.Detector.GeometryUpstreamDipole or + prevFlags.Detector.GeometryCentralDipole or + prevFlags.Detector.GeometryDownstreamDipole)) + dcf.addFlag('Detector.GeometryVeto', False) + dcf.addFlag('Detector.GeometryTrigger', False) + dcf.addFlag('Detector.GeometryPreshower', False) + dcf.addFlag('Detector.GeometryScintillator', lambda prevFlags : (prevFlags.Detector.GeometryVeto or + prevFlags.Detector.GeometryTrigger or + prevFlags.Detector.GeometryPreshower)) + dcf.addFlag('Detector.GeometryFaserSCT', False) + dcf.addFlag('Detector.GeometryTracker', lambda prevFlags : prevFlags.Detector.GeometryFaserSCT ) + dcf.addFlag('Detector.GeometryEcal', False) + dcf.addFlag('Detector.GeometryFaserCalo', lambda prevFlags : prevFlags.DetectorGeometry.Ecal) + dcf.addFlag('Detector.GeometryFaser', lambda prevFlags : (prevFlags.Detector.GeometryDecayVolume or + prevFlags.Detector.GeometryScintillator or + prevFlags.Detector.GeometryTracker or + prevFlags.Detector.GeometryFaserCalo)) + + #Detector.Simulate + dcf.addFlag('Detector.SimulateUpstreamDipole', False) + dcf.addFlag('Detector.SimulateCentralDipole', False) + dcf.addFlag('Detector.SimulateDownstreamDipole',False) + dcf.addFlag('Detector.SimulateDipole', lambda prevFlags : (prevFlags.Detector.SimulateUpstreamDipole or + prevFlags.Detector.SimulateCentralDipole or + prevFlags.Detector.SimulateDownstreamDipole)) + dcf.addFlag('Detector.SimulateDecayVolume', False) + dcf.addFlag('Detector.SimulateVeto', False) + dcf.addFlag('Detector.SimulateTrigger', False) + dcf.addFlag('Detector.SimulatePreshower', False) + dcf.addFlag('Detector.SimulateScintillator',lambda prevFlags : (prevFlags.Detector.SimulateVeto or + prevFlags.Detector.SimulateTrigger or + prevFlags.Detector.SimulatePreshower)) + dcf.addFlag('Detector.SimulateFaserSCT', False) + dcf.addFlag('Detector.SimulateTracker', lambda prevFlags : prevFlags.Detector.SimulateFaserSCT ) + dcf.addFlag('Detector.SimulateEcal', False) + dcf.addFlag('Detector.SimulateFaserCalo', lambda prevFlags : prevFlags.Detector.SimulateEcal) + dcf.addFlag('Detector.SimulateFaser', lambda prevFlags : (prevFlags.Detector.SimulateDecayVolume or + prevFlags.Detector.SimulateScintillator or + prevFlags.Detector.SimulateTracker or + prevFlags.Detector.SimulateFaserCalo)) + + #Detector.Overlay + dcf.addFlag('Detector.OverlayVeto', False) + dcf.addFlag('Detector.OverlayTrigger', False) + dcf.addFlag('Detector.OverlayPreshower', False) + dcf.addFlag('Detector.OverlayScintillator', lambda prevFlags : (prevFlags.Detector.OverlayVeto or + prevFlags.Detector.OverlayTrigger or + prevFlags.Detector.OverlayPreshower)) + dcf.addFlag('Detector.OverlayFaserSCT', False) + dcf.addFlag('Detector.OverlayTracker', lambda prevFlags : prevFlags.Detector.OverlayFaserSCT ) + dcf.addFlag('Detector.OverlayEcal', False) + dcf.addFlag('Detector.OverlayFaserCalo', lambda prevFlags : prevFlags.Detector.OverlayEcal) + dcf.addFlag('Detector.OverlayFaser', lambda prevFlags : (prevFlags.Detector.OverlayScintillator or + prevFlags.Detector.OverlayTracker or + prevFlags.Detector.OverlayFaserCalo)) + + return dcf diff --git a/Control/CalypsoConfiguration/python/__init__.py b/Control/CalypsoConfiguration/python/__init__.py new file mode 100644 index 0000000000000000000000000000000000000000..bd7ae5cfeed2544e534225413bd231bab28a2bdc --- /dev/null +++ b/Control/CalypsoConfiguration/python/__init__.py @@ -0,0 +1 @@ +__all__=[ 'ConfigFlags' ] \ No newline at end of file diff --git a/DetectorDescription/DetDescrCnvSvc/python/DetDescrCnvSvcConfig.py b/DetectorDescription/DetDescrCnvSvc/python/DetDescrCnvSvcConfig.py new file mode 100644 index 0000000000000000000000000000000000000000..5a5c2fbea7b3b938992a636e289c4a77a2ddd487 --- /dev/null +++ b/DetectorDescription/DetDescrCnvSvc/python/DetDescrCnvSvcConfig.py @@ -0,0 +1,11 @@ +from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator + +def DetDescrCnvSvcCfg(configFlags=None): + from DetDescrCnvSvc.DetDescrCnvSvcConf import DetDescrCnvSvc + from GaudiSvc.GaudiSvcConf import EvtPersistencySvc + acc=ComponentAccumulator() + # Specify primary Identifier dictionary to be use + detDescrCnvSvc=DetDescrCnvSvc(IdDictName = "FaserGeoModel/FASER_IDS.xml",IdDictFromRDB = True) + acc.addService(detDescrCnvSvc) + acc.addService(EvtPersistencySvc("EventPersistencySvc",CnvServices=[detDescrCnvSvc.getName(),])) #No service handle yet??? + return acc diff --git a/DetectorDescription/DetDescrCnvSvc/src/DetDescrConverter.cxx b/DetectorDescription/DetDescrCnvSvc/src/DetDescrConverter.cxx index f4427802a1c06436626faa7424de8691f4e6cb1d..606a9f168977f0a15c49273847e228451cee7c3c 100644 --- a/DetectorDescription/DetDescrCnvSvc/src/DetDescrConverter.cxx +++ b/DetectorDescription/DetDescrCnvSvc/src/DetDescrConverter.cxx @@ -114,8 +114,7 @@ DetDescrConverter::storageType() DetDescrConverter::DetDescrConverter(const CLID& myCLID, ISvcLocator* svcloc) : Converter(DetDescr_StorageType, myCLID, svcloc) //m_CLID(myCLID) -{ - +{ IInterface* toCnvSvc = 0; m_cnvSvc = 0; StatusCode status = serviceLocator() diff --git a/DetectorDescription/GeoModel/FaserGeoModel/CMakeLists.txt b/DetectorDescription/GeoModel/FaserGeoModel/CMakeLists.txt index 99774a67e0c3467ff595a75367750c9024403ee5..c3facd1d2a3f24b9d88e6fa81d09951af9dcccb3 100644 --- a/DetectorDescription/GeoModel/FaserGeoModel/CMakeLists.txt +++ b/DetectorDescription/GeoModel/FaserGeoModel/CMakeLists.txt @@ -23,3 +23,8 @@ atlas_install_python_modules( python/*.py ) # Install xml files from the package: atlas_install_xmls( data/*.xml data/*.dtd ) +atlas_install_scripts( test/*.py ) + +atlas_add_test( EVNT_InputGeo_test + SCRIPT test/FaserGeometryConfig_EVNT_test.py + PROPERTIES TIMEOUT 300 ) diff --git a/DetectorDescription/GeoModel/FaserGeoModel/data/geomDB.sql b/DetectorDescription/GeoModel/FaserGeoModel/data/geomDB.sql index 1a6007a9083d964582a0e04d3f97b88c74b081c9..163b05690ac9557b8ebf3a97d86d4eda8453794d 100644 --- a/DetectorDescription/GeoModel/FaserGeoModel/data/geomDB.sql +++ b/DetectorDescription/GeoModel/FaserGeoModel/data/geomDB.sql @@ -947,8 +947,8 @@ INSERT INTO "ELEMENTS_DATA2TAG" VALUES (100008, 91); -- -- INSERT INTO "VETOTOPLEVEL_DATA" VALUES (0, 0.0, 0.0, -1650.0, 0.0, 0.0, 0.0, 321, "Veto"); -INSERT INTO "VETOTOPLEVEL_DATA" VALUES (1, 0.0, 0.0, -100.0, 0.0, 0.0, 0.0, 321, "StationA"); -INSERT INTO "VETOTOPLEVEL_DATA" VALUES (2, 0.0, 0.0, 100.0, 0.0, 0.0, 0.0, 321, "StationB"); +INSERT INTO "VETOTOPLEVEL_DATA" VALUES (1, 0.0, 0.0, -300.0, 0.0, 0.0, 0.0, 321, "StationA"); +INSERT INTO "VETOTOPLEVEL_DATA" VALUES (2, 0.0, 0.0, 300.0, 0.0, 0.0, 0.0, 321, "StationB"); INSERT INTO "VETOTOPLEVEL_DATA2TAG" VALUES (100009, 0); INSERT INTO "VETOTOPLEVEL_DATA2TAG" VALUES (100009, 1); INSERT INTO "VETOTOPLEVEL_DATA2TAG" VALUES (100009, 2); diff --git a/DetectorDescription/GeoModel/FaserGeoModel/python/FaserGeoModelConfig.py b/DetectorDescription/GeoModel/FaserGeoModel/python/FaserGeoModelConfig.py index ce5e989cb7002c32f80d41ae3d282baf7d3c316c..ff9539259d3e1a9b26f731c5c1ea0259503fbed9 100644 --- a/DetectorDescription/GeoModel/FaserGeoModel/python/FaserGeoModelConfig.py +++ b/DetectorDescription/GeoModel/FaserGeoModel/python/FaserGeoModelConfig.py @@ -3,14 +3,11 @@ # from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator -from AthenaConfiguration.AthConfigFlags import AthConfigFlags def FaserGeometryCfg (flags): acc = ComponentAccumulator() from FaserGeoModel.ScintGMConfig import ScintGeometryCfg acc.merge(ScintGeometryCfg(flags)) - # if (flags.Detector.Simulate and flags.Beam.Type == "cosmics") or flags.Detector.SimulateCavern: - # from CavernInfraGeoModel.CavernInfraGeoModelConf import CavernInfraDetectorTool - # gms.DetectorTools += [ CavernInfraDetectorTool() ] + return acc diff --git a/DetectorDescription/GeoModel/FaserGeoModel/python/GeoModelConfig.py b/DetectorDescription/GeoModel/FaserGeoModel/python/GeoModelConfig.py new file mode 100644 index 0000000000000000000000000000000000000000..40675be179b6a7a443daa260b3ce5d3ab17dd1b9 --- /dev/null +++ b/DetectorDescription/GeoModel/FaserGeoModel/python/GeoModelConfig.py @@ -0,0 +1,55 @@ +from __future__ import print_function +from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator +from AthenaCommon.Configurable import Configurable +from AthenaCommon.Constants import VERBOSE + +def GeoModelCfg(configFlags): + version = configFlags.GeoModel.FaserVersion + geoExportFile = configFlags.GeoModel.GeoExportFile + + from AthenaCommon.AppMgr import release_metadata + rel_metadata = release_metadata() + relversion = rel_metadata['release'].split('.') + if len(relversion) < 3: + relversion = rel_metadata['base release'].split('.') + + + result=ComponentAccumulator() + from GeoModelSvc.GeoModelSvcConf import GeoModelSvc + gms=GeoModelSvc(FaserVersion=version, + GeoExportFile = geoExportFile, + SupportedGeometry = int(relversion[0]) + ) + if configFlags.Detector.Simulate: + ## Protects GeoModelSvc in the simulation from the AlignCallbacks + gms.AlignCallbacks = False + result.addService(gms,primary=True) + + + #Get DetDescrCnvSvc (for identifier dictionaries (identifier helpers) + from DetDescrCnvSvc.DetDescrCnvSvcConfig import DetDescrCnvSvcCfg + result.merge(DetDescrCnvSvcCfg(configFlags)) + + from EventInfoMgt.TagInfoMgrConfig import TagInfoMgrCfg + tim_ca,tagInfoMgr = TagInfoMgrCfg(configFlags) + # result.addService(tagInfoMgr) + result.merge(tim_ca) + #TagInfoMgr used by GeoModelSvc but no ServiceHandle. Relies on string-name + + return result + + + +if __name__ == "__main__": + from AthenaConfiguration.AllConfigFlags import ConfigFlags + # from AthenaConfiguration.TestDefaults import defaultTestFiles + # ConfigFlags.Input.Files = defaultTestFiles.RAW + Configurable.configurableRun3Behavior=1 + ConfigFlags.addFlag("GeoModel.FaserVersion", "Faser-00") + ConfigFlags.GeoModel.FaserVersion = "Faser-00" + ConfigFlags.lock() + + acc = GeoModelCfg( ConfigFlags ) + acc.store( file( "test.pkl", "w" ), useBootStrapFile = False ) + + print("All OK") diff --git a/DetectorDescription/GeoModel/FaserGeoModel/python/ScintGMConfig.py b/DetectorDescription/GeoModel/FaserGeoModel/python/ScintGMConfig.py index 3e2bbfe0be89493d4546b23b5fd573b6add3bf1c..afcf0ed65db6f18759b5f75353e17d567c379e87 100644 --- a/DetectorDescription/GeoModel/FaserGeoModel/python/ScintGMConfig.py +++ b/DetectorDescription/GeoModel/FaserGeoModel/python/ScintGMConfig.py @@ -3,8 +3,6 @@ # from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator -from AthenaConfiguration.AthConfigFlags import AthConfigFlags -from IOVDbSvc.IOVDbSvcConfig import addFoldersSplitOnline # def InDetServiceMaterialCfg (flags): # from AtlasGeoModel.GeoModelConfig import GeoModelCfg @@ -25,8 +23,8 @@ from IOVDbSvc.IOVDbSvcConfig import addFoldersSplitOnline def ScintGeometryCfg (flags): acc = ComponentAccumulator() - from ScintGeoModel.ScintGeoModelConfig import ScintGeometryCfg - acc.merge(ScintGeometryCfg( flags )) + from VetoGeoModel.VetoGeoModelConfig import VetoGeometryCfg + acc.merge(VetoGeometryCfg( flags )) return acc @@ -41,13 +39,16 @@ if __name__ == "__main__": # Set up logging and new style config log.setLevel(DEBUG) Configurable.configurableRun3Behavior = True - from AthenaConfiguration.TestDefaults import defaultTestFiles + ConfigFlags.addFlag("GeoModel.FaserVersion", "Faser-00") + ConfigFlags.addFlag("Detector.SimulateVeto", True) + + # from AthenaConfiguration.TestDefaults import defaultTestFiles # Provide MC input - ConfigFlags.Input.Files = defaultTestFiles.HITS + # ConfigFlags.Input.Files = defaultTestFiles.HITS ConfigFlags.IOVDb.GlobalTag = "OFLCOND-MC16-SDR-16" - ConfigFlags.Detector.SimulatePixel = True - ConfigFlags.Detector.SimulateSCT = True - ConfigFlags.Detector.SimulateTRT = True + # ConfigFlags.Detector.SimulatePixel = True + ConfigFlags.Detector.SimulateVeto = True + # ConfigFlags.Detector.SimulateTRT = True ConfigFlags.GeoModel.Align.Dynamic = False # Provide data input ##from AthenaConfiguration.TestDefaults import defaultTestFiles @@ -58,11 +59,11 @@ if __name__ == "__main__": # Construct ComponentAccumulator acc = MainServicesSerialCfg() acc.merge(PoolReadCfg(ConfigFlags)) - acc.merge(InDetGeometryCfg(ConfigFlags)) # FIXME This sets up the whole ID geometry would be nicer just to set up min required + acc.merge(ScintGeometryCfg(ConfigFlags)) # FIXME This sets up the whole Scint geometry would be nicer just to set up min required #acc.getService("StoreGateSvc").Dump=True acc.getService("ConditionStore").Dump=True acc.printConfig(withDetails=True) - f=open('InDetGMCfg2.pkl','w') + f=open('ScintGMCfg2.pkl','w') acc.store(f) f.close() ConfigFlags.dump() diff --git a/DetectorDescription/GeoModel/FaserGeoModel/test/FaserGeometryConfig_EVNT_test.py b/DetectorDescription/GeoModel/FaserGeoModel/test/FaserGeometryConfig_EVNT_test.py new file mode 100644 index 0000000000000000000000000000000000000000..15e91a51f9823eac19d92d52d62a4435fddc10b4 --- /dev/null +++ b/DetectorDescription/GeoModel/FaserGeoModel/test/FaserGeometryConfig_EVNT_test.py @@ -0,0 +1,53 @@ +#!/usr/bin/env python +"""Run a test on Atlas Geometry configuration using a EVNT file as input + +Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +""" +if __name__ == "__main__": + import os + from AthenaCommon.Logging import log + from AthenaCommon.Constants import VERBOSE, INFO + from AthenaCommon.Configurable import Configurable + from CalypsoConfiguration.AllConfigFlags import ConfigFlags + from AthenaConfiguration.MainServicesConfig import MainServicesSerialCfg + from AthenaPoolCnvSvc.PoolReadConfig import PoolReadCfg + # from AtlasGeoModel.AtlasGeoModelConfig import AtlasGeometryCfg + # Set up logging and new style config + from FaserGeoModel.FaserGeoModelConfig import FaserGeometryCfg + log.setLevel(VERBOSE) + Configurable.configurableRun3Behavior = True + + from AthenaConfiguration.TestDefaults import defaultTestFiles + # Provide MC input + ConfigFlags.Input.Files = defaultTestFiles.EVNT + # ConfigFlags.GeoModel.AtlasVersion = "ATLAS-R2-2016-01-00-01" + ConfigFlags.GeoModel.FaserVersion = "FASER-00" + ConfigFlags.Detector.SimulateVeto = True + ConfigFlags.IOVDb.GlobalTag = "OFLCOND-MC16-SDR-16" + ConfigFlags.GeoModel.Align.Dynamic = False + ConfigFlags.lock() + + # Construct ComponentAccumulator + acc = MainServicesSerialCfg() + acc.merge(PoolReadCfg(ConfigFlags)) + acc.merge(FaserGeometryCfg(ConfigFlags)) + #acc.getService("StoreGateSvc").Dump=True + acc.getService("ConditionStore").Dump=True + + # from GaudiCoreSvc.GaudiCoreSvcConf import MessageSvc + # msgSvc = MessageSvc() + # acc.addService(msgSvc) + + from AthenaCommon.Logging import logging + logging.getLogger('forcomps').setLevel(VERBOSE) + acc.foreach_component("*").OutputLevel = VERBOSE + + acc.foreach_component("*ClassID*").OutputLevel = INFO + + acc.printConfig(withDetails=True) + f=open('FaserGeoModelCfg_EVNT.pkl','w') + acc.store(f, useBootStrapFile = False) + f.close() + ConfigFlags.dump() + # Execute and finish + acc.run(maxEvents=3) diff --git a/DetectorDescription/GeoModel/GeoAdaptors/CMakeLists.txt b/DetectorDescription/GeoModel/GeoAdaptors/CMakeLists.txt new file mode 100644 index 0000000000000000000000000000000000000000..4b05ff389f457e3dde3173bbbcb22ac2d1c0f79a --- /dev/null +++ b/DetectorDescription/GeoModel/GeoAdaptors/CMakeLists.txt @@ -0,0 +1,31 @@ +################################################################################ +# Package: GeoAdaptors +################################################################################ + +# Declare the package name: +atlas_subdir( GeoAdaptors ) + +# Declare the package's dependencies: +atlas_depends_on_subdirs( PUBLIC + Control/StoreGate + DetectorDescription/Identifier + DetectorDescription/GeoPrimitives + Scintillator/ScintDetDescr/ScintIdentifier + Scintillator/ScintDetDescr/ScintReadoutGeometry + Scintillator/ScintSimEvent +# InnerDetector/InDetDetDescr/InDetIdentifier +# InnerDetector/InDetDetDescr/InDetReadoutGeometry +# InnerDetector/InDetSimEvent + ) + +# External dependencies: +find_package( CLHEP ) + +# Component(s) in the package: +atlas_add_library( GeoAdaptors + src/*.cxx + PUBLIC_HEADERS GeoAdaptors + INCLUDE_DIRS ${CLHEP_INCLUDE_DIRS} + DEFINITIONS ${CLHEP_DEFINITIONS} + LINK_LIBRARIES ${CLHEP_LIBRARIES} Identifier ScintIdentifier ScintReadoutGeometry ScintSimEvent StoreGateLib SGtests ) + diff --git a/DetectorDescription/GeoModel/GeoAdaptors/GeoAdaptors/GeoScintHit.h b/DetectorDescription/GeoModel/GeoAdaptors/GeoAdaptors/GeoScintHit.h new file mode 100644 index 0000000000000000000000000000000000000000..f9d6068e38256ee952631bda594f75225385a935 --- /dev/null +++ b/DetectorDescription/GeoModel/GeoAdaptors/GeoAdaptors/GeoScintHit.h @@ -0,0 +1,61 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef GEOADAPTORS_GEOSCINTHIT_h +#define GEOADAPTORS_GEOSCINTHIT_h +//----------------------------------------------------------// +// // +// An adaptor for ScintHits. // +// // +// Joe Boudreau Feb 04. // +// // +// This adaptor class allows ScintHits to behave // +// as if they knew which detector they were in. // +// // +// // +//----------------------------------------------------------// +#include "CLHEP/Geometry/Point3D.h" +class ScintHit; +class VetoID; +class TriggerID; +class PreshowerID; +namespace ScintDD { + class VetoDetectorManager; + class TriggerDetectorManager; + class PreshowerDetectorManager; +} + +class GeoScintHit { + + public: + + // Constructor: + GeoScintHit(const ScintHit & h); + + // Get the absolute global position: + HepGeom::Point3D<double> getGlobalPosition() const; + + // Underlying hit. + const ScintHit &data() const { return *m_hit;} + + // Is this hit ok? + + operator bool () const { return s_veto || s_trigger || s_preshower; } + + private: + + static void init(); + + const ScintHit *m_hit; + static const ScintDD::VetoDetectorManager *s_veto; + static const ScintDD::TriggerDetectorManager *s_trigger; + static const ScintDD::PreshowerDetectorManager *s_preshower; + static const VetoID *s_vID; + static const TriggerID *s_tID; + static const PreshowerID *s_pID; +}; + +#include "GeoAdaptors/GeoScintHit.icc" + +#endif diff --git a/DetectorDescription/GeoModel/GeoAdaptors/GeoAdaptors/GeoScintHit.icc b/DetectorDescription/GeoModel/GeoAdaptors/GeoAdaptors/GeoScintHit.icc new file mode 100644 index 0000000000000000000000000000000000000000..b1cdaef101b0cc1af551dc2c02cac75da9521aac --- /dev/null +++ b/DetectorDescription/GeoModel/GeoAdaptors/GeoAdaptors/GeoScintHit.icc @@ -0,0 +1,71 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#include "ScintSimEvent/ScintHit.h" +#include "ScintReadoutGeometry/ScintDetectorElement.h" +#include "ScintReadoutGeometry/VetoDetectorManager.h" +// #include "ScintReadoutGeometry/TriggerDetectorManager.h" +// #include "ScintReadoutGeometry/PreshowerDetectorManager.h" +#include "StoreGate/StoreGateSvc.h" +#include "StoreGate/StoreGate.h" +#include "ScintIdentifier/VetoID.h" +// #include "ScintIdentifier/TriggerID.h" +// #include "ScintIdentifier/PreshowerID.h" +#include "GeoPrimitives/CLHEPtoEigenConverter.h" + +inline void GeoScintHit::init() { + + StoreGateSvc *detStore = StoreGate::pointer("DetectorStore"); + if(detStore->retrieve(s_veto,"Veto").isFailure()) + s_veto = 0; +// if(detStore->retrieve(s_trigger,"Trigger").isFailure()) + s_trigger = 0; +// if(detStore->retrieve(s_trigger,"Preshower").isFailure()) + s_preshower = 0; + if(detStore->retrieve(s_vID,"VetoID").isFailure()) + s_vID = 0; +// if(detStore->retrieve(s_tID,"TriggerID").isFailure()) + s_tID = 0; +// if(detStore->retrieve(s_pID,"PreshowerID").isFailure()) + s_pID = 0; +} + +inline GeoScintHit::GeoScintHit (const ScintHit & h) { + m_hit = &h; + if (!s_veto /*|| ! s_trigger || ! s_preshower */) init(); +} + +inline HepGeom::Point3D<double> GeoScintHit::getGlobalPosition() const { + + int Station = m_hit->getStation(); + Identifier id; + const ScintDD::ScintDetectorElement *geoelement=NULL; + if (m_hit->isVeto()) { + id = s_vID->plate_id(Station, + m_hit->getPlate()); + geoelement = s_veto->getDetectorElement(id); + } +// else if (m_hit->isTrigger()) { +// id = s_tID->wafer_id(Barrel, +// m_hit->getPlate()); +// geoelement = s_trigger->getDetectorElement(id); +// } else { +// id = s_pID->wafer_id(Barrel, +// m_hit->getPlate()); +// geoelement = s_preshower->getDetectorElement(id); +// } + + + if (geoelement) { + + const HepGeom::Point3D<double> globalStartPos = Amg::EigenTransformToCLHEP(geoelement->transformHit()) * HepGeom::Point3D<double>(m_hit->localStartPosition()); + + double x=globalStartPos.x(); + double y=globalStartPos.y(); + double z=globalStartPos.z(); + return HepGeom::Point3D<double>(x,y,z); + } + + return HepGeom::Point3D<double>(0.0,0.0,0.0); +} diff --git a/DetectorDescription/GeoModel/GeoAdaptors/src/statics.cxx b/DetectorDescription/GeoModel/GeoAdaptors/src/statics.cxx new file mode 100644 index 0000000000000000000000000000000000000000..7f0b684ffb7b425a2fd882507bb573b241f1d672 --- /dev/null +++ b/DetectorDescription/GeoModel/GeoAdaptors/src/statics.cxx @@ -0,0 +1,13 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#include "GeoAdaptors/GeoScintHit.h" + +const ScintDD::VetoDetectorManager *GeoScintHit::s_veto = 0; +const ScintDD::TriggerDetectorManager *GeoScintHit::s_trigger = 0; +const ScintDD::PreshowerDetectorManager *GeoScintHit::s_preshower = 0; +const VetoID *GeoScintHit::s_vID = 0; +const TriggerID *GeoScintHit::s_tID = 0; +const PreshowerID *GeoScintHit::s_pID = 0; + diff --git a/DetectorDescription/GeoModel/GeoModelSvc/src/GeoModelSvc.cxx b/DetectorDescription/GeoModel/GeoModelSvc/src/GeoModelSvc.cxx index b25d954a9fa6269e8d6cdba332d1b8b4f9a64cac..bd0427a1fc9ba22ad3de8213cd50233ffb2557a7 100644 --- a/DetectorDescription/GeoModel/GeoModelSvc/src/GeoModelSvc.cxx +++ b/DetectorDescription/GeoModel/GeoModelSvc/src/GeoModelSvc.cxx @@ -91,10 +91,18 @@ StatusCode GeoModelSvc::initialize() // correctly initialized. // We ensure this is indeed correct by manually initialize it so there is // no more service-ordering problem triggered by jobO mix-up + ATH_MSG_VERBOSE("Initializing DetDescrCnvSvc"); ServiceHandle<IConversionSvc> conversionSvc("DetDescrCnvSvc", this->name()); ATH_CHECK( conversionSvc.retrieve() ); // --- Sebastien + // Working around Gaudi Issue https://gitlab.cern.ch/gaudi/Gaudi/issues/82 + Service* convSvc=dynamic_cast<Service*>(conversionSvc.get()); + if (convSvc->FSMState() < Gaudi::StateMachine::INITIALIZED) { + ATH_MSG_INFO("Explicitly initializing DetDescrCnvSvc"); + convSvc->sysInitialize(); + } + ATH_CHECK( m_detectorTools.retrieve() ); ToolHandleArray< IGeoModelTool >::iterator itPriv = m_detectorTools.begin(), diff --git a/DetectorDescription/GeoModel/GeoModelTest/CMakeLists.txt b/DetectorDescription/GeoModel/GeoModelTest/CMakeLists.txt index 6a60e824205d15a022bdbafc35ac3141ffe2602c..6072a5a2fc0b0ee9409d4ed76426ff4217f5b120 100644 --- a/DetectorDescription/GeoModel/GeoModelTest/CMakeLists.txt +++ b/DetectorDescription/GeoModel/GeoModelTest/CMakeLists.txt @@ -26,4 +26,5 @@ atlas_add_component( GeoModelTest # Install files from the package: #atlas_install_headers( GeoModelTest ) atlas_install_joboptions( share/*.py ) +atlas_install_python_modules( python/*.py ) diff --git a/DetectorDescription/GeoModel/GeoModelTest/python/GeoModelTestConfig.py b/DetectorDescription/GeoModel/GeoModelTest/python/GeoModelTestConfig.py new file mode 100644 index 0000000000000000000000000000000000000000..0e516aafe6fde4a12f915a7948937a6bcbe894e6 --- /dev/null +++ b/DetectorDescription/GeoModel/GeoModelTest/python/GeoModelTestConfig.py @@ -0,0 +1,47 @@ +from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator + +def GeoModelTestCfg(flags): + + from FaserGeoModel.FaserGeoModelConfig import FaserGeometryCfg + a = FaserGeometryCfg(flags) + + from GeoModelTest.GeoModelTestConf import GeoModelTestAlg + a.addEventAlgo(GeoModelTestAlg()) + + return a + + +if __name__ == "__main__": + from AthenaCommon.Logging import log, logging + from AthenaCommon.Constants import VERBOSE, INFO + log.setLevel(VERBOSE) + + from AthenaCommon.Configurable import Configurable + Configurable.configurableRun3Behavior = True +# Flag definition + from AthenaConfiguration.AllConfigFlags import ConfigFlags + ConfigFlags.addFlag("GeoModel.FaserVersion", "Faser-00") + ConfigFlags.addFlag("GeoModel.GeoExportFile", "") + ConfigFlags.addFlag("Detector.SimulateVeto", True) +# Flag specification + ConfigFlags.GeoModel.FaserVersion = "FASER-00" + ConfigFlags.GeoModel.GeoExportFile = "faserGeo.db" + ConfigFlags.GeoModel.Align.Dynamic = False + ConfigFlags.lock() + ConfigFlags.dump() + +# Configuration + from AthenaConfiguration.MainServicesConfig import MainServicesSerialCfg + # from AthenaPoolCnvSvc.PoolReadConfig import PoolReadCfg + + acc = MainServicesSerialCfg() + # acc.merge(PoolReadCfg(ConfigFlags)) + acc.merge(GeoModelTestCfg(ConfigFlags)) + + logging.getLogger('forcomps').setLevel(VERBOSE) + acc.foreach_component("*").OutputLevel = VERBOSE + acc.foreach_component("*ClassID*").OutputLevel = INFO + + acc.printConfig(withDetails=True) + # Execute and finish + acc.run(maxEvents=1) diff --git a/DetectorDescription/GeoModel/GeoModelTest/python/__init__.py b/DetectorDescription/GeoModel/GeoModelTest/python/__init__.py new file mode 100644 index 0000000000000000000000000000000000000000..c3ff304a0f5154f1256f8f043d4efacdde547cde --- /dev/null +++ b/DetectorDescription/GeoModel/GeoModelTest/python/__init__.py @@ -0,0 +1 @@ +# __author__ = 'Dave Casper' diff --git a/DetectorDescription/GeoModel/GeoModelTest/src/GeoModelTestAlg.cxx b/DetectorDescription/GeoModel/GeoModelTest/src/GeoModelTestAlg.cxx index ddc2adb212c281c20463815404a14f169ad70d8a..1c2beaf6807a4b36ec7ecf54446a4f39efb2997b 100644 --- a/DetectorDescription/GeoModel/GeoModelTest/src/GeoModelTestAlg.cxx +++ b/DetectorDescription/GeoModel/GeoModelTest/src/GeoModelTestAlg.cxx @@ -14,12 +14,11 @@ GeoModelTestAlg::~GeoModelTestAlg() { } StatusCode GeoModelTestAlg::initialize() { - return StatusCode::SUCCESS; } StatusCode GeoModelTestAlg::execute() -{ +{ GeoModelExperiment* theExpt = nullptr; std::vector<std::string> listOfManagers; ATH_CHECK(detStore()->retrieve(theExpt, "FASER")); diff --git a/Scintillator/ScintDetDescr/VetoGeoModel/python/VetoGeoModelConfig.py b/Scintillator/ScintDetDescr/VetoGeoModel/python/VetoGeoModelConfig.py index b69bc0683cf7ce9cfaf7d1af1015e3df684ca7ed..6e942ae358812a29847705ca4972f52d819c1378 100644 --- a/Scintillator/ScintDetDescr/VetoGeoModel/python/VetoGeoModelConfig.py +++ b/Scintillator/ScintDetDescr/VetoGeoModel/python/VetoGeoModelConfig.py @@ -8,42 +8,42 @@ def getVetoDetectorTool(name="VetoDetectorTool", **kwargs): kwargs.setdefault("RDBAccessSvc", "RDBAccessSvc"); kwargs.setdefault("GeometryDBSvc", "ScintGeometryDBSvc"); kwargs.setdefault("GeoDbTagSvc", "GeoDbTagSvc"); -# from AthenaCommon.DetFlags import DetFlags return CfgMgr.VetoDetectorTool(name, **kwargs) - -###### ComponentAccumulator - -from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator -from AthenaConfiguration.AthConfigFlags import AthConfigFlags from IOVDbSvc.IOVDbSvcConfig import addFoldersSplitOnline def VetoGeometryCfg( flags ): from FaserGeoModel.GeoModelConfig import GeoModelCfg - acc,geoModelSvc = GeoModelCfg( flags ) + acc = GeoModelCfg( flags ) + geoModelSvc = acc.getPrimary() + from GeometryDBSvc.GeometryDBSvcConf import GeometryDBSvc acc.addService(GeometryDBSvc("ScintGeometryDBSvc")) + from VetoGeoModel.VetoGeoModelConf import VetoDetectorTool vetoDetectorTool = VetoDetectorTool() -# vetoDetectorTool.useDynamicAlignFolders = flags.GeoModel.Align.Dynamic + + vetoDetectorTool.useDynamicAlignFolders = flags.GeoModel.Align.Dynamic geoModelSvc.DetectorTools += [ vetoDetectorTool ] - acc.addService(geoModelSvc) + # if flags.GeoModel.Align.Dynamic: # acc.merge(addFoldersSplitOnline(flags,"INDET","/Indet/Onl/AlignL1/ID","/Indet/AlignL1/ID",className="CondAttrListCollection")) # acc.merge(addFoldersSplitOnline(flags,"INDET","/Indet/Onl/AlignL2/SCT","/Indet/AlignL2/SCT",className="CondAttrListCollection")) # acc.merge(addFoldersSplitOnline(flags,"INDET","/Indet/Onl/AlignL3","/Indet/AlignL3",className="AlignableTransformContainer")) # else: - # if (not flags.Detector.SimulateSCT) or flags.Detector.OverlaySCT: + # if (not flags.Detector.SimulateVeto) or flags.Detector.OverlayVeto: # acc.merge(addFoldersSplitOnline(flags,"INDET","/Indet/Onl/Align","/Indet/Align",className="AlignableTransformContainer")) # else: # acc.merge(addFoldersSplitOnline(flags,"INDET","/Indet/Onl/Align","/Indet/Align")) + # if flags.Common.Project is not "AthSimulation": # Protection for AthSimulation builds - # if (not flags.Detector.SimulateSCT) or flags.Detector.OverlaySCT: - # from SCT_ConditionsAlgorithms.SCT_ConditionsAlgorithmsConf import SCT_AlignCondAlg - # sctAlignCondAlg = SCT_AlignCondAlg(name = "SCT_AlignCondAlg", - # UseDynamicAlignFolders = flags.GeoModel.Align.Dynamic) - # acc.addCondAlgo(sctAlignCondAlg) - # from SCT_ConditionsAlgorithms.SCT_ConditionsAlgorithmsConf import SCT_DetectorElementCondAlg - # sctDetectorElementCondAlg = SCT_DetectorElementCondAlg(name = "SCT_DetectorElementCondAlg") - # acc.addCondAlgo(sctDetectorElementCondAlg) + # if (not flags.Detector.SimulateVeto) or flags.Detector.OverlayVeto: + # from VetoConditionsAlgorithms.VetoConditionsAlgorithmsConf import VetoAlignCondAlg + # vetoAlignCondAlg = VetoAlignCondAlg(name = "VetoAlignCondAlg", + # UseDynamicAlignFolders = flags.GeoModel.Align.Dynamic) + # acc.addCondAlgo(vetoAlignCondAlg) + # from VetoConditionsAlgorithms.VetoConditionsAlgorithmsConf import VetoDetectorElementCondAlg + # vetoDetectorElementCondAlg = VetoDetectorElementCondAlg(name = "VetoDetectorElementCondAlg") + # acc.addCondAlgo(vetoDetectorElementCondAlg) + return acc diff --git a/Scintillator/ScintDetDescr/VetoGeoModel/src/VetoStation.cxx b/Scintillator/ScintDetDescr/VetoGeoModel/src/VetoStation.cxx index 9b3c274cc666e74ca01bbbfef0d535f3e33d3995..2e99328b6c12715c6b7edd40aec1de1abfbeda9c 100644 --- a/Scintillator/ScintDetDescr/VetoGeoModel/src/VetoStation.cxx +++ b/Scintillator/ScintDetDescr/VetoGeoModel/src/VetoStation.cxx @@ -102,7 +102,7 @@ VetoStation::build(VetoIdentifier id) // // We reduce to allow some alignment clearance // layerLength -= 2*m_zClearance; - double activeLength = m_length - m_safety/2; + double activeDepth = m_thickness - m_safety/2; double plateThickness = m_plate->thickness(); for (int iPlate = 0; iPlate < m_numPlates; iPlate++) { @@ -111,7 +111,7 @@ VetoStation::build(VetoIdentifier id) id.setPlate(iPlate); GeoAlignableTransform* transform = new GeoAlignableTransform(GeoTrf::Translate3D(0.0, 0.0, - (plateThickness - activeLength)/2 + iPlate * m_platePitch)); + (plateThickness - activeDepth)/2 + iPlate * m_platePitch)); station->add(transform); GeoVPhysVol* platePV = m_plate->build(id); station->add(platePV); diff --git a/Scintillator/ScintDetDescr/VetoGeoModel/test/VetoGMConfig_test.py b/Scintillator/ScintDetDescr/VetoGeoModel/test/VetoGMConfig_test.py new file mode 100644 index 0000000000000000000000000000000000000000..1f75ad6d5b9bc2dee3f69ee08c492c488066f493 --- /dev/null +++ b/Scintillator/ScintDetDescr/VetoGeoModel/test/VetoGMConfig_test.py @@ -0,0 +1,25 @@ +#!/usr/bin/env python +"""Run tests on VetoGeoModel configuration + +Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +""" +if __name__ == "__main__": + from AthenaCommon.Configurable import Configurable + Configurable.configurableRun3Behavior=1 + from CalypsoConfiguration.AllConfigFlags import ConfigFlags + from AthenaConfiguration.TestDefaults import defaultTestFiles + + ConfigFlags.Input.Files = defaultTestFiles.HITS + ConfigFlags.IOVDb.GlobalTag = "OFLCOND-MC16-SDR-16" + # ConfigFlags.Detector.SimulatePixel = False + ConfigFlags.Detector.SimulateVeto = False + # ConfigFlags.Detector.SimulateTRT = False + ConfigFlags.GeoModel.Align.Dynamic = False + ConfigFlags.lock() + + from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator + from VetoGeoModel.VetoGeoModelConfig import VetoGeometryCfg + acc = VetoGeometryCfg(ConfigFlags) + f=open('VetoGeometryCfg.pkl','w') + acc.store(f) + f.close() diff --git a/Scintillator/ScintEventCnv/ScintSimAthenaPool/CMakeLists.txt b/Scintillator/ScintEventCnv/ScintSimAthenaPool/CMakeLists.txt new file mode 100644 index 0000000000000000000000000000000000000000..4848234357838f9077673942df7020062967535e --- /dev/null +++ b/Scintillator/ScintEventCnv/ScintSimAthenaPool/CMakeLists.txt @@ -0,0 +1,37 @@ +################################################################################ +# Package: ScintSimEventAthenaPool +################################################################################ + +# Declare the package name: +atlas_subdir( ScintSimEventAthenaPool ) + +# Declare the package's dependencies: +atlas_depends_on_subdirs( PRIVATE + AtlasTest/TestTools + Database/AthenaPOOL/AthenaPoolCnvSvc + Database/AthenaPOOL/AthenaPoolUtilities + Database/AtlasSealCLHEP + GaudiKernel + Scintillator/ScintEventCnv/ScintSimEventTPCnv + Scintillator/ScintSimEvent ) + +# External dependencies: +find_package( ROOT COMPONENTS Core Tree MathCore Hist RIO pthread ) + +# Component(s) in the package: +atlas_add_poolcnv_library( ScintSimEventAthenaPoolPoolCnv + src/*.cxx + FILES ScintSimEvent/ScintHitCollection.h + INCLUDE_DIRS ${ROOT_INCLUDE_DIRS} + LINK_LIBRARIES ${ROOT_LIBRARIES} AthenaPoolCnvSvcLib AthenaPoolUtilities AtlasSealCLHEP GaudiKernel ScintSimEventTPCnv ScintSimEvent ) + +atlas_add_dictionary( ScintSimEventAthenaPoolCnvDict + ScintSimEventAthenaPool/ScintSimEventAthenaPoolCnvDict.h + ScintSimEventAthenaPool/selection.xml + INCLUDE_DIRS ${ROOT_INCLUDE_DIRS} + LINK_LIBRARIES ${ROOT_LIBRARIES} AthenaPoolCnvSvcLib AthenaPoolUtilities AtlasSealCLHEP GaudiKernel ScintSimEventTPCnv ScintSimEvent ) + +# Install files from the package: +atlas_install_headers( ScintSimEventAthenaPool ) +atlas_install_joboptions( share/*.py ) + diff --git a/Scintillator/ScintEventCnv/ScintSimAthenaPool/ScintSimEventAthenaPool/ScintSimDataCollection_p1.h b/Scintillator/ScintEventCnv/ScintSimAthenaPool/ScintSimEventAthenaPool/ScintSimDataCollection_p1.h new file mode 100644 index 0000000000000000000000000000000000000000..2298acdeb1092567af4e6b0e3d194a7184f22b62 --- /dev/null +++ b/Scintillator/ScintEventCnv/ScintSimAthenaPool/ScintSimEventAthenaPool/ScintSimDataCollection_p1.h @@ -0,0 +1,4 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + diff --git a/Scintillator/ScintEventCnv/ScintSimAthenaPool/ScintSimEventAthenaPool/ScintSimData_p1.h b/Scintillator/ScintEventCnv/ScintSimAthenaPool/ScintSimEventAthenaPool/ScintSimData_p1.h new file mode 100644 index 0000000000000000000000000000000000000000..2298acdeb1092567af4e6b0e3d194a7184f22b62 --- /dev/null +++ b/Scintillator/ScintEventCnv/ScintSimAthenaPool/ScintSimEventAthenaPool/ScintSimData_p1.h @@ -0,0 +1,4 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + diff --git a/Scintillator/ScintEventCnv/ScintSimAthenaPool/ScintSimEventAthenaPool/ScintSimEventAthenaPoolCnvDict.h b/Scintillator/ScintEventCnv/ScintSimAthenaPool/ScintSimEventAthenaPool/ScintSimEventAthenaPoolCnvDict.h new file mode 100644 index 0000000000000000000000000000000000000000..e17d593c961a0c4b94b7ac70fa0aeee3e98353d1 --- /dev/null +++ b/Scintillator/ScintEventCnv/ScintSimAthenaPool/ScintSimEventAthenaPool/ScintSimEventAthenaPoolCnvDict.h @@ -0,0 +1,9 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef SCINTSIMEVENTATHENAPOOLDICT_H +#define SCINTSIMEVENTATHENAPOOLDICT_H + + +#endif diff --git a/Scintillator/ScintEventCnv/ScintSimAthenaPool/ScintSimEventAthenaPool/selection.xml b/Scintillator/ScintEventCnv/ScintSimAthenaPool/ScintSimEventAthenaPool/selection.xml new file mode 100644 index 0000000000000000000000000000000000000000..2eff49dff6688999d781e8922c8138fc7a36b1e8 --- /dev/null +++ b/Scintillator/ScintEventCnv/ScintSimAthenaPool/ScintSimEventAthenaPool/selection.xml @@ -0,0 +1,2 @@ +<lcgdict> +</lcgdict> diff --git a/Scintillator/ScintEventCnv/ScintSimAthenaPool/src/ScintHitCollectionCnv.cxx b/Scintillator/ScintEventCnv/ScintSimAthenaPool/src/ScintHitCollectionCnv.cxx new file mode 100644 index 0000000000000000000000000000000000000000..88592d298b2eb974007a73c15ad2413beb193648 --- /dev/null +++ b/Scintillator/ScintEventCnv/ScintSimAthenaPool/src/ScintHitCollectionCnv.cxx @@ -0,0 +1,32 @@ +/* + Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +*/ + +#include "ScintSimEventTPCnv/ScintHits/ScintHitCollectionCnv_p1.h" +#include "ScintSimEventTPCnv/ScintHits/ScintHit_p1.h" +#include "ScintHitCollectionCnv.h" + + +ScintHitCollection_PERS* ScintHitCollectionCnv::createPersistent(ScintHitCollection* transCont) { + MsgStream mlog(msgSvc(), "ScintHitCollectionConverter" ); + ScintHitCollectionCnv_PERS converter; + ScintHitCollection_PERS *persObj = converter.createPersistent( transCont, mlog ); + return persObj; +} + + +ScintHitCollection* ScintHitCollectionCnv::createTransient() { + MsgStream mlog(msgSvc(), "ScintHitCollectionConverter" ); + ScintHitCollectionCnv_p1 converter_p1; + + static const pool::Guid p1_guid("B2573A16-4B46-4E1E-98E3-F93421680779"); + + ScintHitCollection *trans_cont(0); + if( this->compareClassGuid(p1_guid)) { + std::unique_ptr< ScintHitCollection_p1 > col_vect( this->poolReadObject< ScintHitCollection_p1 >() ); + trans_cont = converter_p1.createTransient( col_vect.get(), mlog ); + } else { + throw std::runtime_error("Unsupported persistent version of Data container"); + } + return trans_cont; +} diff --git a/Scintillator/ScintEventCnv/ScintSimAthenaPool/src/ScintHitCollectionCnv.h b/Scintillator/ScintEventCnv/ScintSimAthenaPool/src/ScintHitCollectionCnv.h new file mode 100644 index 0000000000000000000000000000000000000000..ca9c329ddad032c35766ad6a271fd7637734b1c0 --- /dev/null +++ b/Scintillator/ScintEventCnv/ScintSimAthenaPool/src/ScintHitCollectionCnv.h @@ -0,0 +1,29 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef SCINTHITCOLLECTIONCNV +#define SCINTHITCOLLECTIONCNV + +#include "ScintSimEvent/ScintHitCollection.h" +#include "ScintSimEventTPCnv/ScintHits/ScintHitCollection_p1.h" +#include "ScintSimEventTPCnv/ScintHits/ScintHitCollectionCnv_p1.h" +#include "AthenaPoolCnvSvc/T_AthenaPoolCustomCnv.h" +// Gaudi +#include "GaudiKernel/MsgStream.h" +// typedef to the latest persistent version +typedef ScintHitCollection_p1 ScintHitCollection_PERS; +typedef ScintHitCollectionCnv_p1 ScintHitCollectionCnv_PERS; + +class ScintHitCollectionCnv : public T_AthenaPoolCustomCnv<ScintHitCollection, ScintHitCollection_PERS > { + friend class CnvFactory<ScintHitCollectionCnv>; +public: + ScintHitCollectionCnv(ISvcLocator* svcloc) : + T_AthenaPoolCustomCnv<ScintHitCollection, ScintHitCollection_PERS >( svcloc) {} +protected: + ScintHitCollection_PERS* createPersistent(ScintHitCollection* transCont); + ScintHitCollection* createTransient (); +}; + + +#endif diff --git a/Scintillator/ScintEventCnv/ScintSimEventTPCnv/CMakeLists.txt b/Scintillator/ScintEventCnv/ScintSimEventTPCnv/CMakeLists.txt new file mode 100644 index 0000000000000000000000000000000000000000..ff9e4ed645a918a13225dc726258410ccd5bde56 --- /dev/null +++ b/Scintillator/ScintEventCnv/ScintSimEventTPCnv/CMakeLists.txt @@ -0,0 +1,37 @@ +############################################################################### +# Package: ScintSimEventTPCnv +################################################################################ + +# Declare the package name: +atlas_subdir( ScintSimEventTPCnv ) + +# Declare the package's dependencies: +atlas_depends_on_subdirs( PUBLIC + Database/AthenaPOOL/AthenaPoolCnvSvc + GaudiKernel + Generators/GeneratorObjectsTPCnv + Scintillator/ScintSimEvent + PRIVATE + AtlasTest/TestTools + Control/StoreGate + DetectorDescription/Identifier ) + +# External dependencies: +find_package( CLHEP ) +find_package( ROOT COMPONENTS Core Tree MathCore Hist RIO pthread ) + +# Component(s) in the package: +atlas_add_library( ScintSimEventTPCnv + src/ScintHits/*.cxx + PUBLIC_HEADERS ScintSimEventTPCnv + PRIVATE_INCLUDE_DIRS ${ROOT_INCLUDE_DIRS} ${CLHEP_INCLUDE_DIRS} + PRIVATE_DEFINITIONS ${CLHEP_DEFINITIONS} + LINK_LIBRARIES GaudiKernel GeneratorObjectsTPCnv ScintSimEvent AthenaPoolCnvSvcLib StoreGateLib SGtests + PRIVATE_LINK_LIBRARIES ${ROOT_LIBRARIES} ${CLHEP_LIBRARIES} TestTools Identifier ) + +atlas_add_dictionary( ScintSimEventTPCnvDict + ScintSimEventTPCnv/ScintSimEventTPCnvDict.h + ScintSimEventTPCnv/selection.xml + INCLUDE_DIRS ${ROOT_INCLUDE_DIRS} ${CLHEP_INCLUDE_DIRS} + LINK_LIBRARIES ${ROOT_LIBRARIES} ${CLHEP_LIBRARIES} AthenaPoolCnvSvcLib GaudiKernel GeneratorObjectsTPCnv ScintSimEvent TestTools StoreGateLib SGtests Identifier ScintSimEventTPCnv ) + diff --git a/Scintillator/ScintEventCnv/ScintSimEventTPCnv/ScintSimEventTPCnv/ScintHits/ScintHitCnv_p1.h b/Scintillator/ScintEventCnv/ScintSimEventTPCnv/ScintSimEventTPCnv/ScintHits/ScintHitCnv_p1.h new file mode 100644 index 0000000000000000000000000000000000000000..0edaf0168711d8f9ea4e6ecbc285b3a00ed16f31 --- /dev/null +++ b/Scintillator/ScintEventCnv/ScintSimEventTPCnv/ScintSimEventTPCnv/ScintHits/ScintHitCnv_p1.h @@ -0,0 +1,34 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef SCINTHITCNV_P1_H +#define SCINTHITCNV_P1_H + +/* +Transient/Persistent converter for ScintHit class +Author: Davide Costanzo +*/ + +#include "ScintSimEvent/ScintHit.h" +#include "ScintHit_p1.h" + +#include "AthenaPoolCnvSvc/T_AthenaPoolTPConverter.h" + +class MsgStream; + + +class ScintHitCnv_p1 : public T_AthenaPoolTPCnvBase<ScintHit, ScintHit_p1> +{ +public: + + ScintHitCnv_p1() {} + + virtual void persToTrans(const ScintHit_p1* persObj, ScintHit* +transObj, MsgStream &log); + virtual void transToPers(const ScintHit* transObj, ScintHit_p1* +persObj, MsgStream &log); +}; + + +#endif diff --git a/Scintillator/ScintEventCnv/ScintSimEventTPCnv/ScintSimEventTPCnv/ScintHits/ScintHitCollectionCnv_p1.h b/Scintillator/ScintEventCnv/ScintSimEventTPCnv/ScintSimEventTPCnv/ScintHits/ScintHitCollectionCnv_p1.h new file mode 100644 index 0000000000000000000000000000000000000000..8353e92b849a7d3dbbfd7db92f0dbe9e09d65b3e --- /dev/null +++ b/Scintillator/ScintEventCnv/ScintSimEventTPCnv/ScintSimEventTPCnv/ScintHits/ScintHitCollectionCnv_p1.h @@ -0,0 +1,41 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef SCINTHITCOLLECTIONCNV_P1_H +#define SCINTHITCOLLECTIONCNV_P1_H + +// SiHitCollectionCnv_p1, T/P separation of Scint Hits +// author D.Costanzo <davide.costanzo@cern.ch> +// author O.Arnaez <olivier.arnaez@cern.ch> + +#include "AthenaPoolCnvSvc/T_AthenaPoolTPConverter.h" +#include "ScintSimEvent/ScintHitCollection.h" +#include "ScintHitCollection_p1.h" + + +class ScintHitCollectionCnv_p1 : public T_AthenaPoolTPCnvBase<ScintHitCollection, ScintHitCollection_p1> +{ + public: + + ScintHitCollectionCnv_p1() {}; + + virtual ScintHitCollection* createTransient(const ScintHitCollection_p1* persObj, MsgStream &log); + + virtual void persToTrans(const ScintHitCollection_p1* persCont, + ScintHitCollection* transCont, + MsgStream &log) ; + virtual void transToPers(const ScintHitCollection* transCont, + ScintHitCollection_p1* persCont, + MsgStream &log) ; + + private: + + static const double m_persEneUnit; + static const double m_persLenUnit; + static const double m_persAngUnit; + static const double m_2bHalfMaximum; + static const int m_2bMaximum; +}; + +#endif diff --git a/Scintillator/ScintEventCnv/ScintSimEventTPCnv/ScintSimEventTPCnv/ScintHits/ScintHitCollection_p1.h b/Scintillator/ScintEventCnv/ScintSimEventTPCnv/ScintSimEventTPCnv/ScintHits/ScintHitCollection_p1.h new file mode 100644 index 0000000000000000000000000000000000000000..d9c10916af2ef8dd66e65342ad29e170fa6cdefd --- /dev/null +++ b/Scintillator/ScintEventCnv/ScintSimEventTPCnv/ScintSimEventTPCnv/ScintHits/ScintHitCollection_p1.h @@ -0,0 +1,57 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef SCINTHITCOLLECTION_P1_H +#define SCINTHITCOLLECTION_P1_H + +/* + +Authors: Davide Costanzo Rob Duxfield + +*/ + +#include <vector> +#include <string> + +class ScintHitCollection_p1 +{ + public: +/// Default constructor + ScintHitCollection_p1 (); + //private: + + std::vector<float> m_hit1_meanTime; // 1 element per string + std::vector<float> m_hit1_x0; // + std::vector<float> m_hit1_y0; // + std::vector<float> m_hit1_z0; // + std::vector<float> m_hit1_theta; // + std::vector<float> m_hit1_phi; // + std::vector<unsigned short> m_nHits; // + + std::vector<unsigned short> m_hitEne_2b; // 1 element per hit + std::vector<unsigned short> m_hitLength_2b; // + + std::vector<unsigned short> m_dTheta; // 1 element per hit except for first hit in string + std::vector<unsigned short> m_dPhi; // + + std::vector<float> m_hitEne_4b; // 1 element per hit with m_hitEne_2b[i] == 2**16 + + std::vector<float> m_hitLength_4b; // 1 element per hit with m_hitLength_2b[i] == 2**16 + + std::vector<unsigned long> m_barcode; + std::vector<unsigned short> m_mcEvtIndex; + std::vector<char> m_evtColl; + std::vector<unsigned short> m_nBC; + + std::vector<unsigned long> m_id; + std::vector<unsigned short> m_nId; +}; + + +// inlines + +inline +ScintHitCollection_p1::ScintHitCollection_p1 () {} + +#endif diff --git a/Scintillator/ScintEventCnv/ScintSimEventTPCnv/ScintSimEventTPCnv/ScintHits/ScintHit_p1.h b/Scintillator/ScintEventCnv/ScintSimEventTPCnv/ScintSimEventTPCnv/ScintHits/ScintHit_p1.h new file mode 100644 index 0000000000000000000000000000000000000000..a4f31c5bfae9714b139f3dd00ed9bb75e2e678f9 --- /dev/null +++ b/Scintillator/ScintEventCnv/ScintSimEventTPCnv/ScintSimEventTPCnv/ScintHits/ScintHit_p1.h @@ -0,0 +1,19 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef SCINTHIT_P1_H +#define SCINTHIT_P1_H + +#include "GeneratorObjectsTPCnv/HepMcParticleLink_p2.h" + +class ScintHit_p1 { + public: + float m_stX, m_stY, m_stZ; + float m_enX, m_enY, m_enZ; + float m_energyLoss; // deposited energy + float m_meanTime; // time of energy deposition + HepMcParticleLink_p2 m_partLink; + unsigned int m_ID; +}; +#endif diff --git a/Scintillator/ScintEventCnv/ScintSimEventTPCnv/ScintSimEventTPCnv/ScintSimEventTPCnvDict.h b/Scintillator/ScintEventCnv/ScintSimEventTPCnv/ScintSimEventTPCnv/ScintSimEventTPCnvDict.h new file mode 100644 index 0000000000000000000000000000000000000000..b18bdb7729b56aa494016ea3514faa22729f4bd7 --- /dev/null +++ b/Scintillator/ScintEventCnv/ScintSimEventTPCnv/ScintSimEventTPCnv/ScintSimEventTPCnvDict.h @@ -0,0 +1,20 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef SCINTEVENTTPCNV_SCINTSIMEVENTTPCNVDICT_H +#define SCINTEVENTTPCNV_SCINTSIMEVENTTPCNVDICT_H + +//----------------------------------------------------------------------------- +// +// file: ScintSimEventTPCnvDict_p1.h +// +//----------------------------------------------------------------------------- + + +#include "ScintSimEventTPCnv/ScintHits/ScintHitCnv_p1.h" +#include "ScintSimEventTPCnv/ScintHits/ScintHitCollectionCnv_p1.h" +#include "ScintSimEventTPCnv/ScintHits/ScintHitCollection_p1.h" +#include "ScintSimEventTPCnv/ScintHits/ScintHit_p1.h" + +#endif // SCINTEVENTTPCNV_INDETSIMEVENTTPCNVDICT_H diff --git a/Scintillator/ScintEventCnv/ScintSimEventTPCnv/ScintSimEventTPCnv/selection.xml b/Scintillator/ScintEventCnv/ScintSimEventTPCnv/ScintSimEventTPCnv/selection.xml new file mode 100644 index 0000000000000000000000000000000000000000..6b0d915eac9a1e2fedb5f8254bbbf419dec16dac --- /dev/null +++ b/Scintillator/ScintEventCnv/ScintSimEventTPCnv/ScintSimEventTPCnv/selection.xml @@ -0,0 +1,7 @@ +<lcgdict> + + <!-- ScintHits --> + <class name="ScintHit_p1" /> + <class name="std::vector<ScintHit_p1>" /> + <class name="ScintHitCollection_p1" id="B2573A16-4B46-4E1E-98E3-F93421680779" /> +</lcgdict> diff --git a/Scintillator/ScintEventCnv/ScintSimEventTPCnv/src/ScintHits/ScintHitCnv_p1.cxx b/Scintillator/ScintEventCnv/ScintSimEventTPCnv/src/ScintHits/ScintHitCnv_p1.cxx new file mode 100644 index 0000000000000000000000000000000000000000..870821f8f1ba84269c75bc6e5fd99132d088c56d --- /dev/null +++ b/Scintillator/ScintEventCnv/ScintSimEventTPCnv/src/ScintHits/ScintHitCnv_p1.cxx @@ -0,0 +1,54 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#include "ScintSimEvent/ScintHit.h" +#include "Identifier/Identifier.h" +#include "GeneratorObjectsTPCnv/HepMcParticleLinkCnv_p2.h" + +#include "ScintSimEventTPCnv/ScintHits/ScintHit_p1.h" +#include "ScintSimEventTPCnv/ScintHits/ScintHitCnv_p1.h" + + +void +ScintHitCnv_p1::persToTrans(const ScintHit_p1* persObj, ScintHit* transObj, MsgStream &log) +{ + HepMcParticleLinkCnv_p2 HepMcPLCnv; + HepMcParticleLink link; + HepMcPLCnv.persToTrans(&(persObj->m_partLink),&link, log); + + *transObj = ScintHit (HepGeom::Point3D<double> (persObj->m_stX, + persObj->m_stY, + persObj->m_stZ), + HepGeom::Point3D<double> (persObj->m_enX, + persObj->m_enY, + persObj->m_enZ), + persObj->m_energyLoss, + persObj->m_meanTime, + link, + persObj->m_ID + ); +} + + +void +ScintHitCnv_p1::transToPers(const ScintHit* transObj, ScintHit_p1* persObj, MsgStream &log) +{ +// if (log.level() <= MSG::DEBUG) log << MSG::DEBUG << "ScintHitCnv_p1::transToPers called " << endmsg; + HepMcParticleLinkCnv_p2 HepMcPLCnv; + + HepGeom::Point3D<double> st = transObj->localStartPosition(); + persObj->m_stX = st.x(); + persObj->m_stY = st.y(); + persObj->m_stZ = st.z(); + + HepGeom::Point3D<double> en = transObj->localEndPosition(); + persObj->m_enX = en.x(); + persObj->m_enY = en.y(); + persObj->m_enZ = en.z(); + + persObj->m_energyLoss = transObj->energyLoss(); + persObj->m_meanTime = transObj->meanTime(); + persObj->m_ID = transObj->identify(); + HepMcPLCnv.transToPers(&(transObj->particleLink()),&(persObj->m_partLink), log); +} diff --git a/Scintillator/ScintEventCnv/ScintSimEventTPCnv/src/ScintHits/ScintHitCollectionCnv_p1.cxx b/Scintillator/ScintEventCnv/ScintSimEventTPCnv/src/ScintHits/ScintHitCollectionCnv_p1.cxx new file mode 100644 index 0000000000000000000000000000000000000000..08e4c55e910be26cd47735c49a11bcebad82f446 --- /dev/null +++ b/Scintillator/ScintEventCnv/ScintSimEventTPCnv/src/ScintHits/ScintHitCollectionCnv_p1.cxx @@ -0,0 +1,312 @@ +/* + Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +*/ + +#include "ScintSimEvent/ScintHit.h" +#include "ScintSimEvent/ScintHitCollection.h" +#include "ScintSimEventTPCnv/ScintHits/ScintHitCollection_p1.h" +#include "ScintSimEventTPCnv/ScintHits/ScintHitCollectionCnv_p1.h" +#include "GeneratorObjects/HepMcParticleLink.h" + +#include <cmath> + +//CLHEP +#include "CLHEP/Geometry/Point3D.h" +// Gaudi +#include "GaudiKernel/MsgStream.h" +// Athena +#include "StoreGate/StoreGateSvc.h" + +// * * * stolen from eflowRec * * * // +inline double phicorr(double a) +{ + if (a <= -M_PI) + { + return a+(2*M_PI*floor(-(a-M_PI)/(2*M_PI))); + } + else if (a > M_PI) + { + return a-(2*M_PI*floor((a+M_PI)/(2*M_PI))); + } + else + { + return a; + } +} + +// * * * stolen from eflowRec * * * // +inline double cycle(double a, double b) +{ + double del = b-a; + if (del > M_PI) + { + return a+2.0*M_PI; + } + else if (del < -M_PI) + { + return a-2.0*M_PI; + } + else + { + return a; + } +} + + +const double ScintHitCollectionCnv_p1::m_persEneUnit = 1.0e-5; +const double ScintHitCollectionCnv_p1::m_persLenUnit = 1.0e-5; +const double ScintHitCollectionCnv_p1::m_persAngUnit = 1.0e-5; +const double ScintHitCollectionCnv_p1::m_2bHalfMaximum = pow(2.0, 15.0); +const int ScintHitCollectionCnv_p1::m_2bMaximum = (unsigned short)(-1); + + +void ScintHitCollectionCnv_p1::transToPers(const ScintHitCollection* transCont, ScintHitCollection_p1* persCont, MsgStream &/*log*/) +{ + // Finds hits belonging to a "string" (in which the end point of one hit is the same as the start point of the next) and + // persistifies the end point of each hit plus the start point of the first hit in each string. + // + // Further compression is achieved by optimising the storage of the position vectors:- start (x,y,z) and (theta,phi) of + // first hit are stored as floats, (delta_theta,delta_phi) relative to the fisrst hit are stored as 2 byte numbers and + // used to specify the hit direction. All hit lengths are stored as 2 byte numbers. + // + // Additional savings are achieved by storing the energy loss for each hit as a 2 byte number and only storing the mean + // time of the first hit per string. + // + // See http://indico.cern.ch/getFile.py/access?contribId=11&resId=2&materialId=slides&confId=30893 for more info. + + static const double dRcut = 1.0e-7; + static const double dTcut = 1.0; + + const HepMcParticleLink * lastLink=nullptr; + int lastId = -1; + double stringFirstTheta = 0.0; + double stringFirstPhi = 0.0; + double lastT = 0.0; + double persSumE = 0.0; + double transSumE = 0.0; + unsigned int idx = 0; + unsigned int endBC = 0; + unsigned int endId = 0; + unsigned int endHit = 0; + HepGeom::Point3D<double> lastTransEnd(0.0, 0.0, 0.0); + HepGeom::Point3D<double> lastPersEnd(0.0, 0.0, 0.0); + + for (ScintHitCollection::const_iterator it = transCont->begin(); it != transCont->end(); ++it) { + + ScintHitCollection::const_iterator siHit = it; + + + if ( !lastLink || (siHit->particleLink() != *lastLink) ) { + + // store barcode once for set of consecutive hits with same barcode + + lastLink = &(siHit->particleLink()); + persCont->m_barcode.push_back(lastLink->barcode()); + persCont->m_mcEvtIndex.push_back(lastLink->eventIndex()); + persCont->m_evtColl.push_back(lastLink->getEventCollectionAsChar()); + + if (idx > 0) { + persCont->m_nBC.push_back(idx - endBC); + endBC = idx; + } + } + + if ( (int)siHit->identify() != lastId ) { + + // store id once for set of consecutive hits with same barcode + + lastId = siHit->identify(); + persCont->m_id.push_back(lastId); + + if (idx > 0) { + persCont->m_nId.push_back(idx - endId); + endId = idx; + } + } + + HepGeom::Point3D<double> st = siHit->localStartPosition(); + HepGeom::Point3D<double> en = siHit->localEndPosition(); + + const double dx = st.x() - lastTransEnd.x(); + const double dy = st.y() - lastTransEnd.y(); + const double dz = st.z() - lastTransEnd.z(); + const double t = siHit->meanTime(); + + const double dRLast = sqrt(dx * dx + dy * dy + dz * dz); // dR between end of previous hit and start of current one + const double dTLast = fabs(t - lastT); + + CLHEP::Hep3Vector direction(0.0, 0.0, 0.0); + double theta = 0.0; + double phi = 0.0; + bool startNewString = false; + + if (dRLast < dRcut && dTLast < dTcut) { + + // hit is part of existing string + + direction = CLHEP::Hep3Vector( en.x() - lastPersEnd.x(), en.y() - lastPersEnd.y(), en.z() - lastPersEnd.z() ); + + theta = direction.theta(); + phi = phicorr( direction.phi() ); + + const int dTheta_2b = (int)( (theta - stringFirstTheta) / m_persAngUnit + m_2bHalfMaximum + 0.5 ); + const int dPhi_2b = (int)( (cycle(phi, stringFirstPhi) - stringFirstPhi) / m_persAngUnit + m_2bHalfMaximum + 0.5 ); + + if ( dTheta_2b < m_2bMaximum && dTheta_2b >= 0 && dPhi_2b < m_2bMaximum && dPhi_2b >= 0) { + persCont->m_dTheta.push_back(dTheta_2b); + persCont->m_dPhi.push_back(dPhi_2b); + theta = stringFirstTheta + ( (double)dTheta_2b - m_2bHalfMaximum ) * m_persAngUnit; + phi = stringFirstPhi + ( (double)dPhi_2b - m_2bHalfMaximum ) * m_persAngUnit; + phi = phicorr(phi); + } + else { + startNewString = true; + } + } + + if (startNewString || dRLast >= dRcut || dTLast >= dTcut) { + + // begin new hit string + + direction = CLHEP::Hep3Vector( en.x() - st.x(), en.y() - st.y(), en.z() - st.z() ); + + theta = direction.theta(); + phi = phicorr( direction.phi() ); + + persCont->m_hit1_meanTime.push_back(t); + persCont->m_hit1_x0.push_back(st.x()); + persCont->m_hit1_y0.push_back(st.y()); + persCont->m_hit1_z0.push_back(st.z()); + persCont->m_hit1_theta.push_back(theta); + persCont->m_hit1_phi.push_back(phi); + + lastPersEnd = HepGeom::Point3D<double>(st.x(), st.y(), st.z()); + + stringFirstTheta = theta; + stringFirstPhi = phi; + + if (idx > 0) { + persCont->m_nHits.push_back(idx - endHit); + endHit = idx; + } + } + + lastTransEnd = HepGeom::Point3D<double>(en.x(), en.y(), en.z()); + transSumE += siHit->energyLoss(); + + const int eneLoss_2b = (int)((transSumE - persSumE) / m_persEneUnit + 0.5); // calculated to allow recovery sum over + // whole hit string to chosen precision + + const int hitLength_2b = (int)(direction.mag() / m_persLenUnit + 0.5); // calculated to give the correct position to + // the chosen precision, NOT the length of the + // hit (small difference in practice). + double eneLoss = 0.0; + + if (eneLoss_2b >= m_2bMaximum) { + eneLoss = siHit->energyLoss(); + persCont->m_hitEne_2b.push_back(m_2bMaximum); + persCont->m_hitEne_4b.push_back(eneLoss); + } + else { + eneLoss = eneLoss_2b * m_persEneUnit; + persCont->m_hitEne_2b.push_back(eneLoss_2b); + } + + double length = 0.0; + + if (hitLength_2b >= m_2bMaximum) { + length = direction.mag(); + persCont->m_hitLength_2b.push_back(m_2bMaximum); + persCont->m_hitLength_4b.push_back(direction.mag()); + } + else { + length = hitLength_2b * m_persLenUnit; + persCont->m_hitLength_2b.push_back(hitLength_2b); + } + + CLHEP::Hep3Vector persDir(length, 0.0, 0.0); + persDir.setTheta(theta); + persDir.setPhi(phi); + + lastPersEnd = (CLHEP::Hep3Vector)lastPersEnd + persDir; + persSumE += eneLoss; + lastT = t; + + ++idx; + } + + persCont->m_nBC.push_back(idx - endBC); + persCont->m_nId.push_back(idx - endId); + persCont->m_nHits.push_back(idx - endHit); +} + + +ScintHitCollection* ScintHitCollectionCnv_p1::createTransient(const ScintHitCollection_p1* persObj, MsgStream &log) { + std::unique_ptr<ScintHitCollection> trans(std::make_unique<ScintHitCollection>("DefaultCollectionName",persObj->m_nHits.size())); + persToTrans(persObj, trans.get(), log); + return(trans.release()); +} + + +void ScintHitCollectionCnv_p1::persToTrans(const ScintHitCollection_p1* persCont, ScintHitCollection* transCont, MsgStream &/*log*/) +{ + unsigned int hitCount = 0; + unsigned int angleCount = 0; + unsigned int idxBC = 0; + unsigned int idxId = 0; + unsigned int idxEne4b = 0; + unsigned int idxLen4b = 0; + unsigned int endHit = 0; + unsigned int endBC = 0; + unsigned int endId = 0; + + for (unsigned int i = 0; i < persCont->m_nHits.size(); i++) { + + if (persCont->m_nHits[i]) { + + const unsigned int start = endHit; + endHit += persCont->m_nHits[i]; + + const double t0 = persCont->m_hit1_meanTime[i]; + const double theta0 = persCont->m_hit1_theta[i]; + const double phi0 = persCont->m_hit1_phi[i]; + HepGeom::Point3D<double> endLast(persCont->m_hit1_x0[i], persCont->m_hit1_y0[i], persCont->m_hit1_z0[i]); + + for (unsigned int j = start; j < endHit; j++) { + + if (j >= endBC + persCont->m_nBC[idxBC]) + endBC += persCont->m_nBC[idxBC++]; + + if (j >= endId + persCont->m_nId[idxId]) + endId += persCont->m_nId[idxId++]; + + const double eneLoss_2b = persCont->m_hitEne_2b[hitCount]; + const double hitLength_2b = persCont->m_hitLength_2b[hitCount]; + + const double eneLoss = (eneLoss_2b < m_2bMaximum) ? eneLoss_2b * m_persEneUnit : persCont->m_hitEne_4b[idxEne4b++]; + const double length = (hitLength_2b < m_2bMaximum) ? hitLength_2b * m_persLenUnit : persCont->m_hitLength_4b[idxLen4b++]; + + const double dTheta = (j > start) ? ((double)persCont->m_dTheta[angleCount] - m_2bHalfMaximum) * m_persAngUnit : 0.0; + const double dPhi = (j > start) ? ((double)persCont->m_dPhi[angleCount] - m_2bHalfMaximum) * m_persAngUnit : 0.0; + + const double meanTime = t0; + const double theta = theta0 + dTheta; + const double phi = phicorr(phi0 + dPhi); + + CLHEP::Hep3Vector r(length, 0.0, 0.0); + r.setTheta(theta); + r.setPhi(phi); + + HepGeom::Point3D<double> endThis( endLast + r ); + + HepMcParticleLink partLink( persCont->m_barcode[idxBC], persCont->m_mcEvtIndex[idxBC], HepMcParticleLink::ExtendedBarCode::eventCollectionFromChar(persCont->m_evtColl[idxBC]), HepMcParticleLink::IS_INDEX ); + transCont->Emplace( endLast, endThis, eneLoss, meanTime, partLink, persCont->m_id[idxId]); + + endLast = endThis; + + ++hitCount; + if (j > start) ++angleCount; + } + } + } +} diff --git a/Scintillator/ScintG4/VetoG4_SD/CMakeLists.txt b/Scintillator/ScintG4/VetoG4_SD/CMakeLists.txt new file mode 100644 index 0000000000000000000000000000000000000000..5598c4ea95091a777584c42e77f7c4f4cb982017 --- /dev/null +++ b/Scintillator/ScintG4/VetoG4_SD/CMakeLists.txt @@ -0,0 +1,36 @@ +################################################################################ +# Package: VetoG4_SD +################################################################################ + +# Declare the package name: +atlas_subdir( VetoG4_SD ) + +# Declare the package's dependencies: +atlas_depends_on_subdirs( PRIVATE + Control/StoreGate + GaudiKernel + Scintillator/ScintSimEvent + Simulation/G4Atlas/G4AtlasTools + Simulation/G4Sim/MCTruth + ) + +# External dependencies: +find_package( CLHEP ) +find_package( Geant4 ) +find_package( XercesC ) + +# Component(s) in the package: +atlas_add_component( VetoG4_SD + src/*.cxx + src/components/*.cxx + INCLUDE_DIRS ${GEANT4_INCLUDE_DIRS} ${XERCESC_INCLUDE_DIRS} ${CLHEP_INCLUDE_DIRS} + LINK_LIBRARIES ${GEANT4_LIBRARIES} ${XERCESC_LIBRARIES} ${CLHEP_LIBRARIES} StoreGateLib SGtests GaudiKernel ScintSimEvent G4AtlasToolsLib MCTruth ) + +atlas_add_test( VetoG4_SDToolConfig_test + SCRIPT test/VetoG4_SDToolConfig_test.py + PROPERTIES TIMEOUT 300 ) + +# Install files from the package: +atlas_install_python_modules( python/*.py ) +atlas_install_scripts( test/*.py ) + diff --git a/Scintillator/ScintG4/VetoG4_SD/python/VetoG4_SDConfig.py b/Scintillator/ScintG4/VetoG4_SD/python/VetoG4_SDConfig.py new file mode 100644 index 0000000000000000000000000000000000000000..de3fe9618e6f0cc48b5156c9779ad7505893b206 --- /dev/null +++ b/Scintillator/ScintG4/VetoG4_SD/python/VetoG4_SDConfig.py @@ -0,0 +1,19 @@ +# Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration + +from AthenaCommon import CfgMgr +from G4AtlasApps.SimFlags import simFlags + +from ISF_Algorithms.collection_merger_helpers import generate_mergeable_collection_name + + +def getVetoSensorSD(name="VetoSensorSD", **kwargs): + bare_collection_name = "VetoHits" + mergeable_collection_suffix = "_G4" + merger_input_property = "VetoHits" + hits_collection_name = generate_mergeable_collection_name(bare_collection_name, + mergeable_collection_suffix, + merger_input_property) + kwargs.setdefault("LogicalVolumeNames", ["Veto::Plate"]) + kwargs.setdefault("OutputCollectionNames", [hits_collection_name]) + return CfgMgr.VetoSensorSDTool(name, **kwargs) + diff --git a/Scintillator/ScintG4/VetoG4_SD/python/VetoG4_SDConfigDb.py b/Scintillator/ScintG4/VetoG4_SD/python/VetoG4_SDConfigDb.py new file mode 100644 index 0000000000000000000000000000000000000000..e1e81d46962133703ad3f384dad72be5c2b5e065 --- /dev/null +++ b/Scintillator/ScintG4/VetoG4_SD/python/VetoG4_SDConfigDb.py @@ -0,0 +1,5 @@ +# Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration + +from AthenaCommon.CfgGetter import addTool + +addTool("VetoG4_SD.VetoG4_SDConfig.getVetoSensorSD" , "VetoSensorSD" ) diff --git a/Scintillator/ScintG4/VetoG4_SD/python/VetoG4_SDToolConfig.py b/Scintillator/ScintG4/VetoG4_SD/python/VetoG4_SDToolConfig.py new file mode 100644 index 0000000000000000000000000000000000000000..5503826fc952d4266b32c5b732f5efeea83feac8 --- /dev/null +++ b/Scintillator/ScintG4/VetoG4_SD/python/VetoG4_SDToolConfig.py @@ -0,0 +1,21 @@ +# Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration + +from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator +from ISF_Algorithms.collection_merger_helpersNew import CollectionMergerCfg + +# from VetoG4_SD.VetoG4_SDConf import VetoSensorSDTool +from VetoG4_SD.VetoG4_SDConfig import getVetoSensorSD + +def VetoSensorSDCfg(ConfigFlags, name="VetoSensorSD", **kwargs): + + result = ComponentAccumulator() + bare_collection_name = "VetoHits" + mergeable_collection_suffix = "_G4" + merger_input_property = "VetoHits" + + acc, hits_collection_name = CollectionMergerCfg(ConfigFlags, bare_collection_name, mergeable_collection_suffix, merger_input_property) + kwargs.setdefault("LogicalVolumeNames", ["Veto::Plate"]) + kwargs.setdefault("OutputCollectionNames", [hits_collection_name]) + + result.merge(acc) + return result, getVetoSensorSD(name, **kwargs) diff --git a/Scintillator/ScintG4/VetoG4_SD/src/VetoSensorSD.cxx b/Scintillator/ScintG4/VetoG4_SD/src/VetoSensorSD.cxx new file mode 100644 index 0000000000000000000000000000000000000000..af5d5287666f14490948cd1ab18b27dad433ac95 --- /dev/null +++ b/Scintillator/ScintG4/VetoG4_SD/src/VetoSensorSD.cxx @@ -0,0 +1,116 @@ +/* + Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +*/ + +// +// Veto Sensitive Detector. +// The Hits are processed here. For every hit I get the position and +// an information on the sensor in which the interaction happened +// + +// class headers +#include "VetoSensorSD.h" + +// athena includes +#include "MCTruth/TrackHelper.h" + +// Geant4 includes +#include "G4Step.hh" +#include "G4ThreeVector.hh" +#include "G4SDManager.hh" +#include "G4Geantino.hh" +#include "G4ChargedGeantino.hh" + +// CLHEP transform +#include "CLHEP/Geometry/Transform3D.h" + +#include <memory> // For make unique + +//....oooOO0OOooo........oooOO0OOooo........oooOO0OOooo........oooOO0OOooo...... + +VetoSensorSD::VetoSensorSD( const std::string& name, const std::string& hitCollectionName ) + : G4VSensitiveDetector( name ) + , m_HitColl( hitCollectionName ) +{ +} + +//....oooOO0OOooo........oooOO0OOooo........oooOO0OOooo........oooOO0OOooo...... + +void VetoSensorSD::Initialize(G4HCofThisEvent *) +{ + if (!m_HitColl.isValid()) m_HitColl = std::make_unique<ScintHitCollection>(); +} + +//....oooOO0OOooo........oooOO0OOooo........oooOO0OOooo........oooOO0OOooo...... + +G4bool VetoSensorSD::ProcessHits(G4Step* aStep, G4TouchableHistory* /*ROhist*/) +{ + double edep = aStep->GetTotalEnergyDeposit(); + if(edep==0.) { + if(aStep->GetTrack()->GetDefinition()!=G4Geantino::GeantinoDefinition() && + aStep->GetTrack()->GetDefinition()!=G4ChargedGeantino::ChargedGeantinoDefinition()) + return false; + } + edep *= CLHEP::MeV; + // + // Get the Touchable History: + // + const G4TouchableHistory *myTouch = dynamic_cast<const G4TouchableHistory*>(aStep->GetPreStepPoint()->GetTouchable()); + // + // Get the hit coordinates. Start and End Point + // + G4ThreeVector coord1 = aStep->GetPreStepPoint()->GetPosition(); + G4ThreeVector coord2 = aStep->GetPostStepPoint()->GetPosition(); + // + // Calculate the local step begin and end position. + // From a G4 FAQ: + // http://geant4-hn.slac.stanford.edu:5090/HyperNews/public/get/geometry/17/1.html + // + const G4AffineTransform transformation = myTouch->GetHistory()->GetTopTransform(); + G4ThreeVector localPosition1 = transformation.TransformPoint(coord1); + G4ThreeVector localPosition2 = transformation.TransformPoint(coord2); + // + // Get it into a vector in local coords and with the right units: + // + HepGeom::Point3D<double> lP1,lP2; + + // No funny business with coordinates like ATLAS... + lP1[2] = localPosition1[2]*CLHEP::mm; + lP1[1] = localPosition1[1]*CLHEP::mm; + lP1[0] = localPosition1[0]*CLHEP::mm; + + lP2[2] = localPosition2[2]*CLHEP::mm; + lP2[1] = localPosition2[1]*CLHEP::mm; + lP2[0] = localPosition2[0]*CLHEP::mm; + + // Now Navigate the history to know in what detector the step is: + // and finally set the ID of det element in which the hit is. + // + //G4int History; + // + // Get station and plate + // + int station = 0; + int plate = 0; + this->indexMethod(myTouch, station, plate); + // get the HepMcParticleLink from the TrackHelper + TrackHelper trHelp(aStep->GetTrack()); + m_HitColl->Emplace(lP1, + lP2, + edep, + aStep->GetPreStepPoint()->GetGlobalTime(),//use the global time. i.e. the time from the beginning of the event + trHelp.GetParticleLink(), + 0,station,plate); + return true; +} + +void VetoSensorSD::indexMethod(const G4TouchableHistory *myTouch, + int &station, int &plate) { + + + plate = myTouch->GetVolume()->GetCopyNo(); + const std::string stationName = myTouch->GetVolume(1)->GetLogicalVolume()->GetName(); + station = (stationName == "Veto::VetoStationA" ? 0 : 1 ); + + return; +} diff --git a/Scintillator/ScintG4/VetoG4_SD/src/VetoSensorSD.h b/Scintillator/ScintG4/VetoG4_SD/src/VetoSensorSD.h new file mode 100644 index 0000000000000000000000000000000000000000..52e6a2bc540ad90b597b5cf4280f8145f0876273 --- /dev/null +++ b/Scintillator/ScintG4/VetoG4_SD/src/VetoSensorSD.h @@ -0,0 +1,50 @@ +/* + Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +*/ + +/**************************************************************** + Veto Sensitive Detector class +****************************************************************/ + +#ifndef VETOG4_SD_VETOSENSORSD_H +#define VETOG4_SD_VETOSENSORSD_H + +// Base class +#include "G4VSensitiveDetector.hh" + +// For the hits +#include "ScintSimEvent/ScintHitCollection.h" +#include "StoreGate/WriteHandle.h" + +// G4 needed classes +class G4Step; +class G4TouchableHistory; + +class VetoSensorSD : public G4VSensitiveDetector +{ +public: + // Constructor + VetoSensorSD(const std::string& name, const std::string& hitCollectionName); + + // Destructor + ~VetoSensorSD() { /* If all goes well we do not own myHitColl here */ } + + // Deal with each G4 hit + G4bool ProcessHits(G4Step*, G4TouchableHistory*) override; + + // For setting up the hit collection + void Initialize(G4HCofThisEvent*) override final; + + /** Templated method to stuff a single hit into the sensitive detector class. This + could get rather tricky, but the idea is to allow fast simulations to use the very + same SD classes as the standard simulation. */ + template <class... Args> void AddHit(Args&&... args){ m_HitColl->Emplace( args... ); } + +private: + void indexMethod(const G4TouchableHistory *myTouch, int &station, int &plate); +protected: + // The hits collection + SG::WriteHandle<ScintHitCollection> m_HitColl; +}; + +#endif //VETOG4_SD_VETOSENSORSD_H diff --git a/Scintillator/ScintG4/VetoG4_SD/src/VetoSensorSDTool.cxx b/Scintillator/ScintG4/VetoG4_SD/src/VetoSensorSDTool.cxx new file mode 100644 index 0000000000000000000000000000000000000000..bd19e95160592666bab9027c345d68fcbee63d52 --- /dev/null +++ b/Scintillator/ScintG4/VetoG4_SD/src/VetoSensorSDTool.cxx @@ -0,0 +1,32 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +// Veto Sensitive Detector Tool. +// + +// class header +#include "VetoSensorSDTool.h" + +// package includes +#include "VetoSensorSD.h" + +// STL includes +#include <exception> + +//....oooOO0OOooo........oooOO0OOooo........oooOO0OOooo........oooOO0OOooo...... + +VetoSensorSDTool::VetoSensorSDTool(const std::string& type, const std::string& name, const IInterface* parent) + : SensitiveDetectorBase( type , name , parent ) +{ + +} + +//....oooOO0OOooo........oooOO0OOooo........oooOO0OOooo........oooOO0OOooo...... + +G4VSensitiveDetector* VetoSensorSDTool::makeSD() +{ + ATH_MSG_DEBUG( "Creating Veto SD: " << name() ); + return new VetoSensorSD(name(), m_outputCollectionNames[0]); +} + diff --git a/Scintillator/ScintG4/VetoG4_SD/src/VetoSensorSDTool.h b/Scintillator/ScintG4/VetoG4_SD/src/VetoSensorSDTool.h new file mode 100644 index 0000000000000000000000000000000000000000..33751c0bb0b31bf17700ccf75ebab67ef48c7923 --- /dev/null +++ b/Scintillator/ScintG4/VetoG4_SD/src/VetoSensorSDTool.h @@ -0,0 +1,36 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +/**************************************************************** + Veto Sensitive Detector Tool + ****************************************************************/ + +#ifndef VETOG4_SD_VETOSENSORSDTOOL_H +#define VETOG4_SD_VETOSENSORSDTOOL_H + +// Base class +#include "G4AtlasTools/SensitiveDetectorBase.h" + +// STL headers +#include <string> + +class G4VSensitiveDetector; + +//....oooOO0OOooo........oooOO0OOooo........oooOO0OOooo........oooOO0OOooo..... + +class VetoSensorSDTool : public SensitiveDetectorBase +{ + public: + // Constructor + VetoSensorSDTool(const std::string& type, const std::string& name, const IInterface *parent); + + // Destructor + ~VetoSensorSDTool() { /* If all goes well we do not own myHitColl here */ } + +protected: + // Make me an SD! + G4VSensitiveDetector* makeSD() override final; +}; + +#endif //VETOG4_SD_VETOSENSORSDTOOL_H diff --git a/Scintillator/ScintG4/VetoG4_SD/src/components/VetoG4_SD_entries.cxx b/Scintillator/ScintG4/VetoG4_SD/src/components/VetoG4_SD_entries.cxx new file mode 100644 index 0000000000000000000000000000000000000000..db34c8ee1ae915eec96976339ab8004039c28772 --- /dev/null +++ b/Scintillator/ScintG4/VetoG4_SD/src/components/VetoG4_SD_entries.cxx @@ -0,0 +1,3 @@ +#include "../VetoSensorSDTool.h" + +DECLARE_COMPONENT( VetoSensorSDTool ) diff --git a/Scintillator/ScintG4/VetoG4_SD/test/VetoG4_SDToolConfig_test.py b/Scintillator/ScintG4/VetoG4_SD/test/VetoG4_SDToolConfig_test.py new file mode 100644 index 0000000000000000000000000000000000000000..2eb4d3cb44b020550b17dfcf4fa095b2d845a251 --- /dev/null +++ b/Scintillator/ScintG4/VetoG4_SD/test/VetoG4_SDToolConfig_test.py @@ -0,0 +1,54 @@ +#!/usr/bin/env python +"""Run tests on VetoG4_SD configuration + +Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +""" +from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator + + +if __name__ == '__main__': + + + #import config flags + from CalypsoConfiguration.AllConfigFlags import ConfigFlags + # Set up logging and config behaviour + from AthenaCommon.Logging import log + from AthenaCommon.Constants import DEBUG + from AthenaCommon.Configurable import Configurable + log.setLevel(DEBUG) + Configurable.configurableRun3Behavior = 1 + + + # ConfigFlags.Sim.ISF.Run = True + ConfigFlags.Detector.SimulateVeto = True + + #Provide input + from AthenaConfiguration.TestDefaults import defaultTestFiles + inputDir = defaultTestFiles.d + ConfigFlags.Input.Files = defaultTestFiles.EVNT + + # Finalize + ConfigFlags.lock() + + + ## Initialize a new component accumulator + cfg = ComponentAccumulator() + + from VetoG4_SD.VetoG4_SDToolConfig import VetoSensorSDCfg + + acc, tool = VetoSensorSDCfg(ConfigFlags) + acc.addPublicTool(tool) + cfg.merge(acc) + + + cfg.printConfig(withDetails=True, summariseProps = True) + ConfigFlags.dump() + + f=open("test.pkl","w") + cfg.store(f) + f.close() + + + + print cfg._publicTools + print "-----------------finished----------------------" diff --git a/Scintillator/ScintSimEvent/CMakeLists.txt b/Scintillator/ScintSimEvent/CMakeLists.txt new file mode 100644 index 0000000000000000000000000000000000000000..b0f889d01ce27c1a409f637a0f8d139d6e15e0e0 --- /dev/null +++ b/Scintillator/ScintSimEvent/CMakeLists.txt @@ -0,0 +1,40 @@ +################################################################################ +# Package: ScintSimEvent +################################################################################ + +# Declare the package name: +atlas_subdir( ScintSimEvent ) + +# Declare the package's dependencies: +atlas_depends_on_subdirs( PUBLIC + Control/AthenaKernel + Control/AthAllocators + Control/CxxUtils + Generators/GeneratorObjects + Simulation/HitManagement + + PRIVATE + Control/StoreGate + Scintillator/ScintDetDescr/ScintIdentifier ) + +# External dependencies: +find_package( CLHEP ) +find_package( Geant4 ) +find_package( ROOT COMPONENTS Core Tree MathCore Hist RIO pthread ) + +# Component(s) in the package: +atlas_add_library( ScintSimEvent + src/*.cxx + PUBLIC_HEADERS ScintSimEvent + INCLUDE_DIRS ${CLHEP_INCLUDE_DIRS} + PRIVATE_INCLUDE_DIRS ${ROOT_INCLUDE_DIRS} ${GEANT4_INCLUDE_DIRS} + DEFINITIONS ${CLHEP_DEFINITIONS} + LINK_LIBRARIES ${CLHEP_LIBRARIES} AthAllocators AthenaKernel CxxUtils GeneratorObjects HitManagement StoreGateLib SGtests + PRIVATE_LINK_LIBRARIES ${ROOT_LIBRARIES} ScintIdentifier ) + +atlas_add_dictionary( ScintSimEventDict + ScintSimEvent/ScintSimEventDict.h + ScintSimEvent/selection.xml + INCLUDE_DIRS ${ROOT_INCLUDE_DIRS} ${CLHEP_INCLUDE_DIRS} ${GEANT4_INCLUDE_DIRS} + LINK_LIBRARIES ${ROOT_LIBRARIES} ${CLHEP_LIBRARIES} AthAllocators CxxUtils GeneratorObjects HitManagement StoreGateLib SGtests ScintIdentifier ScintSimEvent ) + diff --git a/Scintillator/ScintSimEvent/ScintSimEvent/ScintHit.h b/Scintillator/ScintSimEvent/ScintSimEvent/ScintHit.h new file mode 100644 index 0000000000000000000000000000000000000000..5a0a4d17282cc234c09b697cdee2c028480a2b96 --- /dev/null +++ b/Scintillator/ScintSimEvent/ScintSimEvent/ScintHit.h @@ -0,0 +1,185 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +/////////////////////////////////////////////////////////////////// +// ScintHit.h +// Header file for class ScintHit +/////////////////////////////////////////////////////////////////// +// Class for the Veto, Trigger and Preshower hits +/////////////////////////////////////////////////////////////////// + +#ifndef SCINTSIMEVENT_SCINTHIT_H +#define SCINTSIMEVENT_SCINTHIT_H + +// Data members classes +#include "CLHEP/Geometry/Point3D.h" +#include "GeneratorObjects/HepMcParticleLink.h" + +class ScintHit { + + /////////////////////////////////////////////////////////////////// + // Public methods: + /////////////////////////////////////////////////////////////////// +public: + + // Constructor with parameters: + // local start position of the energy deposit + // local end position of the energy deposit + // deposited energy + // time of energy deposition + // number of track which released this energy + // + ScintHit(const HepGeom::Point3D<double> &localStartPosition, + const HepGeom::Point3D<double> &localEndPosition, + const double energyLoss, + const double meanTime, + const int trackNumber, + const unsigned int id); + + ScintHit(const HepGeom::Point3D<double> &localStartPosition, + const HepGeom::Point3D<double> &localEndPosition, + const double energyLoss, + const double meanTime, + const int trackNumber, + const int, const int, const int); + // Constructor with parameters: + // local start position of the energy deposit + // local end position of the energy deposit + // deposited energy + // time of energy deposition + // link to particle which released this energy + // + ScintHit(const HepGeom::Point3D<double> &localStartPosition, + const HepGeom::Point3D<double> &localEndPosition, + const double energyLoss, + const double meanTime, + const HepMcParticleLink &track, + const unsigned int id); + + ScintHit(const HepGeom::Point3D<double> &localStartPosition, + const HepGeom::Point3D<double> &localEndPosition, + const double energyLoss, + const double meanTime, + const HepMcParticleLink &track, + const int, const int, const int); + // needed by athenaRoot + ScintHit(); + + // Destructor: + virtual ~ScintHit(); + + //move assignment defaulted + ScintHit & operator = (ScintHit &&) = default; + //assignment defaulted + ScintHit & operator = (const ScintHit &) = default; + //copy c'tor defaulted + ScintHit(const ScintHit &) = default; + + /////////////////////////////////////////////////////////////////// + // Const methods: + /////////////////////////////////////////////////////////////////// + + unsigned int identify() const; + + // local start position of the energy deposit: + HepGeom::Point3D<double> localStartPosition() const; + + HepGeom::Point3D<double> localEndPosition() const; + + // deposited energy: + double energyLoss() const; + + // time of energy deposition: FIXME name! + double meanTime() const; + + // Set the time of energy deposition: FIXME name! + void setMeanTime(float meanTime); + + // number of track which released this energy: + int trackNumber() const; + + // link to the particle generating the hit + const HepMcParticleLink& particleLink() const; + + // Veto, trigger or preshower? + bool isVeto() const; + bool isTrigger() const; + bool isPreshower() const; + + // Station + int getStation() const; + + // Plate + int getPlate() const; + + // some print-out: + void print() const; + + bool operator < (const ScintHit& rhs) const + {return m_ID < rhs.m_ID;} + + /////////////////////////////////////////////////////////////////// + // Non-const methods: + /////////////////////////////////////////////////////////////////// + // Scale the length, used to go from cm to mm, of whatever we like. + void ScaleLength(double); + + /////////////////////////////////////////////////////////////////// + // Private data: + /////////////////////////////////////////////////////////////////// +private: + + float m_stX, m_stY, m_stZ; + float m_enX, m_enY, m_enZ; + float m_energyLoss; // deposited energy + float m_meanTime; // time of energy deposition + HepMcParticleLink m_partLink; + unsigned int m_ID; +public: + // enum + // { xDep = 2, xPhi = 0, xEta = 1}; +}; + + +/////////////////////////////////////////////////////////////////// +// Inline methods: +/////////////////////////////////////////////////////////////////// + +inline unsigned int ScintHit::identify() const +{ + return m_ID; +} + +inline double ScintHit::energyLoss() const +{ + return (double) m_energyLoss; +} + +inline double ScintHit::meanTime() const +{ + return (double) m_meanTime; +} + +inline void ScintHit::setMeanTime(float meanTime) +{ + m_meanTime=meanTime; +} + +inline const HepMcParticleLink& ScintHit::particleLink() const +{ + return m_partLink; +} + + + +/////////////////////////////////////////////////////////////////// +// open functions: +/////////////////////////////////////////////////////////////////// + +inline float hitTime(const ScintHit& hit) +{ + return (float) hit.meanTime(); +} + +#endif // SCINTSIMEVENT_SCINTHIT_H diff --git a/Scintillator/ScintSimEvent/ScintSimEvent/ScintHitCollection.h b/Scintillator/ScintSimEvent/ScintSimEvent/ScintHitCollection.h new file mode 100644 index 0000000000000000000000000000000000000000..9eabf2a430e4c7ed14e54db078083957cf85cc14 --- /dev/null +++ b/Scintillator/ScintSimEvent/ScintSimEvent/ScintHitCollection.h @@ -0,0 +1,20 @@ +/* + Copyright (C) 2002-2018 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef SCINTSIMEVENT_SCINTHITCOLLECTION_H +#define SCINTSIMEVENT_SCINTHITCOLLECTION_H + +#include "ScintSimEvent/ScintHit.h" +#include "HitManagement/AtlasHitsVector.h" +#include "AthenaKernel/CLASS_DEF.h" + +typedef AtlasHitsVector<ScintHit> ScintHitCollection; +typedef AtlasHitsVector<ScintHit>::iterator ScintHitIterator; +typedef AtlasHitsVector<ScintHit>::const_iterator ScintHitConstIterator; + +#ifndef __CINT__ + CLASS_DEF(ScintHitCollection, 1209245270, 1 ) +#endif + +#endif // SCINTSIMEVENT_SCINTHITCOLLECTION_H diff --git a/Scintillator/ScintSimEvent/ScintSimEvent/ScintHitIdHelper.h b/Scintillator/ScintSimEvent/ScintSimEvent/ScintHitIdHelper.h new file mode 100644 index 0000000000000000000000000000000000000000..2874bac894b15684252de5a531081f338750c10c --- /dev/null +++ b/Scintillator/ScintSimEvent/ScintSimEvent/ScintHitIdHelper.h @@ -0,0 +1,59 @@ +/* + Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef SCINTSIMEVENT_SCINTHITIDHELPER +#define SCINTSIMEVENT_SCINTHITIDHELPER + +// +// This is a helper class to build an identifing integer used by +// the simulation. It inherits from HitIdHelper, in order to get +// all the packing and shifting for free. +// The class is a singleton and a static GetHelper() is provided +// the constructor calls the Initialize() method which sets all the +// field dimensions +// Methods are provided to get access to the ScintTracker Geometry +// description +// + + +// +// Base Class +#include "HitManagement/HitIdHelper.h" + +// This class is singleton and static method and variable are used. +#include "CxxUtils/checker_macros.h" +ATLAS_NO_CHECK_FILE_THREAD_SAFETY; + +class ScintHitIdHelper : HitIdHelper { + public: + // + // Access to the helper + static ScintHitIdHelper* GetHelper(); + // + // Info retrieval: + // Veto or Trigger or Preshower + bool isVeto(const int& hid) const; + bool isTrigger(const int& hid) const; + bool isPreshower(const int& hid) const; + + // Barrel or Endcap + int getStation(const int& hid) const; + + // Layer/Disk + int getPlate(const int& hid) const; + + // + // Info packing: + int buildHitId(const int, const int, const int) const; + + private: + // + // private constructor to have a singleton + ScintHitIdHelper(); + // + // Initialize the helper, only called by the constructor + void Initialize(); +}; + +#endif // SCINTSIMEVENT_SCINTHITIDHELPER diff --git a/Scintillator/ScintSimEvent/ScintSimEvent/ScintSimEventDict.h b/Scintillator/ScintSimEvent/ScintSimEvent/ScintSimEventDict.h new file mode 100644 index 0000000000000000000000000000000000000000..946cd3e137b7f562a5dd20edb7ce468394e6621a --- /dev/null +++ b/Scintillator/ScintSimEvent/ScintSimEvent/ScintSimEventDict.h @@ -0,0 +1,10 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef SCINTSIMEVENT_SCINTSIMEVENTDICT_H +#define SCINTSIMEVENT_SCINTSIMEVENTDICT_H + +#include "ScintSimEvent/ScintHitCollection.h" + +#endif \ No newline at end of file diff --git a/Scintillator/ScintSimEvent/ScintSimEvent/selection.xml b/Scintillator/ScintSimEvent/ScintSimEvent/selection.xml new file mode 100644 index 0000000000000000000000000000000000000000..a1874958a122852ebd7ba1fbbc0f74eb923f2900 --- /dev/null +++ b/Scintillator/ScintSimEvent/ScintSimEvent/selection.xml @@ -0,0 +1,5 @@ +<lcgdict> + <class name="AtlasHitsVector<ScintHit>" /> + <class name="std::vector<ScintHit>" /> + <class name="ScintHit" /> +</lcgdict> diff --git a/Scintillator/ScintSimEvent/src/ScintHit.cxx b/Scintillator/ScintSimEvent/src/ScintHit.cxx new file mode 100644 index 0000000000000000000000000000000000000000..2ef1cfd9b1361c75183fd1e399ffa31e453604db --- /dev/null +++ b/Scintillator/ScintSimEvent/src/ScintHit.cxx @@ -0,0 +1,176 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#include "ScintSimEvent/ScintHit.h" +#include "ScintSimEvent/ScintHitIdHelper.h" + +// Default consdtructor needed by athenaroot +// +ScintHit::ScintHit( ) : + m_stX(0.), + m_stY(0.), + m_stZ(0.), + m_enX(0.), + m_enY(0.), + m_enZ(0.), + m_energyLoss(0.), + m_meanTime(0.), + m_partLink(), + m_ID(0xffff) +{ + +} + +ScintHit::~ScintHit() {} + + +// Constructor +ScintHit::ScintHit(const HepGeom::Point3D<double> &localStartPosition, + const HepGeom::Point3D<double> &localEndPosition, + const double energyLoss, + const double meanTime, + const int trackNumber, + const unsigned int id) : + m_stX( (float) localStartPosition.x() ), + m_stY( (float) localStartPosition.y() ), + m_stZ( (float) localStartPosition.z() ), + m_enX( (float) localEndPosition.x() ), + m_enY( (float) localEndPosition.y() ), + m_enZ( (float) localEndPosition.z() ), + m_energyLoss(energyLoss), + m_meanTime(meanTime), + m_partLink(trackNumber), + m_ID(id) +{ +} + +// Constructor +ScintHit::ScintHit(const HepGeom::Point3D<double> &localStartPosition, + const HepGeom::Point3D<double> &localEndPosition, + const double energyLoss, + const double meanTime, + const int trackNumber, + const int veto_trigger_preshower, + const int station, + const int plate) : + m_stX( (float) localStartPosition.x() ), + m_stY( (float) localStartPosition.y() ), + m_stZ( (float) localStartPosition.z() ), + m_enX( (float) localEndPosition.x() ), + m_enY( (float) localEndPosition.y() ), + m_enZ( (float) localEndPosition.z() ), + m_energyLoss(energyLoss), + m_meanTime(meanTime), + m_partLink(trackNumber), + m_ID(0) +{ + // Compress the location info into the integer: + m_ID = ScintHitIdHelper::GetHelper()->buildHitId(veto_trigger_preshower, + station, + plate); +} + +// Constructor +ScintHit::ScintHit(const HepGeom::Point3D<double> &localStartPosition, + const HepGeom::Point3D<double> &localEndPosition, + const double energyLoss, + const double meanTime, + const HepMcParticleLink &track, + const unsigned int id) : + m_stX( (float) localStartPosition.x() ), + m_stY( (float) localStartPosition.y() ), + m_stZ( (float) localStartPosition.z() ), + m_enX( (float) localEndPosition.x() ), + m_enY( (float) localEndPosition.y() ), + m_enZ( (float) localEndPosition.z() ), + m_energyLoss(energyLoss), + m_meanTime(meanTime), + m_partLink(track), + m_ID(id) +{ +} + +// Constructor +ScintHit::ScintHit(const HepGeom::Point3D<double> &localStartPosition, + const HepGeom::Point3D<double> &localEndPosition, + const double energyLoss, + const double meanTime, + const HepMcParticleLink &track, + const int veto_trigger_preshower, + const int station, + const int plate) : + m_stX( (float) localStartPosition.x() ), + m_stY( (float) localStartPosition.y() ), + m_stZ( (float) localStartPosition.z() ), + m_enX( (float) localEndPosition.x() ), + m_enY( (float) localEndPosition.y() ), + m_enZ( (float) localEndPosition.z() ), + m_energyLoss(energyLoss), + m_meanTime(meanTime), + m_partLink(track), + m_ID(0) +{ + // Compress the location info into the integer: + m_ID = ScintHitIdHelper::GetHelper()->buildHitId(veto_trigger_preshower, + station, + plate); +} + +void ScintHit::ScaleLength(double sfactor) { + m_stX *= (float) sfactor; + m_stY *= (float) sfactor; + m_stZ *= (float) sfactor; + m_enX *= (float) sfactor; + m_enY *= (float) sfactor; + m_enZ *= (float) sfactor; +} + +bool ScintHit::isVeto() const { + return ScintHitIdHelper::GetHelper()->isVeto(m_ID); +} + +bool ScintHit::isTrigger() const { + return ScintHitIdHelper::GetHelper()->isTrigger(m_ID); +} + +bool ScintHit::isPreshower() const { + return ScintHitIdHelper::GetHelper()->isPreshower(m_ID); +} + +HepGeom::Point3D<double> ScintHit::localStartPosition() const +{ + return HepGeom::Point3D<double>((double) m_stX, (double) m_stY, (double) m_stZ); +} + +HepGeom::Point3D<double> ScintHit::localEndPosition() const +{ + return HepGeom::Point3D<double>((double) m_enX, (double) m_enY, (double) m_enZ); +} + +int ScintHit::getStation() const { + return ScintHitIdHelper::GetHelper()->getStation(m_ID); +} + +int ScintHit::getPlate() const { + return ScintHitIdHelper::GetHelper()->getPlate(m_ID); +} + +void ScintHit::print() const { + if (isVeto()) { + std::cout << "*** Veto Hit " << std::endl; + } else if (isTrigger()) { + std::cout << "*** Trigger Hit " << std::endl; + } else if (isPreshower()) { + std::cout << "*** Preshower Hit " << std::endl; + } else { + std::cout << "*** Unrecognized Scintillator Hit " << std::endl; + } + std::cout << " Station Number " << getStation() << std::endl; + std::cout << " Plate Number " << getPlate() << std::endl; +} + +int ScintHit::trackNumber() const +{ + return m_partLink.barcode(); +} diff --git a/Scintillator/ScintSimEvent/src/ScintHitIdHelper.cxx b/Scintillator/ScintSimEvent/src/ScintHitIdHelper.cxx new file mode 100644 index 0000000000000000000000000000000000000000..ad7abd1514dba07066b839060d25bcc0fe5b641a --- /dev/null +++ b/Scintillator/ScintSimEvent/src/ScintHitIdHelper.cxx @@ -0,0 +1,104 @@ +/* + Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +*/ + +#include <mutex> + +#include "ScintSimEvent/ScintHitIdHelper.h" +#include "StoreGate/StoreGateSvc.h" +#include "StoreGate/StoreGate.h" +#include "ScintIdentifier/VetoID.h" + +#include "G4Types.hh" +#ifdef G4MULTITHREADED +# include "GaudiKernel/ContextSpecificPtr.h" +#endif + +static std::mutex sgMutex; + +// This class is singleton and static method and variable are used. +ATLAS_NO_CHECK_FILE_THREAD_SAFETY; + +// +// private constructor +ScintHitIdHelper::ScintHitIdHelper() :HitIdHelper() { + Initialize(); +} + +ScintHitIdHelper* ScintHitIdHelper::GetHelper() { +#ifdef G4MULTITHREADED + // Context-specific singleton + static Gaudi::Hive::ContextSpecificPtr<ScintHitIdHelper> helperPtr; + if(!helperPtr) helperPtr = new ScintHitIdHelper(); + return helperPtr.get(); +#else + static ScintHitIdHelper helper; + return &helper; +#endif +} + +void ScintHitIdHelper::Initialize() { + + // determine whether hits were created with an SLHC dictionary + // in which case eta module field is expanded. + // Need to lock this thread-unsafe retrieval + const VetoID* pix; + StoreGateSvc* detStore(nullptr); + { + std::lock_guard<std::mutex> lock(sgMutex); + detStore = StoreGate::pointer("DetectorStore"); + if (detStore->retrieve(pix, "VetoID").isFailure()) { pix = 0; } + } + + InitializeField("VetoTriggerPreshower", 0, 2); + InitializeField("Station", -2, 2); + InitializeField("Plate", 0, 4); +} + +// Info retrieval: +// Veto or Trigger or Preshower +bool ScintHitIdHelper::isVeto(const int& hid) const +{ + int ps = this->GetFieldValue("VetoTriggerPreshower", hid); + if ( ps == 0 ) return true; + else return false; +} + +bool ScintHitIdHelper::isTrigger(const int& hid) const +{ + int ps = this->GetFieldValue("VetoTriggerPreshower", hid); + if ( ps == 1 ) return true; + else return false; +} + +bool ScintHitIdHelper::isPreshower(const int& hid) const +{ + int ps = this->GetFieldValue("VetoTriggerPreshower", hid); + if ( ps == 2 ) return true; + else return false; +} + +// Station +int ScintHitIdHelper::getStation(const int& hid) const +{ + return this->GetFieldValue("Station", hid); +} + +// Plate +int ScintHitIdHelper::getPlate(const int& hid) const +{ + return this->GetFieldValue("Plate", hid); +} + +// +// Info packing: +int ScintHitIdHelper::buildHitId(const int veto_trigger_preshower, + const int station, + const int plate) const +{ + int theID(0); + this->SetFieldValue("VetoTriggerPreshower", veto_trigger_preshower, theID); + this->SetFieldValue("Station", station, theID); + this->SetFieldValue("Plate", plate, theID); + return theID; +} diff --git a/Simulation/G4Faser/G4FaserAlg/CMakeLists.txt b/Simulation/G4Faser/G4FaserAlg/CMakeLists.txt new file mode 100644 index 0000000000000000000000000000000000000000..66f8d8f351ba1aa04763d8815ac0c4ee48de4c55 --- /dev/null +++ b/Simulation/G4Faser/G4FaserAlg/CMakeLists.txt @@ -0,0 +1,53 @@ +################################################################################ +# Package: G4FaserAlg +################################################################################ + +# Declare the package name: +atlas_subdir( G4FaserAlg ) + +# Declare the package's dependencies: +atlas_depends_on_subdirs( PUBLIC + GaudiKernel + PRIVATE + Control/AthenaBaseComps + Control/AthenaKernel + Control/SGTools + Control/StoreGate + DetectorDescription/GeoModel/GeoModelInterfaces + Event/EventInfo + Generators/GeneratorObjects + Simulation/G4Atlas/G4AtlasInterfaces + Simulation/G4Sim/MCTruthBase + Simulation/ISF/ISF_Core/ISF_Interfaces + Simulation/Barcode/BarcodeInterfaces) + +# External dependencies: +find_package( CLHEP ) +find_package( Geant4 ) +find_package( HepMC ) +find_package( XercesC ) +find_package( Eigen ) + +# G4AtlasAlgLib library + +#atlas_add_library( G4FaserAlgLib +# src/*.cxx +# PUBLIC_HEADERS G4AtlasAlg +# INCLUDE_DIRS ${GEANT4_INCLUDE_DIRS} ${EIGEN_INCLUDE_DIRS} ${XERCESC_INCLUDE_DIRS} ${CLHEP_INCLUDE_DIRS} +# ${HEPMC_INCLUDE_DIRS} +# LINK_LIBRARIES ${GEANT4_LIBRARIES} ${EIGEN_LIBRARIES} ${XERCESC_LIBRARIES} ${CLHEP_LIBRARIES} ${HEPMC_LIBRARIES} AthenaBaseComps AthenaKernel GaudiKernel G4AtlasInterfaces SGTools StoreGateLib SGtests EventInfo GeneratorObjects MCTruthBaseLib ) +# +# Component(s) in the package: +#atlas_add_component( G4FaserAlg +# src/components/*.cxx +# PUBLIC_HEADERS G4FaserAlg +# INCLUDE_DIRS ${GEANT4_INCLUDE_DIRS} ${EIGEN_INCLUDE_DIRS} ${XERCESC_INCLUDE_DIRS} ${CLHEP_INCLUDE_DIRS} ${HEPMC_INCLUDE_DIRS} +# LINK_LIBRARIES ${GEANT4_LIBRARIES} ${EIGEN_LIBRARIES} ${XERCESC_LIBRARIES} ${CLHEP_LIBRARIES} ${HEPMC_LIBRARIES} AthenaBaseComps AthenaKernel GaudiKernel G4AtlasInterfaces G4FaserAlgLib SGTools StoreGateLib SGtests EventInfo GeneratorObjects MCTruthBaseLib ) + +#atlas_add_test( G4FaserAlgConfig_Test +# SCRIPT test/runG4.py +# PROPERTIES TIMEOUT 300 ) + +# Install files from the package: +atlas_install_python_modules( python/*.py ) +atlas_install_scripts( test/*.py ) diff --git a/Simulation/G4Faser/G4FaserAlg/python/G4FaserAlgConfigNew.py b/Simulation/G4Faser/G4FaserAlg/python/G4FaserAlgConfigNew.py new file mode 100644 index 0000000000000000000000000000000000000000..f69c2a8367827922a65aad57a8d875892a39485a --- /dev/null +++ b/Simulation/G4Faser/G4FaserAlg/python/G4FaserAlgConfigNew.py @@ -0,0 +1,171 @@ +# +# Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +# +from AthenaCommon.AppMgr import * + +# +# Manager classes for detector geometry and sensitive detectors +# +from G4FaserServices.G4FaserServicesConfigNew import DetectorGeometrySvcCfg, FaserGeoIDSvcCfg +from G4FaserTools.G4FaserToolsConfig import getSensitiveDetectorMasterTool +# +# Framework utilities +# +from ISF_Services.ISF_ServicesConfigNew import MC15aPlusTruthServiceCfg, InputConverterCfg +# +# The GeoIDSvcCfg call is a disaster, bringing in tons of ATLAS-specific +# stuff that would have to be rewritten; instead, we define FASER as being +# unconditionally in the "undefined" ATLAS region; this may eventually limit +# the granularity of truth strategies we can use +# +#from ISF_Services.ISF_ServicesConfigNew import GeoIDSvcCfg +# +from G4AtlasAlg.G4AtlasAlgConf import G4AtlasAlg + +#to still migrate: getAthenaStackingActionTool, getAthenaTrackingActionTool + +def G4FaserAlgCfg(ConfigFlags, name='G4FaserAlg', **kwargs): + # + # add Services to G4AtlasAlg + # + result = DetectorGeometrySvcCfg(ConfigFlags) + kwargs.setdefault('DetGeoSvc', result.getService("DetectorGeometrySvc")) + # + # MC particle container names + # + kwargs.setdefault("InputTruthCollection", "GEN_EVENT") + kwargs.setdefault("OutputTruthCollection", "TruthEvent") + # + # Option to free memory by dropping GeoModel after construction + # + # if ConfigFlags.Sim.ReleaseGeoModel: + kwargs.setdefault('ReleaseGeoModel', ConfigFlags.Sim.ReleaseGeoModel) + # + # Record the particle flux during the simulation + # + # if ConfigFlags.Sim.RecordFlux: + kwargs.setdefault('RecordFlux' , ConfigFlags.Sim.RecordFlux) + # + # Treatment of bad events + # + # if ConfigFlags.Sim.FlagAbortedEvents: + ## default false + kwargs.setdefault('FlagAbortedEvents' ,ConfigFlags.Sim.FlagAbortedEvents) + if ConfigFlags.Sim.FlagAbortedEvents and ConfigFlags.Sim.KillAbortedEvents: + print('WARNING When G4AtlasAlg.FlagAbortedEvents is True G4AtlasAlg.KillAbortedEvents should be False!!! Setting G4AtlasAlg.KillAbortedEvents = False now!') + kwargs.setdefault('KillAbortedEvents' ,False) + # if ConfigFlags.Sim.KillAbortedEvents: + ## default true + kwargs.setdefault('KillAbortedEvents' ,ConfigFlags.Sim.KillAbortedEvents) + # + # Random numbers + # + from RngComps.RandomServices import AthEngines, RNG + if ConfigFlags.Random.Engine in AthEngines.keys(): + result.merge(RNG(ConfigFlags.Random.Engine, name="AthRNGSvc")) + kwargs.setdefault("AtRndmGenSvc",result.getService("AthRNGSvc")) + + kwargs.setdefault("RandomGenerator", "athena") + # + # Multi-threading settinggs + # + is_hive = ConfigFlags.Concurrency.NumThreads > 1 + kwargs.setdefault('MultiThreading', is_hive) + # + # What truth information to save? + # + accMCTruth = MC15aPlusTruthServiceCfg(ConfigFlags) + result.merge(accMCTruth) + kwargs.setdefault('TruthRecordService', result.getService("ISF_MC15aPlusTruthService")) + #kwargs.setdefault('TruthRecordService', ConfigFlags.Sim.TruthStrategy) # TODO need to have manual override (simFlags.TruthStrategy.TruthServiceName()) + # + # Run-time geometry navigation for truth filtering - the ISF service is incompatible with FASER + # + # accGeoID = GeoIDSvcCfg(ConfigFlags) + # result.merge(accGeoID) + # kwargs.setdefault('GeoIDSvc', result.getService('ISF_GeoIDSvc')) + accGeoID = FaserGeoIDSvcCfg(ConfigFlags) + result.merge(accGeoID) + kwargs.setdefault('GeoIDSvc', result.getService('ISF_FaserGeoIDSvc')) + # + # Converts generator particles to a proprietary type managed by ISF + # + accInputConverter = InputConverterCfg(ConfigFlags) + result.merge(accInputConverter) + kwargs.setdefault('InputConverter', result.getService("ISF_InputConverter")) + # + # Output level + # + ## G4AtlasAlg verbosities (available domains = Navigator, Propagator, Tracking, Stepping, Stacking, Event) + ## Set stepper verbose = 1 if the Athena logging level is <= DEBUG + # TODO: Why does it complain that G4AtlasAlgConf.G4AtlasAlg has no "Verbosities" object? Fix. + verbosities=dict() + #from AthenaCommon.AppMgr import ServiceMgr + #if ServiceMgr.MessageSvc.OutputLevel <= 2: + # verbosities["Tracking"]='1' + # print verbosities + kwargs.setdefault('Verbosities', verbosities) + # + # Set commands for the G4AtlasAlg + # + kwargs.setdefault("G4Commands", ConfigFlags.Sim.G4Commands) + # + # Default to using all known sensitive detectors + # + # result.addPublicTool(getSensitiveDetectorMasterTool()) + # kwargs.setdefault("SenDetMasterTool", result.getPublicTool("SensitiveDetectorMasterTool")) + + result.addEventAlgo(G4AtlasAlg(name, **kwargs)) + return result + +if __name__ == '__main__': + from AthenaConfiguration.MainServicesConfig import MainServicesSerialCfg + import os + + # Set up logging and config behaviour + from AthenaCommon.Logging import log + from AthenaCommon.Constants import DEBUG + from AthenaCommon.Configurable import Configurable + log.setLevel(DEBUG) + Configurable.configurableRun3Behavior = 1 + + + #import config flags + from AthenaConfiguration.AllConfigFlags import ConfigFlags + + from AthenaConfiguration.TestDefaults import defaultTestFiles + inputDir = defaultTestFiles.d + ConfigFlags.Input.Files = defaultTestFiles.EVNT + + ConfigFlags.Sim.WorldRRange = 15000 + ConfigFlags.Sim.WorldZRange = 27000 #change defaults? + ConfigFlags.Detector.SimulateForward = False + # Finalize + ConfigFlags.lock() + + ## Initialize a new component accumulator + cfg = MainServicesSerialCfg() + + #add the algorithm + cfg.merge(G4FaserAlgCfg(ConfigFlags)) + + # Dump config + cfg.getService("StoreGateSvc").Dump = True + cfg.getService("ConditionStore").Dump = True + cfg.printConfig(withDetails=True, summariseProps = True) + ConfigFlags.dump() + + + # Execute and finish + sc = cfg.run(maxEvents=3) + # Success should be 0 + os.sys.exit(not sc.isSuccess()) + + #f=open("test.pkl","w") + #cfg.store(f) + #f.close() + + + + print(cfg._publicTools) + print("-----------------finished----------------------") diff --git a/Simulation/G4Faser/G4FaserAlg/python/__init__.py b/Simulation/G4Faser/G4FaserAlg/python/__init__.py new file mode 100644 index 0000000000000000000000000000000000000000..e69de29bb2d1d6434b8b29ae775ad8c2e48c5391 diff --git a/Simulation/G4Faser/G4FaserApp/CMakeLists.txt b/Simulation/G4Faser/G4FaserApp/CMakeLists.txt new file mode 100644 index 0000000000000000000000000000000000000000..02b9a8f5536ff09b5cd7bb3ce45320ebcbedf903 --- /dev/null +++ b/Simulation/G4Faser/G4FaserApp/CMakeLists.txt @@ -0,0 +1,54 @@ +################################################################################ +# Package: G4FaserApp +################################################################################ + +# Declare the package name: +atlas_subdir( G4FaserApp ) + +# Declare the package's dependencies: +atlas_depends_on_subdirs( PUBLIC + GaudiKernel + PRIVATE + Control/AthenaBaseComps + Control/AthenaKernel + Control/SGTools + Control/StoreGate + DetectorDescription/GeoModel/GeoModelInterfaces + Event/EventInfo + Generators/GeneratorObjects + Simulation/G4Atlas/G4AtlasInterfaces + Simulation/G4Atlas/G4AtlasAlgs + Simulation/G4Sim/MCTruthBase + Simulation/ISF/ISF_Core/ISF_Interfaces + Simulation/Barcode/BarcodeInterfaces) + +# External dependencies: +find_package( CLHEP ) +find_package( Geant4 ) +find_package( HepMC ) +find_package( XercesC ) +find_package( Eigen ) + +# G4AtlasAlgLib library + +#atlas_add_library( G4AtlasAlgLib +# src/*.cxx +# PUBLIC_HEADERS G4AtlasAlg +# INCLUDE_DIRS ${GEANT4_INCLUDE_DIRS} ${EIGEN_INCLUDE_DIRS} ${XERCESC_INCLUDE_DIRS} ${CLHEP_INCLUDE_DIRS} +# ${HEPMC_INCLUDE_DIRS} +# LINK_LIBRARIES ${GEANT4_LIBRARIES} ${EIGEN_LIBRARIES} ${XERCESC_LIBRARIES} ${CLHEP_LIBRARIES} ${HEPMC_LIBRARIES} AthenaBaseComps AthenaKernel GaudiKernel G4AtlasInterfaces SGTools StoreGateLib SGtests EventInfo GeneratorObjects MCTruthBaseLib ) +# +# Component(s) in the package: +#atlas_add_component( G4AtlasAlg +# src/components/*.cxx +# PUBLIC_HEADERS G4AtlasAlg +# INCLUDE_DIRS ${GEANT4_INCLUDE_DIRS} ${EIGEN_INCLUDE_DIRS} ${XERCESC_INCLUDE_DIRS} ${CLHEP_INCLUDE_DIRS} ${HEPMC_INCLUDE_DIRS} +# LINK_LIBRARIES ${GEANT4_LIBRARIES} ${EIGEN_LIBRARIES} ${XERCESC_LIBRARIES} ${CLHEP_LIBRARIES} ${HEPMC_LIBRARIES} AthenaBaseComps AthenaKernel GaudiKernel G4AtlasInterfaces G4AtlasAlgLib SGTools StoreGateLib SGtests EventInfo GeneratorObjects MCTruthBaseLib ) + +atlas_add_test( G4FaserAlgConfig_Test + SCRIPT test/runG4.py + PROPERTIES TIMEOUT 300 ) + +# Install files from the package: +atlas_install_python_modules( python/*.py ) +atlas_install_scripts( test/*.py ) diff --git a/Simulation/G4Faser/G4FaserApp/test/runG4.py b/Simulation/G4Faser/G4FaserApp/test/runG4.py new file mode 100644 index 0000000000000000000000000000000000000000..998084c537d8fdabba94312e2546133a92212bdd --- /dev/null +++ b/Simulation/G4Faser/G4FaserApp/test/runG4.py @@ -0,0 +1,135 @@ +#!/usr/bin/env python +if __name__ == "__main__": + import os + import GaudiPython + import ParticleGun as PG + from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator + from AthenaCommon.AppMgr import * + from AthenaCommon.Logging import log, logging + from AthenaCommon.SystemOfUnits import TeV + from AthenaCommon.PhysicalConstants import pi + from AthenaCommon.Constants import VERBOSE, INFO + from AthenaCommon.Configurable import Configurable + from CalypsoConfiguration.AllConfigFlags import ConfigFlags + from AthenaConfiguration.MainServicesConfig import MainServicesSerialCfg + from AthenaPoolCnvSvc.PoolReadConfig import PoolReadCfg + from McEventSelector.McEventSelectorConfig import McEventSelectorCfg + from OutputStreamAthenaPool.OutputStreamConfig import OutputStreamCfg + from FaserGeoModel.FaserGeoModelConfig import FaserGeometryCfg + from G4FaserAlg.G4FaserAlgConfigNew import G4FaserAlgCfg + from G4FaserServices.G4FaserServicesConfigNew import G4GeometryNotifierSvcCfg + from G4AtlasTools.G4AtlasToolsConf import SensitiveDetectorMasterTool + from G4FaserTools.G4FaserToolsConfig import generateSensitiveDetectorList + from VetoG4_SD.VetoG4_SDToolConfig import VetoSensorSDCfg +# +# Set up logging and new style config +# + log.setLevel(VERBOSE) + Configurable.configurableRun3Behavior = True +# +# Input settings (Generator file) +# +# from AthenaConfiguration.TestDefaults import defaultTestFiles +# ConfigFlags.Input.Files = defaultTestFiles.EVNT +# +# Alternatively, these must ALL be explicitly set to run without an input file +# (if missing, it will try to read metadata from a non-existent file and crash) +# + ConfigFlags.Input.Files = [""] + ConfigFlags.Input.isMC = True + ConfigFlags.Input.RunNumber = 12345 + ConfigFlags.Input.Collections = [""] + ConfigFlags.ProjectName = "mc19" + ConfigFlags.Common.isOnline = False + ConfigFlags.Beam.Type = "collisions" + ConfigFlags.Beam.Energy = 7*TeV + ConfigFlags.GeoModel.FaserVersion = "FASER-00" # Always needed + ConfigFlags.IOVDb.GlobalTag = "OFLCOND-MC16-SDR-14" # Always needed +# Workaround for bug/missing flag; unimportant otherwise + ConfigFlags.addFlag("Input.InitialTimeStamp", 0) +# Workaround to avoid failing metadata peek + ConfigFlags.GeoModel.AtlasVersion = "ATLAS-R2-2016-01-00-01" # Always needed to fool autoconfig +# Workaround to avoid problematic ISF code + ConfigFlags.GeoModel.Layout = "Development" +# To be sure... + ConfigFlags.Concurrency.NumThreads = 1 +# +# Output settings +# + ConfigFlags.Output.HITSFileName = "g4.HITS.root" + ConfigFlags.GeoModel.GeoExportFile = "faserGeo.db" # Optional dump of geometry for browsing in vp1light +# +# Geometry-related settings +# Do not change! +# + ConfigFlags.Detector.SimulateVeto = True + ConfigFlags.Detector.GeometryVeto = True + ConfigFlags.GeoModel.Align.Dynamic = False + ConfigFlags.Sim.ReleaseGeoModel = False +# +# All flags should be set before calling lock +# + ConfigFlags.lock() +# +# Construct ComponentAccumulator +# + acc = MainServicesSerialCfg() +# +# Particle Gun generator (comment out to read generator file) +# Raw energies (without units given) are interpreted as MeV +# + pg = PG.ParticleGun() + pg.McEventKey = "GEN_EVENT" + pg.randomSeed = 123456 + pg.sampler.pid = -13 + pg.sampler.mom = PG.EThetaMPhiSampler(energy=1*TeV, theta=[0, pi/10], phi=[0, 2*pi], mass=105.71) + pg.sampler.pos = PG.PosSampler(x=[-10, 10], y=[-10, 10], z=-2100.0, t=0.0) + acc.addEventAlgo(pg, "AthBeginSeq") # to run *before* G4 +# +# Only one of these two should be used in a given job +# (MCEventSelectorCfg for generating events with no input file, +# PoolReadCfg when reading generator data from an input file) +# + acc.merge(McEventSelectorCfg(ConfigFlags)) + # acc.merge(PoolReadCfg(ConfigFlags)) +# +# Output stream configuration +# + acc.merge(OutputStreamCfg(ConfigFlags, + "HITS", + ["EventInfo#*", + "McEventCollection#TruthEvent", + "McEventCollection#GEN_EVENT", + "ScintHitCollection#*" + ])) + acc.getEventAlgo("OutputStreamHITS").AcceptAlgs = ["G4FaserAlg"] # optional + acc.getEventAlgo("OutputStreamHITS").WritingTool.ProcessingTag = "StreamHITS" # required +# +# Here is the "manual" configuration of the Geant4 pieces +# + acc.merge(FaserGeometryCfg(ConfigFlags)) + acc.merge(G4FaserAlgCfg(ConfigFlags)) + algo = acc.getEventAlgo("G4FaserAlg") + veto, vetosd = VetoSensorSDCfg(ConfigFlags) + sendet = SensitiveDetectorMasterTool(SensitiveDetectors = [vetosd]) + acc.addPublicTool(sendet) + algo.SenDetMasterTool = sendet + acc.merge(veto) + acc.addService(G4GeometryNotifierSvcCfg(ConfigFlags, ActivateLVNotifier=True)) +# +# Verbosity +# +# ConfigFlags.dump() +# logging.getLogger('forcomps').setLevel(VERBOSE) +# acc.foreach_component("*").OutputLevel = VERBOSE +# acc.foreach_component("*ClassID*").OutputLevel = INFO +# acc.getService("StoreGateSvc").Dump=True +# acc.getService("ConditionStore").Dump=True +# acc.printConfig(withDetails=True) + f=open('FaserG4AppCfg_EVNT.pkl','w') + acc.store(f) + f.close() +# +# Execute and finish +# + acc.run(maxEvents=1000) diff --git a/Simulation/G4Faser/G4FaserInterfaces/CMakeLists.txt b/Simulation/G4Faser/G4FaserInterfaces/CMakeLists.txt new file mode 100644 index 0000000000000000000000000000000000000000..b2c9cfb4b8282d5e314c49491631875574a3a0ab --- /dev/null +++ b/Simulation/G4Faser/G4FaserInterfaces/CMakeLists.txt @@ -0,0 +1,23 @@ +################################################################################ +# Package: G4FaserInterfaces +################################################################################ + +# Declare the package name: +atlas_subdir( G4FaserInterfaces ) + +# Declare the package's dependencies: +atlas_depends_on_subdirs( PUBLIC + GaudiKernel ) + +# External dependencies: +find_package( CLHEP ) +find_package( Geant4 ) +find_package( XercesC ) + +# Component(s) in the package: +atlas_add_library( G4FaserInterfaces + PUBLIC_HEADERS G4FaserInterfaces + INCLUDE_DIRS ${GEANT4_INCLUDE_DIRS} ${XERCESC_INCLUDE_DIRS} ${CLHEP_INCLUDE_DIRS} + DEFINITIONS ${CLHEP_DEFINITIONS} + LINK_LIBRARIES ${GEANT4_LIBRARIES} ${XERCESC_LIBRARIES} ${CLHEP_LIBRARIES} GaudiKernel ) + diff --git a/Simulation/G4Faser/G4FaserServices/CMakeLists.txt b/Simulation/G4Faser/G4FaserServices/CMakeLists.txt new file mode 100644 index 0000000000000000000000000000000000000000..36c0adb7539248f9b614323c524a13486fb5b218 --- /dev/null +++ b/Simulation/G4Faser/G4FaserServices/CMakeLists.txt @@ -0,0 +1,43 @@ +################################################################################ +# Package: G4FaserServices +################################################################################ + +# Declare the package name: +atlas_subdir( G4FaserServices ) + +# Declare the package's dependencies: +atlas_depends_on_subdirs( PUBLIC + GaudiKernel + PRIVATE + Control/AthenaBaseComps + Control/StoreGate + DetectorDescription/AtlasDetDescr + Generators/GeneratorObjects + Generators/TruthUtils + Simulation/G4Sim/MCTruth + Simulation/G4Sim/SimHelpers + Simulation/G4Sim/TrackRecord + Simulation/ISF/ISF_Core/ISF_Event + Simulation/ISF/ISF_Core/ISF_Interfaces + Simulation/ISF/ISF_HepMC/ISF_HepMC_Interfaces + Tools/PmbCxxUtils ) + +# External dependencies: +find_package( CLHEP ) +find_package( Eigen ) +find_package( Geant4 ) +find_package( HepMC ) +find_package( HepPDT ) +find_package( ROOT COMPONENTS Core Tree MathCore Hist RIO pthread ) + +# Component(s) in the package: +atlas_add_component( G4FaserServices + src/*.cxx + src/components/*.cxx + INCLUDE_DIRS ${ROOT_INCLUDE_DIRS} ${GEANT4_INCLUDE_DIRS} ${HEPMC_INCLUDE_DIRS} ${CLHEP_INCLUDE_DIRS} ${HEPPDT_INCLUDE_DIRS} + LINK_LIBRARIES ${ROOT_LIBRARIES} ${GEANT4_LIBRARIES} ${HEPMC_LIBRARIES} ${CLHEP_LIBRARIES} ${HEPPDT_LIBRARIES} GaudiKernel AthenaBaseComps StoreGateLib SGtests GeneratorObjects MCTruth SimHelpers ISF_Event ISF_Interfaces PmbCxxUtils TruthUtils ) + + +# Install files from the package: +atlas_install_python_modules( python/*.py ) +atlas_install_scripts( test/*.py ) diff --git a/Simulation/G4Faser/G4FaserServices/python/G4FaserFieldServices.py b/Simulation/G4Faser/G4FaserServices/python/G4FaserFieldServices.py new file mode 100644 index 0000000000000000000000000000000000000000..9090736695265c02faf13329334f1f0cab10e9ed --- /dev/null +++ b/Simulation/G4Faser/G4FaserServices/python/G4FaserFieldServices.py @@ -0,0 +1,204 @@ +# Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +# +from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator +from G4AtlasServices.G4AtlasServicesConf import StandardFieldSvc, ConstantFieldSvc +from AthenaCommon.SystemOfUnits import tesla +from MagFieldServices.MagFieldServicesConfig import MagneticFieldSvcCfg +#to prevent unit tests failing when just running over simulation +# import os +# if "AthSimulation_DIR" not in os.environ: +# from ForwardRegionMgField.ForwardRegionMgFieldConf import MagField__ForwardRegionFieldSvc + +def StandardFieldSvcCfg(ConfigFlags,name="StandardField", **kwargs): + result = ComponentAccumulator() + + #setup the field and add the magneticfield service + acc = MagneticFieldSvcCfg(ConfigFlags) + result.merge(acc) + + kwargs.setdefault("MagneticFieldSvc", result.getService("AtlasFieldSvc")) # TODO This should probably be based on simFlags.MagneticField? + #kwargs.setdefault("FieldOn", True) + + result.addService(StandardFieldSvc(name, **kwargs)) + return result + +def ConstantFieldSvcCfg(ConfigFlags,name="ConstantField", **kwargs): + result = ComponentAccumulator() + + #setup the field and add the magneticfield service + # acc = MagneticFieldSvcCfg(ConfigFlags) + # result.merge(acc) + + # kwargs.setdefault("MagneticFieldSvc", result.getService("AtlasFieldSvc")) # TODO This should probably be based on simFlags.MagneticField? + #kwargs.setdefault("FieldOn", True) + + kwargs.setdefault("FieldX", 0.55 * tesla) + kwargs.setdefault("FieldY", 0.00 * tesla ) + kwargs.setdefault("FieldZ", 0.00 * tesla ) + result.addService(ConstantFieldSvc(name, **kwargs)) + return result + + +# def ForwardFieldSvcCfg(ConfigFlags, name="ForwardField", **kwargs): +# result = ComponentAccumulator() + +# #setup the field and add the magneticfield service +# acc = MagneticFieldSvcCfg(ConfigFlags) +# result.merge(acc) + +# #FIXME Once it exists this version should use the new MagField Service defined in ForwardRegionMgField +# kwargs.setdefault("MagneticFieldSvc", result.getService("AtlasFieldSvc")) +# #kwargs.setdefault("FieldOn", True) + +# result.addService(StandardFieldSvc(name, **kwargs)) +# return result + +# def Q1FwdG4FieldSvcCfg(ConfigFlags, name='Q1FwdG4FieldSvc', **kwargs): +# result = ComponentAccumulator() + +# result.addService( MagField__ForwardRegionFieldSvc("Q1", +# Magnet = 0, # FIXME find a better way to do this. +# MQXA_DataFile = "MQXA_NOMINAL.dat")) + +# kwargs.setdefault("MagneticFieldSvc", result.getService("Q1")) +# result.addService(StandardFieldSvc(name, **kwargs)) +# return result +# def Q2FwdG4FieldSvcCfg(ConfigFlags, name='Q2FwdG4FieldSvc', **kwargs): +# result = ComponentAccumulator() + +# result.addService( MagField__ForwardRegionFieldSvc("Q2", +# Magnet = 1, # FIXME find a better way to do this. +# MQXA_DataFile = "MQXA_NOMINAL.dat")) +# kwargs.setdefault("MagneticFieldSvc", result.getService("Q2")) +# result.addService(StandardFieldSvc(name, **kwargs)) +# return result +# def Q3FwdG4FieldSvcCfg(ConfigFlags, name='Q3FwdG4FieldSvc', **kwargs): +# result = ComponentAccumulator() + +# result.addService( MagField__ForwardRegionFieldSvc("Q3", +# Magnet = 2, # FIXME find a better way to do this. +# MQXA_DataFile = "MQXA_NOMINAL.dat")) +# kwargs.setdefault("MagneticFieldSvc", result.getService("Q3")) +# result.addService(StandardFieldSvc(name, **kwargs)) +# return result +# def D1FwdG4FieldSvcCfg(ConfigFlags, name='D1FwdG4FieldSvc', **kwargs): +# result = ComponentAccumulator() +# result.addService( MagField__ForwardRegionFieldSvc("D1", +# Magnet = 3))# FIXME find a better way to do this. + +# kwargs.setdefault("MagneticFieldSvc", result.getService("D1")) +# result.addService(StandardFieldSvc(name, **kwargs)) +# return result +# def D2FwdG4FieldSvcCfg(ConfigFlags, name='D2FwdG4FieldSvc', **kwargs): +# result = ComponentAccumulator() + +# result.addService( MagField__ForwardRegionFieldSvc("D2", +# Magnet = 4))# FIXME find a better way to do this. +# kwargs.setdefault("MagneticFieldSvc", result.getService("D2")) +# result.addService(StandardFieldSvc(name, **kwargs)) +# return result +# def Q4FwdG4FieldSvcCfg(ConfigFlags, name='Q4FwdG4FieldSvc', **kwargs): +# result = ComponentAccumulator() +# result.addService( MagField__ForwardRegionFieldSvc("Q4", +# Magnet = 5))# FIXME find a better way to do this. +# kwargs.setdefault("MagneticFieldSvc", result.getService("Q4")) +# result.addService(StandardFieldSvc(name, **kwargs)) +# return result +# def Q5FwdG4FieldSvcCfg(ConfigFlags, name='Q5FwdG4FieldSvc', **kwargs): +# result = ComponentAccumulator() +# result.addService( MagField__ForwardRegionFieldSvc("Q5", +# Magnet = 6))# FIXME find a better way to do this. +# kwargs.setdefault("MagneticFieldSvc", result.getService("Q5")) +# result.addService(StandardFieldSvc(name, **kwargs)) +# return result +# def Q6FwdG4FieldSvcCfg(ConfigFlags, name='Q6FwdG4FieldSvc', **kwargs): +# result = ComponentAccumulator() +# result.addService( MagField__ForwardRegionFieldSvc("Q6", +# Magnet = 7))# FIXME find a better way to do this. +# kwargs.setdefault("MagneticFieldSvc", result.getService("Q6")) +# result.addService(StandardFieldSvc(name, **kwargs)) +# return result +# def Q7FwdG4FieldSvcCfg(ConfigFlags, name='Q7FwdG4FieldSvc', **kwargs): +# result = ComponentAccumulator() +# result.addService( MagField__ForwardRegionFieldSvc("Q7", +# Magnet = 8))# FIXME find a better way to do this. +# kwargs.setdefault("MagneticFieldSvc", result.getService("Q7")) +# result.addService(StandardFieldSvc(name, **kwargs)) +# return result +# def Q1HKickFwdG4FieldSvcCfg(ConfigFlags, name='Q1HKickFwdG4FieldSvc', **kwargs): +# result = ComponentAccumulator() +# result.addService( MagField__ForwardRegionFieldSvc("Q1HKick", +# Magnet = 9))# FIXME find a better way to do this. +# kwargs.setdefault("MagneticFieldSvc", result.getService("Q1HKick")) +# result.addService(StandardFieldSvc(name, **kwargs)) +# return result +# def Q1VKickFwdG4FieldSvcCfg(ConfigFlags, name='Q1VKickFwdG4FieldSvc', **kwargs): #note is lower case "v" in ForwardRegionMgFieldConfig.py +# result = ComponentAccumulator() +# result.addService( MagField__ForwardRegionFieldSvc("Q1VKick", +# Magnet = 10))# FIXME find a better way to do this. +# kwargs.setdefault("MagneticFieldSvc", result.getService("Q1VKick")) +# result.addService(StandardFieldSvc(name, **kwargs)) +# return result +# def Q2HKickFwdG4FieldSvcCfg(ConfigFlags, name='Q2HKickFwdG4FieldSvc', **kwargs): +# result = ComponentAccumulator() +# result.addService( MagField__ForwardRegionFieldSvc("Q2HKick", +# Magnet = 11))# FIXME find a better way to do this. +# kwargs.setdefault("MagneticFieldSvc", result.getService("Q2HKick")) +# result.addService(StandardFieldSvc(name, **kwargs)) +# return result +# def Q2VKickFwdG4FieldSvcCfg(ConfigFlags, name='Q2VKickFwdG4FieldSvc', **kwargs): +# result = ComponentAccumulator() +# result.addService( MagField__ForwardRegionFieldSvc("Q2VKick", +# Magnet = 12))# FIXME find a better way to do this. +# kwargs.setdefault("MagneticFieldSvc", result.getService("Q2VKick")) +# result.addService(StandardFieldSvc(name, **kwargs)) +# return result +# def Q3HKickFwdG4FieldSvcCfg(ConfigFlags, name='Q3HKickFwdG4FieldSvc', **kwargs): +# result = ComponentAccumulator() +# result.addService( MagField__ForwardRegionFieldSvc("Q3HKick", +# Magnet = 13))# FIXME find a better way to do this. +# kwargs.setdefault("MagneticFieldSvc", result.getService("Q3HKick")) +# result.addService(StandardFieldSvc(name, **kwargs)) +# return result +# def Q3VKickFwdG4FieldSvcCfg(ConfigFlags, name='Q3VKickFwdG4FieldSvc', **kwargs): +# result = ComponentAccumulator() +# result.addService( MagField__ForwardRegionFieldSvc("Q3VKick", +# Magnet = 14))# FIXME find a better way to do this. +# kwargs.setdefault("MagneticFieldSvc", result.getService("Q3VKick")) +# result.addService(StandardFieldSvc(name, **kwargs)) +# return result +# def Q4VKickAFwdG4FieldSvcCfg(ConfigFlags, name='Q4VKickAFwdG4FieldSvc', **kwargs): +# result = ComponentAccumulator() +# result.addService( MagField__ForwardRegionFieldSvc("Q4VKickA", +# Magnet = 15))# FIXME find a better way to do this. +# kwargs.setdefault("MagneticFieldSvc", result.getService("Q4VKickA")) +# result.addService(StandardFieldSvc(name, **kwargs)) +# return result +# def Q4HKickFwdG4FieldSvcCfg(ConfigFlags, name='Q4HKickFwdG4FieldSvc', **kwargs): +# result = ComponentAccumulator() +# result.addService( MagField__ForwardRegionFieldSvc("Q4HKick", +# Magnet = 16))# FIXME find a better way to do this. +# kwargs.setdefault("MagneticFieldSvc", result.getService("Q4HKick")) +# result.addService(StandardFieldSvc(name, **kwargs)) +# return result +# def Q4VKickBFwdG4FieldSvcCfg(ConfigFlags, name='Q4VKickBFwdG4FieldSvc', **kwargs): +# result = ComponentAccumulator() +# result.addService( MagField__ForwardRegionFieldSvc("Q4VKickB", +# Magnet = 17))# FIXME find a better way to do this. +# kwargs.setdefault("MagneticFieldSvc", result.getService("Q4VKickB")) +# result.addService(StandardFieldSvc(name, **kwargs)) +# return result +# def Q5HKickFwdG4FieldSvcCfg(ConfigFlags, name='Q5HKickFwdG4FieldSvc', **kwargs): +# result = ComponentAccumulator() +# result.addService( MagField__ForwardRegionFieldSvc("Q5HKick", +# Magnet = 18))# FIXME find a better way to do this. +# kwargs.setdefault("MagneticFieldSvc", result.getService("Q5HKick")) +# result.addService(StandardFieldSvc(name, **kwargs)) +# return result +# def Q6VKickFwdG4FieldSvcCfg(ConfigFlags, name='Q6VKickFwdG4FieldSvc', **kwargs): +# result = ComponentAccumulator() +# result.addService( MagField__ForwardRegionFieldSvc("Q6VKick", +# Magnet = 19))# FIXME find a better way to do this. +# kwargs.setdefault("MagneticFieldSvc", result.getService("Q6VKick")) +# result.addService(StandardFieldSvc(name, **kwargs)) +# return result diff --git a/Simulation/G4Faser/G4FaserServices/python/G4FaserServicesConfigNew.py b/Simulation/G4Faser/G4FaserServices/python/G4FaserServicesConfigNew.py new file mode 100644 index 0000000000000000000000000000000000000000..96c702359e5b874d13e96d97cbbda05db3b15a34 --- /dev/null +++ b/Simulation/G4Faser/G4FaserServices/python/G4FaserServicesConfigNew.py @@ -0,0 +1,140 @@ +# Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +# +from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator +# +# The code of these services is experiment-agnostic, so we just have to configure them here for FASER instead of ATLAS +# +from G4AtlasServices.G4AtlasServicesConf import DetectorGeometrySvc, G4AtlasSvc, G4GeometryNotifierSvc +# +# Physics region tools +# +from G4FaserTools.G4PhysicsRegionConfigNew import ScintillatorPhysicsRegionToolCfg #, TrackerPhysicsRegionToolCfg, FaserCaloPhysicsRegionToolCfg +from G4FaserServices.G4FaserServicesConf import ISF__FaserGeoIDSvc +# +# Geometry tools +# +from G4FaserTools.G4GeometryToolConfig import MaterialDescriptionToolCfg, G4AtlasDetectorConstructionToolCfg, FASEREnvelopeCfg +# +# Magnetic field tools - start simple +# +from G4FaserTools.G4FieldConfigNew import FASERFieldManagerToolCfg, VetoFieldManagerToolCfg +# +# Future field managers (?) +# +# from G4FaserTools.G4FieldConfigNew import TriggerFieldManagerToolCfg, PreshowerFieldManagerToolCfg, UpstreamTrackerFieldManagerToolCfg, CentralTrackerFieldManagerToolCfg, DownstreamTrackerFieldManagerToolCfg, UpstreamDipoleFieldManagerToolCfg, CentralDipoleFieldManagerToolCfg, DownstreamDipleFieldManagerToolCfg, FaserCaloFieldManagerToolCfg +# +# +def FaserGeoIDSvcCfg(ConfigFlags, name="ISF_FaserGeoIDSvc", **kwargs): + result = ComponentAccumulator() + # with ISF volume definitions + result.addService(ISF__FaserGeoIDSvc(name, **kwargs)) + return result +# +def getFASER_RegionCreatorList(ConfigFlags): + regionCreatorList = [] + + from G4AtlasApps.SimFlags import simFlags + # Settings to widen the region of study - not yet supported by FASER + # if ConfigFlags.Beam.Type == 'cosmics' or ConfigFlags.Sim.CavernBG != 'Signal': + # regionCreatorList += [SX1PhysicsRegionToolCfg(ConfigFlags), BedrockPhysicsRegionToolCfg(ConfigFlags), CavernShaftsConcretePhysicsRegionToolCfg(ConfigFlags)] + + if ConfigFlags.Detector.SimulateScintillator: + regionCreatorList += [ScintillatorPhysicsRegionToolCfg(ConfigFlags)] + + # if ConfigFlags.Detector.SimulateTracker: + # regionCreatorList += [TrackerPhysicsRegionToolCfg(ConfigFlags)] + + # if ConfigFlags.Detector.SimulateFaserCalo: + # regionCreatorList += [FaserCaloPhysicsRegionToolCfg(ConfigFlags)] + + return regionCreatorList + +######################################################################### +def FASER_FieldMgrListCfg(ConfigFlags): + result = ComponentAccumulator() + fieldMgrList = [] + + acc = FASERFieldManagerToolCfg(ConfigFlags) + tool = result.popToolsAndMerge(acc) + fieldMgrList += [tool] + + # if ConfigFlags.Detector.SimulateUpstreamDipole: + # acc = UpstreamDipoleFieldManagerToolCfg(ConfigFlags) + # tool = result.popToolsAndMerge(acc) + # fieldMgrList += [tool] + # if ConfigFlags.Detector.SimulateCentralDipole: + # acc = CentralDipoleFieldManagerToolCfg(ConfigFlags) + # tool = result.popToolsAndMerge(acc) + # fieldMgrList += [tool] + # if ConfigFlags.Detector.SimulateDownstreamDipole: + # acc = DownstreamDipoleFieldManagerToolCfg(ConfigFlags) + # tool = result.popToolsAndMerge(acc) + # fieldMgrList += [tool] + if ConfigFlags.Detector.SimulateVeto: + acc = VetoFieldManagerToolCfg(ConfigFlags) + tool = result.popToolsAndMerge(acc) + fieldMgrList += [tool] + # if ConfigFlags.Detector.SimulateTrigger: + # acc = TriggerFieldManagerToolCfg(ConfigFlags) + # tool = result.popToolsAndMerge(acc) + # fieldMgrList += [tool] + # if ConfigFlags.Detector.SimulatePreshower: + # acc = PreshowerFieldManagerToolCfg(ConfigFlags) + # tool = result.popToolsAndMerge(acc) + # fieldMgrList += [tool] + # if ConfigFlags.Detector.SimulateTracker: + # acc = UpstreamTrackerFieldManagerToolCfg(ConfigFlags) + # tool = result.popToolsAndMerge(acc) + # fieldMgrList += [tool] + # acc = CentralTrackerFieldManagerToolCfg(ConfigFlags) + # tool = result.popToolsAndMerge(acc) + # fieldMgrList += [tool] + # acc = DownstreamTrackerFieldManagerToolCfg(ConfigFlags) + # tool = result.popToolsAndMerge(acc) + # fieldMgrList += [tool] + # if ConfigFlags.Detector.SimulateFaserCalo: + # acc = FaserCaloFieldManagerToolCfg(ConfigFlags) + # tool = result.popToolsAndMerge(acc) + # fieldMgrList += [tool] + + result.setPrivateTools(fieldMgrList) + return result + +def getGeometryConfigurationTools(ConfigFlags): + geoConfigToolList = [] + # The methods for these tools should be defined in the + # package containing each tool, so G4FaserTools in this case + geoConfigToolList += [MaterialDescriptionToolCfg(ConfigFlags)] + return geoConfigToolList + + +def DetectorGeometrySvcCfg(ConfigFlags, name="DetectorGeometrySvc", **kwargs): + result = ComponentAccumulator() + kwargs.setdefault("DetectorConstruction", G4AtlasDetectorConstructionToolCfg(ConfigFlags)) + kwargs.setdefault("GeometryConfigurationTools", getGeometryConfigurationTools(ConfigFlags)) + + accGeo, toolGeo = FASEREnvelopeCfg(ConfigFlags) + kwargs.setdefault("World", toolGeo) + result.merge(accGeo) + kwargs.setdefault("RegionCreators", getFASER_RegionCreatorList(ConfigFlags)) + acc = FASER_FieldMgrListCfg(ConfigFlags) + fieldMgrList = result.popToolsAndMerge(acc) + kwargs.setdefault("FieldManagers", fieldMgrList) + + result.addService(DetectorGeometrySvc(name, **kwargs)) + return result + +def G4AtlasSvcCfg(ConfigFlags, name="G4AtlasSvc", **kwargs): + if ConfigFlags.Concurrency.NumThreads > 0: + is_hive = True + else: + is_hive = False + kwargs.setdefault("isMT", is_hive) + kwargs.setdefault("DetectorGeometrySvc", 'DetectorGeometrySvc') + return G4AtlasSvc(name, **kwargs) + + +def G4GeometryNotifierSvcCfg(ConfigFlags, name="G4GeometryNotifierSvc", **kwargs): + kwargs.setdefault("ActivateLVNotifier", True) + kwargs.setdefault("ActivatePVNotifier", False) + return G4GeometryNotifierSvc(name, **kwargs) diff --git a/Simulation/G4Faser/G4FaserServices/python/__init__.py b/Simulation/G4Faser/G4FaserServices/python/__init__.py new file mode 100644 index 0000000000000000000000000000000000000000..e69de29bb2d1d6434b8b29ae775ad8c2e48c5391 diff --git a/Simulation/G4Faser/G4FaserServices/src/FaserGeoIDSvc.cxx b/Simulation/G4Faser/G4FaserServices/src/FaserGeoIDSvc.cxx new file mode 100644 index 0000000000000000000000000000000000000000..7958b3acb7c6dcb3cb3baf7df32788f55ca74c48 --- /dev/null +++ b/Simulation/G4Faser/G4FaserServices/src/FaserGeoIDSvc.cxx @@ -0,0 +1,71 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +/////////////////////////////////////////////////////////////////// +// GeoIDSvc.cxx, (c) ATLAS Detector software +/////////////////////////////////////////////////////////////////// + +// class header include +#include "FaserGeoIDSvc.h" + +// framework includes +#include "GaudiKernel/Bootstrap.h" +#include "GaudiKernel/ISvcLocator.h" + +// DetectorDescription +#include "AtlasDetDescr/AtlasRegionHelper.h" + +// STL includes +#include <algorithm> + +/** Constructor **/ +ISF::FaserGeoIDSvc::FaserGeoIDSvc(const std::string& name,ISvcLocator* svc) : + base_class(name,svc) +{ } + + +/** Destructor **/ +ISF::FaserGeoIDSvc::~FaserGeoIDSvc() +{ } + + +// Athena algtool's Hooks +StatusCode ISF::FaserGeoIDSvc::initialize() +{ + ATH_MSG_INFO("initialize() ..."); + + ATH_MSG_INFO("initialize() successful"); + return StatusCode::SUCCESS; +} + + +StatusCode ISF::FaserGeoIDSvc::finalize() { + ATH_MSG_INFO("finalize() ..."); + + ATH_MSG_INFO("finalize() successful"); + return StatusCode::SUCCESS; +} + + +ISF::InsideType ISF::FaserGeoIDSvc::inside(const Amg::Vector3D& , AtlasDetDescr::AtlasRegion geoID) const { + +// Only one answer... + return (geoID == AtlasDetDescr::fUndefinedAtlasRegion ? ISF::fInside : ISF::fOutside); +} + + +AtlasDetDescr::AtlasRegion ISF::FaserGeoIDSvc::identifyGeoID(const Amg::Vector3D& ) const { + +// Only one answer... + return AtlasDetDescr::fUndefinedAtlasRegion; +} + + +AtlasDetDescr::AtlasRegion ISF::FaserGeoIDSvc::identifyNextGeoID(const Amg::Vector3D& , + const Amg::Vector3D& ) const { + +// Only one answer... + return AtlasDetDescr::fUndefinedAtlasRegion; +} + diff --git a/Simulation/G4Faser/G4FaserServices/src/FaserGeoIDSvc.h b/Simulation/G4Faser/G4FaserServices/src/FaserGeoIDSvc.h new file mode 100644 index 0000000000000000000000000000000000000000..5faf5ff6aec6824b75e54186d4aa8c5dcf824ae5 --- /dev/null +++ b/Simulation/G4Faser/G4FaserServices/src/FaserGeoIDSvc.h @@ -0,0 +1,66 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +////////////////////////////////////////////////////////////////// +// FaserGeoIDSvc.h, (c) ATLAS Detector software +/////////////////////////////////////////////////////////////////// + +#ifndef G4FASERSERVICES_FASERGEOIDSVC_H +#define G4FASERSERVICES_FASERGEOIDSVC_H 1 + +// framework includes +#include "GaudiKernel/ServiceHandle.h" +#include "AthenaBaseComps/AthService.h" + +// STL includes +#include <vector> +#include <list> +#include <set> + +// DetectorDescription +#include "AtlasDetDescr/AtlasRegion.h" + +// ISF includes +#include "ISF_Interfaces/IGeoIDSvc.h" + +namespace ISF { + + /** @class GeoIDSvc + + A fast Athena service identifying the AtlasRegion a given position/particle is in. + + @author Elmar.Ritsch -at- cern.ch + + This dummy version for FASER says that everything is in the "undefined" ATLAS region + + */ + class FaserGeoIDSvc : public extends<AthService, ISF::IGeoIDSvc> { + public: + /** Constructor with parameters */ + FaserGeoIDSvc(const std::string& name,ISvcLocator* svc); + + /** Destructor */ + ~FaserGeoIDSvc(); + + // Athena algtool's Hooks + StatusCode initialize(); + StatusCode finalize(); + + /** A static filter that returns the SimGeoID of the given position */ + AtlasDetDescr::AtlasRegion identifyGeoID(const Amg::Vector3D &pos) const; + + /** Checks if the given position (or ISFParticle) is inside a given SimGeoID */ + ISF::InsideType inside(const Amg::Vector3D &pos, AtlasDetDescr::AtlasRegion geoID) const; + + /** Find the SimGeoID that the particle will enter with its next infinitesimal step + along the given direction */ + AtlasDetDescr::AtlasRegion identifyNextGeoID(const Amg::Vector3D &pos, const Amg::Vector3D &dir) const; + + private: + + }; + +} // ISF namespace + +#endif //> !FASERSERVICES_FASERGEOIDSVC_H diff --git a/Simulation/G4Faser/G4FaserServices/src/components/G4FaserServices_entries.cxx b/Simulation/G4Faser/G4FaserServices/src/components/G4FaserServices_entries.cxx new file mode 100644 index 0000000000000000000000000000000000000000..0b310990b7c2cd44ee4933beb93357f5acf1f015 --- /dev/null +++ b/Simulation/G4Faser/G4FaserServices/src/components/G4FaserServices_entries.cxx @@ -0,0 +1,3 @@ +#include "../FaserGeoIDSvc.h" + +DECLARE_COMPONENT( ISF::FaserGeoIDSvc ) diff --git a/Simulation/G4Faser/G4FaserTools/CMakeLists.txt b/Simulation/G4Faser/G4FaserTools/CMakeLists.txt new file mode 100644 index 0000000000000000000000000000000000000000..e6729ddd9625facf0e5df7b3327dec6b3467ce35 --- /dev/null +++ b/Simulation/G4Faser/G4FaserTools/CMakeLists.txt @@ -0,0 +1,44 @@ +################################################################################ +# Package: G4FaserTools +################################################################################ + +# Declare the package name: +atlas_subdir( G4FaserTools ) + +# Declare the package's dependencies: +atlas_depends_on_subdirs( PUBLIC + AtlasGeometryCommon/SubDetectorEnvelopes + Control/AthenaBaseComps + Simulation/G4Atlas/G4AtlasInterfaces + PRIVATE + GaudiKernel + Simulation/G4Utilities/G4PhysicsLists ) + +# External dependencies: +find_package( Boost COMPONENTS filesystem thread system ) +find_package( CLHEP ) +find_package( Geant4 ) +find_package( TBB ) +find_package( XercesC ) + +# Component(s) in the package: +#atlas_add_library( G4FaserToolsLib +# src/*.cxx +# src/*.cc +# PUBLIC_HEADERS G4FaserTools +# INCLUDE_DIRS ${XERCESC_INCLUDE_DIRS} ${GEANT4_INCLUDE_DIRS} ${TBB_INCLUDE_DIRS} +# PRIVATE_INCLUDE_DIRS ${Boost_INCLUDE_DIRS} ${CLHEP_INCLUDE_DIRS} +# PRIVATE_DEFINITIONS ${CLHEP_DEFINITIONS} +# LINK_LIBRARIES ${XERCESC_LIBRARIES} ${GEANT4_LIBRARIES} ${TBB_LIBRARIES} AthenaBaseComps G4AtlasInterfaces +# PRIVATE_LINK_LIBRARIES ${Boost_LIBRARIES} ${CLHEP_LIBRARIES} GaudiKernel G4PhysicsLists ) + +#atlas_add_component( G4FaserTools +# src/components/*.cxx +# INCLUDE_DIRS ${Boost_INCLUDE_DIRS} ${XERCESC_INCLUDE_DIRS} ${GEANT4_INCLUDE_DIRS} ${CLHEP_INCLUDE_DIRS} ${TBB_INCLUDE_DIRS} +# LINK_LIBRARIES ${Boost_LIBRARIES} ${XERCESC_LIBRARIES} ${GEANT4_LIBRARIES} ${CLHEP_LIBRARIES} ${TBB_LIBRARIES} AthenaBaseComps G4AtlasInterfaces GaudiKernel G4PhysicsLists G4FaserToolsLib ) + + +# Install files from the package: +atlas_install_python_modules( python/*.py ) +atlas_install_scripts( test/*.py ) + diff --git a/Simulation/G4Faser/G4FaserTools/python/G4FaserToolsConfig.py b/Simulation/G4Faser/G4FaserTools/python/G4FaserToolsConfig.py new file mode 100644 index 0000000000000000000000000000000000000000..f81b5f675b58b5a492c93ad25d150ddca2e7b4ba --- /dev/null +++ b/Simulation/G4Faser/G4FaserTools/python/G4FaserToolsConfig.py @@ -0,0 +1,141 @@ +# Copyright (C) 2002-2018 CERN for the benefit of the ATLAS collaboration + +from AthenaCommon import CfgMgr + +def generateFastSimulationList(): + FastSimulationList=[] + # + # Not yet supported in FASER + # + # from G4AtlasApps.SimFlags import simFlags + # from CalypsoCommon.DetFlags import DetFlags + # if DetFlags.bpipe_on(): + # if hasattr(simFlags, 'ForwardDetectors') and simFlags.ForwardDetectors.statusOn and simFlags.ForwardDetectors() == 2: + # FastSimulationList += ['ForwardTransportModel'] + # if hasattr(simFlags, 'BeamPipeSimMode') and simFlags.BeamPipeSimMode.statusOn and simFlags.BeamPipeSimMode() != "Normal": + # FastSimulationList += [ 'SimpleFastKiller' ] + # if DetFlags.geometry.LAr_on(): + # ## Shower parameterization overrides the calibration hit flag + # if simFlags.LArParameterization.statusOn and simFlags.LArParameterization() > 0 \ + # and simFlags.CalibrationRun.statusOn and simFlags.CalibrationRun.get_Value() in ['LAr','LAr+Tile','DeadLAr']: + # print 'getFastSimulationMasterTool FATAL :: You requested both calibration hits and frozen showers / parameterization in the LAr.' + # print ' Such a configuration is not allowed, and would give junk calibration hits where the showers are modified.' + # print ' Please try again with a different value of simFlags.LArParameterization or simFlags.CalibrationRun ' + # raise RuntimeError('Configuration not allowed') + # if simFlags.LArParameterization() > 0: + # #FIXME If we're only using Frozen Showers in the FCAL do we really need to set up the EMB and EMEC as well? + # FastSimulationList += ['EMBFastShower', 'EMECFastShower', 'FCALFastShower', 'FCAL2FastShower'] + # if simFlags.LArParameterization.get_Value() > 1: + # FastSimulationList += ['DeadMaterialShower'] + # elif simFlags.LArParameterization() is None or simFlags.LArParameterization() == 0: + # print "getFastSimulationMasterTool INFO No Frozen Showers" + # if DetFlags.Muon_on(): + # if hasattr(simFlags, 'CavernBG') and simFlags.CavernBG.statusOn and simFlags.CavernBG.get_Value() != 'Read' and\ + # not (hasattr(simFlags, 'RecordFlux') and simFlags.RecordFlux.statusOn and simFlags.RecordFlux()): + # FastSimulationList += ['NeutronFastSim'] + return FastSimulationList + +# def getFastSimulationMasterTool(name="FastSimulationMasterTool", **kwargs): +# kwargs.setdefault("FastSimulations", generateFastSimulationList()) +# return CfgMgr.FastSimulationMasterTool(name, **kwargs) + +# def getEmptyFastSimulationMasterTool(name="EmptyFastSimulationMasterTool", **kwargs): +# return CfgMgr.FastSimulationMasterTool(name, **kwargs) + +# def generateFwdSensitiveDetectorList(): +# SensitiveDetectorList=[] +# from G4AtlasApps.SimFlags import simFlags +# from AthenaCommon.DetFlags import DetFlags +# if DetFlags.simulate.Lucid_on(): +# SensitiveDetectorList += [ 'LUCID_SensitiveDetector' ] +# if hasattr(simFlags, 'ForwardDetectors') and simFlags.ForwardDetectors.statusOn: +# if DetFlags.simulate.ZDC_on(): +# SensitiveDetectorList += [ 'ZDC_PixelSD', 'ZDC_StripSD' ] +# if DetFlags.simulate.ALFA_on(): +# SensitiveDetectorList += [ 'ALFA_SensitiveDetector' ] +# if DetFlags.simulate.AFP_on(): +# SensitiveDetectorList += [ 'AFP_SensitiveDetector' ] +# #SensitiveDetectorList += [ 'AFP_SiDSensitiveDetector', 'AFP_TDSensitiveDetector' ] + +# return SensitiveDetectorList + +# def generateTrackFastSimSensitiveDetectorList(): +# SensitiveDetectorList=[] +# from AthenaCommon.DetFlags import DetFlags +# from G4AtlasApps.SimFlags import simFlags +# if (DetFlags.Muon_on() and simFlags.CavernBG.statusOn and simFlags.CavernBG.get_Value() != 'Read' and 'Write' in simFlags.CavernBG.get_Value()) or (hasattr(simFlags, 'StoppedParticleFile') and simFlags.StoppedParticleFile.statusOn): +# SensitiveDetectorList += [ 'TrackFastSimSD' ] +# return SensitiveDetectorList + +def generateScintillatorSensitiveDetectorList(): + SensitiveDetectorList=[] + from CalypsoConfiguration.AllConfigFlags import ConfigFlags + if (ConfigFlags.Detector.SimulateScintillator): + if (ConfigFlags.Detector.SimulateVeto): + SensitiveDetectorList += [ 'VetoSensorSD' ] + # if (ConfigFlags.Detector.SimulateTrigger): + # SensitiveDetectorList += [ 'TriggerSensorSD'] + # if (ConfigFlags.Detector.SimulatePreshowe): + # SensitiveDetectorList += [ 'PreshowerSD'] + return SensitiveDetectorList + +def generateTrackerSensitiveDetectorList(): + SensitiveDetectorList=[] + # from CalypsoConfiguration.AllFlags import ConfigFlags + # if (ConfigFlags.Detector.SimulateTracker): + # SensitiveDetectorList += [ 'SctSensorSD' ] + return SensitiveDetectorList + +def generateFaserCaloSensitiveDetectorList(): + SensitiveDetectorList=[] + # from CalypsoConfiguration.AllFlags import ConfigFlags + # if (ConfigFlags.Detector.SimulateFaserCalo): + # SensitiveDetectorList += [ 'FaserCaloSensorSD' ] + return SensitiveDetectorList + +def generateSensitiveDetectorList(): + SensitiveDetectorList=[] + SensitiveDetectorList += generateScintillatorSensitiveDetectorList() + SensitiveDetectorList += generateTrackerSensitiveDetectorList() + SensitiveDetectorList += generateFaserCaloSensitiveDetectorList() + return SensitiveDetectorList + +def getSensitiveDetectorMasterTool(name="SensitiveDetectorMasterTool", **kwargs): + kwargs.setdefault("SensitiveDetectors", generateSensitiveDetectorList()) + return CfgMgr.SensitiveDetectorMasterTool(name, **kwargs) + +def getEmptySensitiveDetectorMasterTool(name="EmptySensitiveDetectorMasterTool", **kwargs): + return CfgMgr.SensitiveDetectorMasterTool(name, **kwargs) + +def getPhysicsListToolBase(name="PhysicsListToolBase", **kwargs): + PhysOptionList = ["G4StepLimitationTool"] + from CalypsoConfiguration.AllFlags import ConfigFlags + PhysOptionList += ConfigFlags.Sim.PhysicsOptions + PhysDecaysList = [] + + kwargs.setdefault("PhysOption", PhysOptionList) + kwargs.setdefault("PhysicsDecay", PhysDecaysList) + kwargs.setdefault("PhysicsList", ConfigFlags.Sim.PhysicsList) + + if 'PhysicsList' in kwargs: + if kwargs['PhysicsList'].endswith('_EMV') or kwargs['PhysicsList'].endswith('_EMX'): + raise RuntimeError( 'PhysicsList not allowed: '+kwargs['PhysicsList'] ) + kwargs.setdefault("GeneralCut", 1.) + if (ConfigFlags.Sim.NeutronTimeCut.statusOn): + kwargs.setdefault("NeutronTimeCut", ConfigFlags.Sim.NeutronTimeCut) + if (ConfigFlags.Sim.NeutronEnergyCut.statusOn): + kwargs.setdefault("NeutronEnergyCut", ConfigFlags.Sim.NeutronEnergyCut) + if (ConfigFlags.Sim.ApplyEMCuts.statusOn): + kwargs.setdefault("ApplyEMCuts", ConfigFlags.Sim.ApplyEMCuts) + return CfgMgr.PhysicsListToolBase(name, **kwargs) + +def getReducedStepSizeUserLimitsTool(name="ReducedStepSizeUserLimitsTool", **kwargs): + from AthenaCommon.SystemOfUnits import millimeter + kwargs.setdefault("OutputLevel", 1) + kwargs.setdefault("VolumeList", [ + "Faser::Faser", + ]) + kwargs.setdefault("MaxStep", 10.*millimeter) + kwargs.setdefault("MatchType", "contains") + return CfgMgr.UserLimitsTool(name, **kwargs) + diff --git a/Simulation/G4Faser/G4FaserTools/python/G4FieldConfigNew.py b/Simulation/G4Faser/G4FaserTools/python/G4FieldConfigNew.py new file mode 100644 index 0000000000000000000000000000000000000000..2b2ede247f2da24f2b2d1b9cfe29665486ab99ce --- /dev/null +++ b/Simulation/G4Faser/G4FaserTools/python/G4FieldConfigNew.py @@ -0,0 +1,331 @@ +# +# Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +# +from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator +from CalypsoConfiguration.AllConfigFlags import ConfigFlags +from G4AtlasApps.SimFlags import simFlags +# +# These field tools and services are generic and can be reused by reconfiguring them +# +from G4AtlasTools.G4AtlasToolsConf import GlobalFieldManagerTool, DetectorFieldManagerTool +# +from G4FaserServices.G4FaserFieldServices import StandardFieldSvcCfg, ConstantFieldSvcCfg +# +# Field Managers +# +def FASERFieldManagerToolCfg(ConfigFlags, name='FaserFieldManager', **kwargs): + result = ComponentAccumulator() + kwargs.setdefault("IntegratorStepper", simFlags.G4Stepper.get_Value()) + + # acc = StandardFieldSvcCfg(ConfigFlags) + # kwargs.setdefault("FieldSvc", acc.getService("StandardField")) + acc = ConstantFieldSvcCfg(ConfigFlags) + kwargs.setdefault("FieldSvc", acc.getService("ConstantField")) + result.merge(acc) + + kwargs.setdefault("UseTightMuonStepping", False) + if simFlags.EquationOfMotion.statusOn: + kwargs.setdefault("EquationOfMotion", simFlags.EquationOfMotion.get_Value()) + result.setPrivateTools(GlobalFieldManagerTool(name, **kwargs)) + return result + +def TightMuonsFASERFieldManagerToolCfg(ConfigFlags, name='TightMuonsFASERFieldManager', **kwargs): + result = ComponentAccumulator() + kwargs.setdefault("IntegratorStepper", simFlags.G4Stepper.get_Value()) + + # acc = StandardFieldSvcCfg(ConfigFlags) + # kwargs.setdefault("FieldSvc", acc.getService("StandardField")) + acc = ConstantFieldSvcCfg(ConfigFlags) + kwargs.setdefault("FieldSvc", acc.getService("ConstantField")) + result.merge(acc) + + kwargs.setdefault("UseTightMuonStepping",True) + if simFlags.EquationOfMotion.statusOn: + kwargs.setdefault("EquationOfMotion", simFlags.EquationOfMotion.get_Value() ) + + result.setPrivateTools(GlobalFieldManagerTool(name, **kwargs)) + return result + +# #not used in G4AtlasServicesConfigNew? +# def ClassicFieldManagerToolCfg(ConfigFlags, name='ClassicFieldManager', **kwargs): +# kwargs.setdefault("IntegratorStepper", "ClassicalRK4") +# return ATLASFieldManagerToolCfg(ConfigFlags, name, **kwargs) +# +def BasicDetectorFieldManagerToolCfg(ConfigFlags, name='BasicDetectorFieldManager', **kwargs): + result = ComponentAccumulator() + kwargs.setdefault("IntegratorStepper", simFlags.G4Stepper.get_Value()) + + acc = StandardFieldSvcCfg(ConfigFlags) + kwargs.setdefault("FieldSvc", acc.getService("StandardField")) + result.merge(acc) + + kwargs.setdefault('MuonOnlyField', False) + if sim.EquationOfMotion.statusOn: + kwargs.setdefault("EquationOfMotion", simFlags.EquationOfMotion.get_Value() ) + + result.setPrivateTools(DetectorFieldManagerTool(name, **kwargs)) + return result +# +# Simple constant field everywhere +# +def BasicDetectorConstantFieldManagerToolCfg(ConfigFlags, name='BasicDetectorConstantFieldManager', **kwargs): + result = ComponentAccumulator() + kwargs.setdefault("IntegratorStepper", simFlags.G4Stepper.get_Value()) + + # acc = StandardFieldSvcCfg(ConfigFlags) + # kwargs.setdefault("FieldSvc", acc.getService("StandardField")) + acc = ConstantFieldSvcCfg(ConfigFlags) + kwargs.setdefault("FieldSvc", acc.getService("ConstantField")) + result.merge(acc) + + kwargs.setdefault('MuonOnlyField', False) + if simFlags.EquationOfMotion.statusOn: + kwargs.setdefault("EquationOfMotion", simFlags.EquationOfMotion.get_Value() ) + + result.setPrivateTools(DetectorFieldManagerTool(name, **kwargs)) + return result +# +# Same numerical values as ATLAS Inner Detector +# +def VetoFieldManagerToolCfg(ConfigFlags, name='VetoFieldManager', **kwargs): + kwargs.setdefault("LogicalVolumes", ['Veto::Veto']) + #kwargs.setdefault('DeltaChord', 0.00001) + kwargs.setdefault('DeltaIntersection', 0.00001) + kwargs.setdefault('DeltaOneStep', 0.0001) + kwargs.setdefault('MaximumEpsilonStep', 0.001) + kwargs.setdefault('MinimumEpsilonStep', 0.00001) + return BasicDetectorConstantFieldManagerToolCfg(ConfigFlags, name, **kwargs) + +# def BeamPipeFieldManagerToolCfg(ConfigFlags, name='BeamPipeFieldManager', **kwargs): +# kwargs.setdefault("LogicalVolumes", ['BeamPipe::BeamPipe']) +# #kwargs.setdefault('DeltaChord', 0.00001) +# kwargs.setdefault('DeltaIntersection', 0.00001) +# kwargs.setdefault('DeltaOneStep', 0.0001) +# kwargs.setdefault('MaximumEpsilonStep', 0.001) +# kwargs.setdefault('MinimumEpsilonStep', 0.00001) +# return BasicDetectorFieldManagerToolCfg(ConfigFlags, name, **kwargs) + +# def InDetFieldManagerToolCfg(ConfigFlags, name='InDetFieldManager', **kwargs): +# kwargs.setdefault("LogicalVolumes", ['IDET::IDET']) +# #kwargs.setdefault('DeltaChord', 0.00001) +# kwargs.setdefault('DeltaIntersection', 0.00001) +# kwargs.setdefault('DeltaOneStep', 0.0001) +# kwargs.setdefault('MaximumEpsilonStep', 0.001) +# kwargs.setdefault('MinimumEpsilonStep', 0.00001) +# return BasicDetectorFieldManagerToolCfg(ConfigFlags, name, **kwargs) + +# def MuonsOnlyInCaloFieldManagerToolCfg(ConfigFlags, name='MuonsOnlyInCaloFieldManager', **kwargs): +# kwargs.setdefault("LogicalVolumes", ['CALO::CALO']) +# #kwargs.setdefault('DeltaChord', 0.00000002) +# kwargs.setdefault('DeltaIntersection', 0.00000002) +# kwargs.setdefault('DeltaOneStep', 0.000001) +# kwargs.setdefault('MaximumEpsilonStep', 0.0000009) +# kwargs.setdefault('MinimumEpsilonStep', 0.000001) +# kwargs.setdefault('MuonOnlyField', True) +# return BasicDetectorFieldManagerToolCfg(ConfigFlags, name, **kwargs) + +# def MuonFieldManagerToolCfg(ConfigFlags, name='MuonFieldManager', **kwargs): +# kwargs.setdefault("LogicalVolumes", ['MUONQ02::MUONQ02']) +# #kwargs.setdefault('DeltaChord', 0.00000002) +# kwargs.setdefault('DeltaIntersection', 0.00000002) +# kwargs.setdefault('DeltaOneStep', 0.000001) +# kwargs.setdefault('MaximumEpsilonStep', 0.0000009) +# kwargs.setdefault('MinimumEpsilonStep', 0.000001) +# return BasicDetectorFieldManagerToolCfg(ConfigFlags, name, **kwargs) + +#not used in G4AtlasServicesConfigNew? +# def BasicFwdFieldManagerToolCfg(ConfigFlags, name='FwdFieldManagerTool', **kwargs): +# result=ComponentAccumulator() + +# #kwargs.setdefault('DeltaChord', 0.00000002) +# kwargs.setdefault('DeltaIntersection', 1e-9) +# kwargs.setdefault('DeltaOneStep', 1e-8) +# kwargs.setdefault('MaximumEpsilonStep', 1e-8) +# kwargs.setdefault('MinimumEpsilonStep', 1e-9) + +# accForwardField = ForwardFieldSvcCfg(ConfigFlags) +# #kwargs.setdefault("FieldSvc", ForwardFieldSvcCfg(ConfigFlags)) +# kwargs.setdefault("FieldSvc", accForwardField.getService("ForwardField")) #accessing the right service? +# result.merge(accForwardField) + +# #from G4AtlasApps.SimFlags import simFlags +# #if simFlags.FwdStepLimitation.statusOn: +# # kwargs.setdefault("MaximumStep", simFlags.FwdStepLimitation()) +# if False: +# kwargs.setdefault("MaximumStep", 1000.) +# acc = BasicDetectorFieldManagerToolCfg(ConfigFlags, name, **kwargs) +# tool = result.popToolsAndMerge(acc) +# result.setPrivateTools(tool) +# return result + +# def Q1FwdFieldManagerToolCfg(ConfigFlags, name='Q1FwdFieldManager', **kwargs): +# result = Q1FwdG4FieldSvcCfg(ConfigFlags) +# kwargs.setdefault("FieldSvc", result.getService('Q1FwdG4FieldSvc')) +# kwargs.setdefault("LogicalVolumes", ['FwdRegion::LQXAA.1R1MagQ1']) +# acc=BasicFwdFieldManagerToolCfg(ConfigFlags, name, **kwargs) +# tool = result.popToolsAndMerge(acc) +# result.setPrivateTools(tool) +# return result +# def Q2FwdFieldManagerToolCfg(ConfigFlags, name='Q2FwdFieldManager', **kwargs): +# result=Q2FwdG4FieldSvcCfg(ConfigFlags) +# kwargs.setdefault("FieldSvc", result.getService('Q2FwdG4FieldSvc')) +# kwargs.setdefault("LogicalVolumes", ['FwdRegion::LQXBA.2R1MagQ2a', 'FwdRegion::LQXBA.2R1MagQ2b']) +# acc=BasicFwdFieldManagerToolCfg(ConfigFlags, name, **kwargs) +# tool = result.popToolsAndMerge(acc) +# result.setPrivateTools(tool) +# return result +# def Q3FwdFieldManagerToolCfg(ConfigFlags, name='Q3FwdFieldManager', **kwargs): +# result=Q3FwdG4FieldSvcCfg(ConfigFlags) +# kwargs.setdefault("FieldSvc", result.getService('Q3FwdG4FieldSvc')) +# kwargs.setdefault("LogicalVolumes", ['FwdRegion::LQXAG.3R1MagQ3']) +# acc=BasicFwdFieldManagerToolCfg(ConfigFlags, name, **kwargs) +# tool = result.popToolsAndMerge(acc) +# result.setPrivateTools(tool) +# return result +# def D1FwdFieldManagerToolCfg(ConfigFlags, name='D1FwdFieldManager', **kwargs): +# result=D1FwdG4FieldSvcCfg(ConfigFlags) +# kwargs.setdefault("FieldSvc", result.getService('D1FwdG4FieldSvc')) +# kwargs.setdefault("LogicalVolumes", ['FwdRegion::MBXW.A4R1MagD1a', 'FwdRegion::MBXW.B4R1MagD1b', +# 'FwdRegion::MBXW.C4R1MagD1c', 'FwdRegion::MBXW.D4R1MagD1d', +# 'FwdRegion::MBXW.E4R1MagD1e', 'FwdRegion::MBXW.F4R1MagD1f']) +# acc=BasicFwdFieldManagerToolCfg(ConfigFlags, name, **kwargs) +# tool = result.popToolsAndMerge(acc) +# result.setPrivateTools(tool) +# return result +# def D2FwdFieldManagerToolCfg(ConfigFlags, name='D2FwdFieldManager', **kwargs): +# result=D2FwdG4FieldSvcCfg(ConfigFlags) +# kwargs.setdefault("FieldSvc", result.getService('D2FwdG4FieldSvc')) +# kwargs.setdefault("LogicalVolumes", ['FwdRegion::LBRCD.4R1MagD2']) +# acc=BasicFwdFieldManagerToolCfg(ConfigFlags, name, **kwargs) +# tool = result.popToolsAndMerge(acc) +# result.setPrivateTools(tool) +# return result +# def Q4FwdFieldManagerToolCfg(ConfigFlags, name='Q4FwdFieldManager', **kwargs): +# result=Q4FwdG4FieldSvcCfg(ConfigFlags) +# kwargs.setdefault("FieldSvc", result.getService('Q4FwdG4FieldSvc')) +# kwargs.setdefault("LogicalVolumes", ['FwdRegion::LQYCH.4R1MagQ4']) +# acc=BasicFwdFieldManagerToolCfg(ConfigFlags, name, **kwargs) +# tool = result.popToolsAndMerge(acc) +# result.setPrivateTools(tool) +# return result +# def Q5FwdFieldManagerToolCfg(ConfigFlags, name='Q5FwdFieldManager', **kwargs): +# result=Q5FwdG4FieldSvcCfg(ConfigFlags) +# kwargs.setdefault("FieldSvc", result.getService('Q5FwdG4FieldSvc')) +# kwargs.setdefault("LogicalVolumes", ['FwdRegion::LQNDC.5R1MagQ5']) +# acc=BasicFwdFieldManagerToolCfg(ConfigFlags, name, **kwargs) +# tool = result.popToolsAndMerge(acc) +# result.setPrivateTools(tool) +# return result +# def Q6FwdFieldManagerToolCfg(ConfigFlags, name='Q6FwdFieldManager', **kwargs): +# result=Q6FwdG4FieldSvcCfg(ConfigFlags) +# kwargs.setdefault("FieldSvc", result.getService('Q6FwdG4FieldSvc')) +# kwargs.setdefault("LogicalVolumes", ['FwdRegion::LQNDD.6R1MagQ6']) +# acc=BasicFwdFieldManagerToolCfg(ConfigFlags, name, **kwargs) +# tool = result.popToolsAndMerge(acc) +# result.setPrivateTools(tool) +# return result +# def Q7FwdFieldManagerToolCfg(ConfigFlags, name='Q7FwdFieldManager', **kwargs): +# result=Q7FwdG4FieldSvcCfg(ConfigFlags) +# kwargs.setdefault("FieldSvc", result.getService('Q7FwdG4FieldSvc')) +# kwargs.setdefault("LogicalVolumes", ['FwdRegion::LQNFD.7R1MagQ7a', 'FwdRegion::LQNFD.7R1MagQ7b']) +# acc=BasicFwdFieldManagerToolCfg(ConfigFlags, name, **kwargs) +# tool = result.popToolsAndMerge(acc) +# result.setPrivateTools(tool) +# return result +# def Q1HKickFwdFieldManagerToolCfg(ConfigFlags, name='Q1HKickFwdFieldManager', **kwargs): +# result=Q1HKickFwdG4FieldSvcCfg(ConfigFlags) +# kwargs.setdefault("FieldSvc", result.getService('Q1HKickFwdG4FieldSvc')) +# kwargs.setdefault("LogicalVolumes", ['FwdRegion::LQXAA.1R1MagQ1HKick']) +# acc=BasicFwdFieldManagerToolCfg(ConfigFlags, name, **kwargs) +# tool = result.popToolsAndMerge(acc) +# result.setPrivateTools(tool) +# return result +# def Q1VKickFwdFieldManagerToolCfg(ConfigFlags, name='Q1VKickFwdFieldManager', **kwargs): +# result=Q1VKickFwdG4FieldSvcCfg(ConfigFlags) +# kwargs.setdefault("FieldSvc", result.getService('Q1VKickFwdG4FieldSvc')) +# kwargs.setdefault("LogicalVolumes", ['FwdRegion::LQXAA.1R1MagQ1VKick']) +# acc=BasicFwdFieldManagerToolCfg(ConfigFlags, name, **kwargs) +# tool = result.popToolsAndMerge(acc) +# result.setPrivateTools(tool) +# return result +# def Q2HKickFwdFieldManagerToolCfg(ConfigFlags, name='Q2HKickFwdFieldManager', **kwargs): +# result=Q2HKickFwdG4FieldSvcCfg(ConfigFlags) +# kwargs.setdefault("FieldSvc", result.getService('Q2HKickFwdG4FieldSvc')) +# kwargs.setdefault("LogicalVolumes", ['FwdRegion::LQXBA.2R1MagQ2HKick']) +# acc=BasicFwdFieldManagerToolCfg(ConfigFlags, name, **kwargs) +# tool = result.popToolsAndMerge(acc) +# result.setPrivateTools(tool) +# return result +# def Q2VKickFwdFieldManagerToolCfg(ConfigFlags, name='Q2VKickFwdFieldManager', **kwargs): +# result=Q2VKickFwdG4FieldSvcCfg(ConfigFlags) +# kwargs.setdefault("FieldSvc", result.getService('Q2VKickFwdG4FieldSvc')) +# kwargs.setdefault("LogicalVolumes", ['FwdRegion::LQXBA.2R1MagQ2VKick']) +# acc=BasicFwdFieldManagerToolCfg(ConfigFlags, name, **kwargs) +# tool = result.popToolsAndMerge(acc) +# result.setPrivateTools(tool) +# return result +# def Q3HKickFwdFieldManagerToolCfg(ConfigFlags, name='Q3HKickFwdFieldManager', **kwargs): +# result=Q3HKickFwdG4FieldSvcCfg(ConfigFlags) +# kwargs.setdefault("FieldSvc", result.getService('Q3HKickFwdG4FieldSvc')) +# kwargs.setdefault("LogicalVolumes", ['FwdRegion::LQXAG.3R1MagQ3HKick']) +# acc=BasicFwdFieldManagerToolCfg(ConfigFlags, name, **kwargs) +# tool = result.popToolsAndMerge(acc) +# result.setPrivateTools(tool) +# return result +# def Q3VKickFwdFieldManagerToolCfg(ConfigFlags, name='Q3VKickFwdFieldManager', **kwargs): +# result=Q3VKickFwdG4FieldSvcCfg(ConfigFlags) +# kwargs.setdefault("FieldSvc", result.getService('Q3VKickFwdG4FieldSvc')) +# kwargs.setdefault("LogicalVolumes", ['FwdRegion::LQXAG.3R1MagQ3VKick']) +# acc=BasicFwdFieldManagerToolCfg(ConfigFlags, name, **kwargs) +# tool = result.popToolsAndMerge(acc) +# result.setPrivateTools(tool) +# return result +# def Q4VKickAFwdFieldManagerToolCfg(ConfigFlags, name='Q4VKickAFwdFieldManager', **kwargs): +# result=Q4VKickAFwdG4FieldSvcCfg(ConfigFlags) +# kwargs.setdefault("FieldSvc", result.getService('Q4VKickAFwdG4FieldSvc')) +# kwargs.setdefault("LogicalVolumes", ['FwdRegion::LQYCH.4R1MagQ4VKickA']) +# acc=BasicFwdFieldManagerToolCfg(ConfigFlags, name, **kwargs) +# tool = result.popToolsAndMerge(acc) +# result.setPrivateTools(tool) +# return result +# def Q4HKickFwdFieldManagerToolCfg(ConfigFlags, name='Q4HKickFwdFieldManager', **kwargs): +# result=Q4HKickFwdG4FieldSvcCfg(ConfigFlags) +# kwargs.setdefault("FieldSvc", result.getService('Q4HKickFwdG4FieldSvc')) +# kwargs.setdefault("LogicalVolumes", ['FwdRegion::LQYCH.4R1MagQ4HKick']) +# acc=BasicFwdFieldManagerToolCfg(ConfigFlags, name, **kwargs) +# tool = result.popToolsAndMerge(acc) +# result.setPrivateTools(tool) +# return result +# def Q4VKickBFwdFieldManagerToolCfg(ConfigFlags, name='Q4VKickBFwdFieldManager', **kwargs): +# result=Q4VKickBFwdG4FieldSvcCfg(ConfigFlags) +# kwargs.setdefault("FieldSvc", result.getService('Q4VKickBFwdG4FieldSvc')) +# kwargs.setdefault("LogicalVolumes", ['FwdRegion::LQYCH.4R1MagQ4VKickB']) +# acc=BasicFwdFieldManagerToolCfg(ConfigFlags, name, **kwargs) +# tool = result.popToolsAndMerge(acc) +# result.setPrivateTools(tool) +# return result +# def Q5HKickFwdFieldManagerToolCfg(ConfigFlags, name='Q5HKickFwdFieldManager', **kwargs): +# result=Q5HKickFwdG4FieldSvcCfg(ConfigFlags) +# kwargs.setdefault("FieldSvc", result.getService('Q5HKickFwdG4FieldSvc')) +# kwargs.setdefault("LogicalVolumes", ['FwdRegion::LQNDC.5R1MagQ5HKick']) +# acc=BasicFwdFieldManagerToolCfg(ConfigFlags, name, **kwargs) +# tool = result.popToolsAndMerge(acc) +# result.setPrivateTools(tool) +# return result +# def Q6VKickFwdFieldManagerToolCfg(ConfigFlags, name='Q6VKickFwdFieldManager', **kwargs): +# result=Q6VKickFwdG4FieldSvcCfg(ConfigFlags) +# kwargs.setdefault("FieldSvc", result.getService('Q6VKickFwdG4FieldSvc')) +# kwargs.setdefault("LogicalVolumes", ['FwdRegion::LQNDD.6R1MagQ6VKick']) +# acc=BasicFwdFieldManagerToolCfg(ConfigFlags, name, **kwargs) +# tool = result.popToolsAndMerge(acc) +# result.setPrivateTools(tool) +# return result + +# def FwdRegionFieldManagerToolCfg(ConfigFlags, name='FwdRegionFieldManager', **kwargs): +# kwargs.setdefault("LogicalVolumes", ['FwdRegion::ForwardRegionGeoModel']) +# #from G4AtlasApps.SimFlags import simFlags +# #if simFlags.FwdStepLimitation.statusOn: +# # kwargs.setdefault("MaximumStep", simFlags.FwdStepLimitation()) +# if False: +# kwargs.setdefault("MaximumStep", 1000.) +# return BasicDetectorFieldManagerToolCfg(ConfigFlags, name, **kwargs) diff --git a/Simulation/G4Faser/G4FaserTools/python/G4GeometryToolConfig.py b/Simulation/G4Faser/G4FaserTools/python/G4GeometryToolConfig.py new file mode 100644 index 0000000000000000000000000000000000000000..b48c9ebe78ad134f8c8df2ade5f83ec7467e1c1b --- /dev/null +++ b/Simulation/G4Faser/G4FaserTools/python/G4GeometryToolConfig.py @@ -0,0 +1,64 @@ +# Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator + +from Geo2G4.Geo2G4Conf import GeoDetectorTool + +from G4AtlasTools.G4AtlasToolsConf import CylindricalEnvelope, PolyconicalEnvelope, MaterialDescriptionTool,G4AtlasDetectorConstructionTool, BoxEnvelope #(check) + +from AthenaCommon.SystemOfUnits import mm, cm, m +from VetoGeoModel.VetoGeoModelConfig import VetoGeometryCfg + +#ToDo - finish migrating this (dnoel) +#Todo - just return component accumulator +#to still migrate: getCavernWorld, getCavernInfraGeoDetectorTool +#from ForwardRegionProperties.ForwardRegionPropertiesToolConfig import ForwardRegionPropertiesCfg + +def VetoGeoDetectorToolCfg(ConfigFlags, name='Veto', **kwargs): + #set up geometry + result=VetoGeometryCfg(ConfigFlags) + kwargs.setdefault("DetectorName", "Veto") + return result, GeoDetectorTool(name, **kwargs) + +def generateSubDetectorList(ConfigFlags): + result = ComponentAccumulator() + SubDetectorList=[] + + if ConfigFlags.Detector.SimulateVeto: + accVeto, toolVeto = VetoGeoDetectorToolCfg(ConfigFlags) + SubDetectorList += [ toolVeto ] + result.merge(accVeto) + + return result, SubDetectorList + +def FASEREnvelopeCfg(ConfigFlags, name="Faser", **kwargs): + result = ComponentAccumulator() + + kwargs.setdefault("DetectorName", "Faser") + accSubDetectors, SubDetectorList = generateSubDetectorList(ConfigFlags) + result.merge(accSubDetectors) + + kwargs.setdefault("OffsetX", 0.0 * mm) + kwargs.setdefault("OffsetY", 0.0 * mm) + kwargs.setdefault("OffsetZ", 0.0 * mm) + # kwargs.setdefault("OffsetX", 0.0 * mm) + # kwargs.setdefault("OffsetY", 0.0 * mm) + # kwargs.setdefault("OffsetZ", -1650.0 * mm) + + # kwargs.setdefault("dX", 16.0 * mm) + # kwargs.setdefault("dY", 16.0 * mm) + # kwargs.setdefault("dZ", 33.0 * mm) + kwargs.setdefault("dX", 600.0 * mm) + kwargs.setdefault("dY", 600.0 * mm) + kwargs.setdefault("dZ", 2500.0 * mm) + + kwargs.setdefault("SubDetectors", SubDetectorList) + + return result, BoxEnvelope(name, **kwargs) + +def G4AtlasDetectorConstructionToolCfg(ConfigFlags, name="G4FaserDetectorConstructionTool", **kwargs): + return G4AtlasDetectorConstructionTool(name, **kwargs) + +def MaterialDescriptionToolCfg(ConfigFlags, name="MaterialDescriptionTool", **kwargs): + ## kwargs.setdefault("SomeProperty", aValue) + return MaterialDescriptionTool(name, **kwargs) + diff --git a/Simulation/G4Faser/G4FaserTools/python/G4PhysicsRegionConfigNew.py b/Simulation/G4Faser/G4FaserTools/python/G4PhysicsRegionConfigNew.py new file mode 100644 index 0000000000000000000000000000000000000000..3dab4476d1c012d3b05d2d297b40ce34c71bb3cd --- /dev/null +++ b/Simulation/G4Faser/G4FaserTools/python/G4PhysicsRegionConfigNew.py @@ -0,0 +1,302 @@ +# Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +from G4AtlasTools.G4AtlasToolsConf import RegionCreator + +# Beampipe Regions +# def BeampipeFwdCutPhysicsRegionToolCfg(ConfigFlags, name='BeampipeFwdCutPhysicsRegionTool', **kwargs): +# kwargs.setdefault("RegionName", 'BeampipeFwdCut') +# volumeList = ['BeamPipe::SectionF47', 'BeamPipe::SectionF48', 'BeamPipe::SectionF61'] +# kwargs.setdefault("VolumeList", volumeList) +# from G4AtlasApps.SimFlags import simFlags + +# #if simFlags.BeamPipeSimMode() == "FastSim": +# if True: +# kwargs.setdefault("ElectronCut", 10.) +# kwargs.setdefault("PositronCut", 10.) +# kwargs.setdefault("GammaCut", 10.) +# print('Adding fast sim model to the beampipe!') +# else: +# assert simFlags.BeamPipeCut.statusOn +# if simFlags.BeamPipeCut() < 1: +# msg = "Setting the forward beam pipe range cuts to %e mm " % simFlags.BeamPipeCut() +# msg += "-- cut is < 1 mm, I hope you know what you're doing!" +# print(msg) +# if simFlags.BeamPipeSimMode() == "EGammaRangeCuts": +# kwargs.setdefault("ElectronCut", simFlags.BeamPipeCut()) +# kwargs.setdefault("PositronCut", simFlags.BeamPipeCut()) +# kwargs.setdefault("GammaCut", simFlags.BeamPipeCut()) +# elif simFlags.BeamPipeSimMode() == "EGammaPRangeCuts": +# kwargs.setdefault("ElectronCut", simFlags.BeamPipeCut()) +# kwargs.setdefault("PositronCut", simFlags.BeamPipeCut()) +# kwargs.setdefault("GammaCut", simFlags.BeamPipeCut()) +# kwargs.setdefault("ProtonCut", simFlags.BeamPipeCut()) +# return RegionCreator(name, **kwargs) + +# def FWDBeamLinePhysicsRegionToolCfg(ConfigFlags, name='FWDBeamLinePhysicsRegionTool', **kwargs): +# kwargs.setdefault("RegionName", 'FWDBeamLine') +# volumeList = ['BeamPipe::SectionF46'] +# kwargs.setdefault("VolumeList", volumeList) +# return RegionCreator(name, **kwargs) + +# # Forward Regions +# def FwdRegionPhysicsRegionToolCfg(ConfigFlags, name='FwdRegionPhysicsRegionTool', **kwargs): +# kwargs.setdefault("RegionName", 'FwdRegion') +# volumeList = ['FwdRegion::ForwardRegionGeoModel'] +# kwargs.setdefault("VolumeList", volumeList) +# kwargs.setdefault("ElectronCut", 200.) +# kwargs.setdefault("PositronCut", 200.) +# kwargs.setdefault("GammaCut", 200.) +# return RegionCreator(name, **kwargs) + +# # Inner Detector Regions +# def PixelPhysicsRegionToolCfg(ConfigFlags, name='PixelPhysicsRegionTool', **kwargs): +# kwargs.setdefault("RegionName", 'Pixel') +# volumeList = ['Pixel::siLog', 'Pixel::siBLayLog'] +# from AtlasGeoModel.CommonGMJobProperties import CommonGeometryFlags as commonGeoFlags +# from AtlasGeoModel.InDetGMJobProperties import InDetGeometryFlags as geoFlags +# if (ConfigFlags.GeoModel.Run in ["RUN2", "RUN3"]) or (commonGeoFlags.Run()=="UNDEFINED" and geoFlags.isIBL()): +# volumeList += ['Pixel::dbmDiamondLog'] +# kwargs.setdefault("VolumeList", volumeList) +# kwargs.setdefault("ElectronCut", 0.05) +# kwargs.setdefault("PositronCut", 0.05) +# kwargs.setdefault("GammaCut", 0.05) +# return RegionCreator(name, **kwargs) + +# Values identical to ATLAS SCT +def ScintillatorPhysicsRegionToolCfg(ConfigFlags, name='ScintillatorPhysicsRegionTool', **kwargs): + kwargs.setdefault("RegionName", 'Scintillator') + volumeList = ['Veto::Plate' , 'Trigger::Plate', 'Preshower::Plate'] + kwargs.setdefault("VolumeList", volumeList) + kwargs.setdefault("ElectronCut", 0.05) + kwargs.setdefault("PositronCut", 0.05) + kwargs.setdefault("GammaCut", 0.05) + return RegionCreator(name, **kwargs) + + +# def SCTPhysicsRegionToolCfg(ConfigFlags, name='SCTPhysicsRegionTool', **kwargs): +# kwargs.setdefault("RegionName", 'SCT') +# volumeList = ['SCT::BRLSensor', 'SCT::BRLSensorSS', 'SCT::BRLSensorMS', +# 'SCT::ECSensor0', 'SCT::ECSensor1', 'SCT::ECSensor2', +# 'SCT::ECSensor3', 'SCT::ECSensor4', 'SCT::ECSensor5'] +# kwargs.setdefault("VolumeList", volumeList) +# kwargs.setdefault("ElectronCut", 0.05) +# kwargs.setdefault("PositronCut", 0.05) +# kwargs.setdefault("GammaCut", 0.05) +# return RegionCreator(name, **kwargs) + +# def TRTPhysicsRegionToolCfg(ConfigFlags, name='TRTPhysicsRegionTool', **kwargs): +# #rangeCut = simFlags.TRTRangeCut._Value() +# rangeCut = 30.0 +# kwargs.setdefault("RegionName", 'TRT') +# volumeList = ['TRT::Gas', 'TRT::GasMA'] +# kwargs.setdefault("VolumeList", volumeList) +# kwargs.setdefault("ElectronCut", rangeCut) +# kwargs.setdefault("PositronCut", rangeCut) +# # The photon range cut is meant to stay small +# kwargs.setdefault("GammaCut", 0.05) +# return RegionCreator(name, **kwargs) + +# def TRT_ArPhysicsRegionToolCfg(ConfigFlags, name='TRT_ArPhysicsRegionTool', **kwargs): +# kwargs.setdefault("RegionName", 'TRT_Ar') +# volumeList = ['TRT::Gas_Ar', 'TRT::GasMA_Ar'] +# kwargs.setdefault("VolumeList", volumeList) +# kwargs.setdefault("ElectronCut", 30.0) +# kwargs.setdefault("PositronCut", 30.0) +# kwargs.setdefault("GammaCut", 0.05) +# return RegionCreator(name, **kwargs) + +# def TRT_KrPhysicsRegionToolCfg(ConfigFlags, name='TRT_KrPhysicsRegionTool', **kwargs): +# kwargs.setdefault("RegionName", 'TRT_Kr') +# volumeList = ['TRT::Gas_Kr', 'TRT::GasMA_Kr'] +# kwargs.setdefault("VolumeList", volumeList) +# kwargs.setdefault("ElectronCut", 15.0) +# kwargs.setdefault("PositronCut", 15.0) +# kwargs.setdefault("GammaCut", 0.05) +# return RegionCreator(name, **kwargs) + +# # Calo Regions +# def EMBPhysicsRegionToolCfg(ConfigFlags, name='EMBPhysicsRegionTool', **kwargs): +# kwargs.setdefault("RegionName", 'EMB') +# volumeList = ['LArMgr::LAr::EMB::STAC'] +# kwargs.setdefault("VolumeList", volumeList) +# rangeEMB = 0.03 +# from G4AtlasApps.SimFlags import simFlags +# if '_EMV' not in simFlags.PhysicsList() and '_EMX' not in simFlags.PhysicsList(): +# rangeEMB = 0.1 +# kwargs.setdefault("ElectronCut", rangeEMB) +# kwargs.setdefault("PositronCut", rangeEMB) +# kwargs.setdefault("GammaCut", rangeEMB) +# return RegionCreator(name, **kwargs) + +# def EMECPhysicsRegionToolCfg(ConfigFlags, name='EMECPhysicsRegionTool', **kwargs): +# kwargs.setdefault("RegionName", 'EMEC') +# volumeList = ['LArMgr::LAr::EMEC::Mother'] +# kwargs.setdefault("VolumeList", volumeList) +# rangeEMEC = 0.03 +# from G4AtlasApps.SimFlags import simFlags +# if '_EMV' not in simFlags.PhysicsList() and '_EMX' not in simFlags.PhysicsList(): +# rangeEMEC = 0.1 +# kwargs.setdefault("ElectronCut", rangeEMEC) +# kwargs.setdefault("PositronCut", rangeEMEC) +# kwargs.setdefault("GammaCut", rangeEMEC) +# return RegionCreator(name, **kwargs) + +# def HECPhysicsRegionToolCfg(ConfigFlags, name='HECPhysicsRegionTool', **kwargs): +# kwargs.setdefault("RegionName", 'HEC') +# volumeList = ['LArMgr::LAr::HEC::LiquidArgon'] +# kwargs.setdefault("VolumeList", volumeList) +# rangeHEC = 0.03 +# from G4AtlasApps.SimFlags import simFlags +# if '_EMV' not in simFlags.PhysicsList() and '_EMX' not in simFlags.PhysicsList(): +# rangeHEC = 1.0 +# kwargs.setdefault("ElectronCut", rangeHEC) +# kwargs.setdefault("PositronCut", rangeHEC) +# kwargs.setdefault("GammaCut", rangeHEC) +# return RegionCreator(name, **kwargs) + +# def FCALPhysicsRegionToolCfg(ConfigFlags, name='FCALPhysicsRegionTool', **kwargs): +# kwargs.setdefault("RegionName", 'FCAL') +# volumeList = ['LArMgr::LAr::FCAL::LiquidArgonC'] +# kwargs.setdefault("VolumeList", volumeList) +# kwargs.setdefault("ElectronCut", 0.03) +# kwargs.setdefault("PositronCut", 0.03) +# kwargs.setdefault("GammaCut", 0.03) +# return RegionCreator(name, **kwargs) + +# def EMECParaPhysicsRegionToolCfg(ConfigFlags, name='EMECParaPhysicsRegionTool', **kwargs): +# kwargs.setdefault("RegionName", 'EMECPara') +# volumeList = ['LArMgr::LAr::EMEC::Pos::InnerWheel', 'LArMgr::LAr::EMEC::Pos::OuterWheel', +# 'LArMgr::LAr::EMEC::Neg::InnerWheel', 'LArMgr::LAr::EMEC::Neg::OuterWheel'] +# kwargs.setdefault("VolumeList", volumeList) +# rangeEMEC = 0.03 +# from G4AtlasApps.SimFlags import simFlags +# if '_EMV' not in simFlags.PhysicsList() and '_EMX' not in simFlags.PhysicsList(): +# rangeEMEC = 0.1 +# kwargs.setdefault("ElectronCut", rangeEMEC) +# kwargs.setdefault("PositronCut", rangeEMEC) +# kwargs.setdefault("GammaCut", rangeEMEC) +# return RegionCreator(name, **kwargs) + +# def FCALParaPhysicsRegionToolCfg(ConfigFlags, name='FCALParaPhysicsRegionTool', **kwargs): +# kwargs.setdefault("RegionName", 'FCALPara') +# volumeList = ['LArMgr::LAr::FCAL::Module1::Absorber'] +# kwargs.setdefault("VolumeList", volumeList) +# kwargs.setdefault("ElectronCut", 0.03) +# kwargs.setdefault("PositronCut", 0.03) +# kwargs.setdefault("GammaCut", 0.03) +# return RegionCreator(name, **kwargs) + +# def FCAL2ParaPhysicsRegionToolCfg(ConfigFlags, name='FCAL2ParaPhysicsRegionTool', **kwargs): +# kwargs.setdefault("RegionName", 'FCAL2Para') +# volumeList = ['LArMgr::LAr::FCAL::Module2::Absorber', 'LArMgr::LAr::FCAL::Module3::Absorber'] +# kwargs.setdefault("VolumeList", volumeList) +# kwargs.setdefault("ElectronCut", 0.03) +# kwargs.setdefault("PositronCut", 0.03) +# kwargs.setdefault("GammaCut", 0.03) +# return RegionCreator(name, **kwargs) + +# def PreSampLArPhysicsRegionToolCfg(ConfigFlags, name='PreSampLArPhysicsRegionTool', **kwargs): +# kwargs.setdefault("RegionName", 'PreSampLAr') +# volumeList = ['LArMgr::LAr::Endcap::Presampler::LiquidArgon'] +# kwargs.setdefault("VolumeList", volumeList) +# return RegionCreator(name, **kwargs) + +# def DeadMaterialPhysicsRegionToolCfg(ConfigFlags, name='DeadMaterialPhysicsRegionTool', **kwargs): +# kwargs.setdefault("RegionName", 'DeadMaterial') +# volumeList = [] +# sectionList = range(16,49) # does not include 49 +# sectionList += [ 51, 52, 53, 54 ] +# for section in sectionList: +# volumeList += ['BeamPipe::SectionF'+str(section)] +# volumeList += ['LArMgr::LAr::Endcap::Cryostat::Cylinder', +# 'LArMgr::LAr::Endcap::Cryostat::Cylinder::Mixed', +# 'LArMgr::LAr::Endcap::Cryostat::Cone::Mixed', +# 'LArMgr::LAr::Endcap::Cryostat::Cone', +# 'DiskShieldingPlugs', 'ToroidShieldingInnerPlugs', +# 'ForwardShieldingMainCylinder'] +# kwargs.setdefault("VolumeList", volumeList) +# kwargs.setdefault("ElectronCut", 1.0) +# kwargs.setdefault("PositronCut", 1.0) +# kwargs.setdefault("GammaCut", 1.0) +# return RegionCreator(name, **kwargs) + +# #Muon Regions +# def DriftWallPhysicsRegionToolCfg(ConfigFlags, name='DriftWallPhysicsRegionTool', **kwargs): +# kwargs.setdefault("RegionName", 'DriftWall') +# volumeList = ['Muon::MDTDriftWall'] +# kwargs.setdefault("VolumeList", volumeList) +# kwargs.setdefault("ElectronCut", 0.05) +# kwargs.setdefault("PositronCut", 0.05) +# return RegionCreator(name, **kwargs) + +# def DriftWall1PhysicsRegionToolCfg(ConfigFlags, name='DriftWall1PhysicsRegionTool', **kwargs): +# kwargs.setdefault("RegionName", 'DriftWall1') +# volumeList = ['Muon::Endplug'] +# kwargs.setdefault("VolumeList", volumeList) +# kwargs.setdefault("ElectronCut", 1.0) +# kwargs.setdefault("PositronCut", 1.0) +# return RegionCreator(name, **kwargs) + +# def DriftWall2PhysicsRegionToolCfg(ConfigFlags, name='DriftWall2PhysicsRegionTool', **kwargs): +# kwargs.setdefault("RegionName", 'DriftWall2') +# volumeList = ['Muon::SensitiveGas'] +# kwargs.setdefault("VolumeList", volumeList) +# kwargs.setdefault("ElectronCut", 1.0) +# kwargs.setdefault("PositronCut", 1.0) +# return RegionCreator(name, **kwargs) + +# def MuonSystemFastPhysicsRegionToolCfg(ConfigFlags, name='MuonSystemFastPhysicsRegionTool', **kwargs): +# kwargs.setdefault("RegionName", 'MuonSystemFastRegion') +# volumeList = [] +# if ConfigFlags.Sim.CavernBG == 'World': +# volumeList += ['BeamPipe::BeamPipe', 'IDET::IDET'] +# volumeList = ['Muon::MuonSys'] +# kwargs.setdefault("VolumeList", volumeList) +# kwargs.setdefault("ElectronCut", 1.0) +# kwargs.setdefault("PositronCut", 1.0) +# return RegionCreator(name, **kwargs) + +# def MuonPhysicsRegionToolCfg(ConfigFlags, name="MuonPhysicsRegionTool", **kwargs): +# kwargs.setdefault("RegionName", 'MuonSys') +# volumeList = ['Muon::MuonSys'] +# kwargs.setdefault("VolumeList", volumeList) +# kwargs.setdefault("ElectronCut", 0.1) +# kwargs.setdefault("PositronCut", 0.1) +# kwargs.setdefault("GammaCut", 0.1) +# return RegionCreator(name, **kwargs) + +# # Cavern Regions +# def SX1PhysicsRegionToolCfg(ConfigFlags, name='SX1PhysicsRegionTool', **kwargs): +# kwargs.setdefault("RegionName", 'SX1') +# volumeList = ['CavernInfra::SX1Air'] +# kwargs.setdefault("VolumeList", volumeList) +# kwargs.setdefault("ElectronCut", 2000.) +# kwargs.setdefault("PositronCut", 2000.) +# kwargs.setdefault("GammaCut", 2000.) +# return RegionCreator(name, **kwargs) + +# def BedrockPhysicsRegionToolCfg(ConfigFlags, name='BedrockPhysicsRegionTool', **kwargs): +# kwargs.setdefault("RegionName", 'BEDROCK') +# volumeList = ['CavernInfra::BEDROCK'] +# kwargs.setdefault("VolumeList", volumeList) +# kwargs.setdefault("ElectronCut", 1000000.) +# kwargs.setdefault("PositronCut", 1000000.) +# kwargs.setdefault("GammaCut", 1000000.) +# return RegionCreator(name, **kwargs) + +# def CavernShaftsConcretePhysicsRegionToolCfg(ConfigFlags, name='CavernShaftsConcretePhysicsRegionTool', **kwargs): +# kwargs.setdefault("RegionName", 'CAV_SHAFTS_CONC') +# volumeList = ['CavernInfra::CAV_SHAFTS_CONC'] +# kwargs.setdefault("VolumeList", volumeList) +# kwargs.setdefault("ElectronCut", 150.) +# kwargs.setdefault("PositronCut", 150.) +# kwargs.setdefault("GammaCut", 150.) +# return RegionCreator(name, **kwargs) + +##def getCavernShaftsAirPhysicsRegionTool(name='CavernShaftsAirPhysicsRegionTool', **kwargs): +## kwargs.setdefault("RegionName", 'CAV_SHAFTS_AIR') +## volumeList = ['CavernInfra::CAV_SHAFTS_AIR'] +## kwargs.setdefault("VolumeList", volumeList) +## kwargs.setdefault("ElectronCut", 2000.) +## kwargs.setdefault("PositronCut", 2000.) +## kwargs.setdefault("GammaCut", 2000.) +## return CfgMgr.RegionCreator(name, **kwargs) diff --git a/Simulation/G4Faser/G4FaserTools/python/__init__.py b/Simulation/G4Faser/G4FaserTools/python/__init__.py new file mode 100644 index 0000000000000000000000000000000000000000..e69de29bb2d1d6434b8b29ae775ad8c2e48c5391 diff --git a/Simulation/G4Utilities/Geo2G4/CMakeLists.txt b/Simulation/G4Utilities/Geo2G4/CMakeLists.txt new file mode 100644 index 0000000000000000000000000000000000000000..f30e1839cc2f7a11ce1a041911a9114617a4196b --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/CMakeLists.txt @@ -0,0 +1,52 @@ +################################################################################ +# Package: Geo2G4 +################################################################################ + +# Declare the package name: +atlas_subdir( Geo2G4 ) + +# Declare the package's dependencies: +atlas_depends_on_subdirs( PUBLIC + GaudiKernel + PRIVATE + Control/AthenaBaseComps + Control/AthenaKernel + Control/StoreGate + DetectorDescription/GeoModel/GeoModelInterfaces + DetectorDescription/GeoModel/GeoSpecialShapes + DetectorDescription/GeoModel/GeoModelUtilities + DetectorDescription/GeoPrimitives + Simulation/G4Atlas/G4AtlasInterfaces + Simulation/G4Atlas/G4AtlasTools + Simulation/G4Sim/SimHelpers + Simulation/G4Utilities/GeoMaterial2G4 ) + +# External dependencies: +find_package( Boost COMPONENTS filesystem thread system ) +find_package( CLHEP ) +find_package( Geant4 ) +find_package( ROOT COMPONENTS MathCore RIO Core Tree Hist pthread ) +find_package( XercesC ) +find_package( GeoModel ) + +# Component(s) in the package: +atlas_add_library( Geo2G4Lib + src/*.cxx + PUBLIC_HEADERS Geo2G4 + INCLUDE_DIRS ${XERCESC_INCLUDE_DIRS} ${GEANT4_INCLUDE_DIRS} ${ROOT_INCLUDE_DIRS} + PRIVATE_INCLUDE_DIRS ${Boost_INCLUDE_DIRS} ${CLHEP_INCLUDE_DIRS} ${GEOMODEL_INCLUDE_DIRS} + PRIVATE_DEFINITIONS ${CLHEP_DEFINITIONS} + LINK_LIBRARIES ${XERCESC_LIBRARIES} ${GEANT4_LIBRARIES} ${ROOT_LIBRARIES} GaudiKernel + PRIVATE_LINK_LIBRARIES ${Boost_LIBRARIES} ${CLHEP_LIBRARIES} ${GEOMODEL_LIBRARIES} AthenaBaseComps GeoSpecialShapes G4AtlasToolsLib SimHelpers GeoMaterial2G4 AthenaKernel GeoModelUtilities StoreGateLib SGtests ) + +atlas_add_component( Geo2G4 + src/components/*.cxx + INCLUDE_DIRS ${Boost_INCLUDE_DIRS} ${XERCESC_INCLUDE_DIRS} ${GEANT4_INCLUDE_DIRS} ${ROOT_INCLUDE_DIRS} ${CLHEP_INCLUDE_DIRS} ${GEOMODEL_INCLUDE_DIRS} + LINK_LIBRARIES ${Boost_LIBRARIES} ${XERCESC_LIBRARIES} ${GEANT4_LIBRARIES} ${ROOT_LIBRARIES} ${CLHEP_LIBRARIES} ${GEOMODEL_LIBRARIES} AthenaKernel GeoModelUtilities GaudiKernel AthenaBaseComps StoreGateLib SGtests GeoSpecialShapes G4AtlasToolsLib SimHelpers GeoMaterial2G4 Geo2G4Lib ) + +#atlas_add_dictionary( LArWheelSolidCheckerDict +# src/LArWheelSolidDDProxy.h +# src/lcg_dict/selection.xml +# INCLUDE_DIRS ${Boost_INCLUDE_DIRS} ${XERCESC_INCLUDE_DIRS} ${GEANT4_INCLUDE_DIRS} ${ROOT_INCLUDE_DIRS} ${CLHEP_INCLUDE_DIRS} ${GEOMODEL_INCLUDE_DIRS} +# LINK_LIBRARIES ${Boost_LIBRARIES} ${XERCESC_LIBRARIES} ${GEANT4_LIBRARIES} ${ROOT_LIBRARIES} ${CLHEP_LIBRARIES} ${GEOMODEL_LIBRARIES} AthenaKernel GeoModelUtilities GaudiKernel AthenaBaseComps StoreGateLib SGtests GeoSpecialShapes SimHelpers GeoMaterial2G4 Geo2G4Lib ) + diff --git a/Simulation/G4Utilities/Geo2G4/src/ExtParameterisedVolumeBuilder.cxx b/Simulation/G4Utilities/Geo2G4/src/ExtParameterisedVolumeBuilder.cxx new file mode 100644 index 0000000000000000000000000000000000000000..286030c43d2d6cee5549bfd95a0637b116680c32 --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/src/ExtParameterisedVolumeBuilder.cxx @@ -0,0 +1,279 @@ +/* + Copyright (C) 2002-2018 CERN for the benefit of the ATLAS collaboration +*/ + +#include "ExtParameterisedVolumeBuilder.h" +#include "Geo2G4AssemblyVolume.h" +#include "Geo2G4LVFactory.h" +#include "Geo2G4STParameterisation.h" +#include "G4LogicalVolume.hh" + +#include "G4PVPlacement.hh" +#include "G4ReflectionFactory.hh" +#include "G4VPVParameterisation.hh" +#include "G4PVParameterised.hh" +#include "globals.hh" + +#include "SimHelpers/ServiceAccessor.h" + +#include "GeoModelKernel/GeoAccessVolAndSTAction.h" +#include "GeoModelKernel/GeoVolumeCursor.h" +#include "GeoModelKernel/GeoMaterial.h" +#include "GeoModelKernel/GeoLogVol.h" +#include "GeoModelKernel/GeoSerialTransformer.h" +#include "GeoModelInterfaces/StoredMaterialManager.h" +#include "AthenaBaseComps/AthMsgStreamMacros.h" + +#include "StoreGate/StoreGateSvc.h" +#include <iostream> + +#include "GeoPrimitives/CLHEPtoEigenConverter.h" + +ExtParameterisedVolumeBuilder::ExtParameterisedVolumeBuilder(std::string n, Geo2G4AssemblyFactory* G4AssemblyFactory): + VolumeBuilder(n), + m_getMatEther(true), + m_matEther(0), + m_matHypUr(0), + m_msg(n), + m_G4AssemblyFactory(G4AssemblyFactory) +{ +} + +G4LogicalVolume* ExtParameterisedVolumeBuilder::Build(const PVConstLink theGeoPhysVolume, OpticalVolumesMap* optical_volumes) +{ + PVConstLink theGeoPhysChild; + const GeoSerialTransformer* serialTransformerChild=0; + G4LogicalVolume* theG4LogChild; + unsigned int numChildNodes; // number of child nodes (PV and ST) + bool descend; // flag to continue geo tree navigation + bool serialExists = false; // flag for existence of ST among childs + std::string nameChild; + + if(m_getMatEther) getMatEther(); + + static Geo2G4LVFactory LVFactory; + + G4LogicalVolume* theG4LogVolume = LVFactory.Build(theGeoPhysVolume,descend); + + if(!descend) return theG4LogVolume; + + numChildNodes = theGeoPhysVolume->getNChildVolAndST(); + + // ***************************************************************** + // ** + // ** If m_ST2Param flag is set: + // ** Check if there's any serial transformer among child volumes + // ** + // ***************************************************************** + + if(m_paramOn) + for(size_t counter1=0; counter1<numChildNodes; counter1++) + { + GeoAccessVolAndSTAction actionVolAndST(counter1); + theGeoPhysVolume->exec(&actionVolAndST); + + if((serialTransformerChild=actionVolAndST.getSerialTransformer())) + { + nameChild = actionVolAndST.getName(); + serialExists = true; + break; + } + } + // *************************************************************************** + // ** Next steps: + // ** + // ** 1. If ST exists and numChildNodes==1, translate ST to G4 ST + // ** + // ** 2. If ST exists and numChildNodes !=1, print information message and + // ** translate ST to single placements as well as all other child volumes + // ** + // ** 3. There's no ST - ok, nothing special ... + // ** + // *************************************************************************** + + if(serialExists && (numChildNodes==1)) + { + theGeoPhysChild = serialTransformerChild->getVolume(); + + // Build the child + if(!(theG4LogChild = Build(theGeoPhysChild,optical_volumes))) return 0; + + if (nameChild == "ANON") nameChild=theG4LogChild->GetName(); + nameChild += "_Param"; + + Geo2G4STParameterisation* stParameterisation = new Geo2G4STParameterisation(serialTransformerChild->getFunction(), + serialTransformerChild->getNCopies()); + + G4VPhysicalVolume* pvParametrised __attribute__ ((unused)) = new G4PVParameterised(nameChild, + theG4LogChild, + theG4LogVolume, + kUndefined, + serialTransformerChild->getNCopies(), + stParameterisation); + } + else + { + if(serialExists) + { + std::string volName = theGeoPhysVolume->getLogVol()->getName(); + PrintSTInfo(volName); + } + + GeoVolumeCursor av(theGeoPhysVolume); + while (!av.atEnd()) + { + int id = 16969; + + // Get child phys volume + theGeoPhysChild = av.getVolume(); + // Get its transform + G4Transform3D theG4Position(Amg::EigenTransformToCLHEP(av.getTransform())); + + Query<int> Qint = av.getId(); + if(Qint.isValid()) id = Qint; + + if(m_matEther == theGeoPhysChild->getLogVol()->getMaterial()) + { + Geo2G4AssemblyVolume* assembly = BuildAssembly(theGeoPhysChild); + + if(Qint.isValid()) + assembly->MakeImprint(theG4LogVolume,theG4Position,id); + else + assembly->MakeImprint(theG4LogVolume,theG4Position); + } + else if(m_matHypUr == theGeoPhysChild->getLogVol()->getMaterial()) + { + Geo2G4AssemblyVolume* assembly = BuildAssembly(theGeoPhysChild); + + if(Qint.isValid()) + assembly->MakeImprint(theG4LogVolume,theG4Position,id,true); + else + assembly->MakeImprint(theG4LogVolume,theG4Position,0,true); + } + else + { + nameChild = av.getName(); + + // Build the child + if(!(theG4LogChild = Build(theGeoPhysChild,optical_volumes))) return 0; + + if (nameChild == "ANON") nameChild=theG4LogChild->GetName(); + + G4PhysicalVolumesPair pvPair = G4ReflectionFactory::Instance()->Place(theG4Position, + nameChild, + theG4LogChild, + theG4LogVolume, + false, + id); + + // if GeoModel volume is optical store it in the map + if(optical_volumes!=0) + { + const GeoOpticalPhysVol* opticalGeoPhysChild = + dynamic_cast < const GeoOpticalPhysVol* >(theGeoPhysChild.operator->()); + if(opticalGeoPhysChild) + (*optical_volumes)[opticalGeoPhysChild] = pvPair.first; + } + } + + av.next(); + } + } + + return theG4LogVolume; +} + +Geo2G4AssemblyVolume* ExtParameterisedVolumeBuilder::BuildAssembly(PVConstLink pv) +{ + PVConstLink theGeoPhysChild; + G4LogicalVolume* theG4LogChild = 0; + Geo2G4AssemblyVolume* theG4AssemblyChild = 0; + bool descend; // flag to continue geo tree navigation + + if(m_getMatEther) getMatEther(); + + Geo2G4AssemblyVolume* assemblyVolume = m_G4AssemblyFactory->Build(pv,descend); + + if(!descend) return assemblyVolume; + + // Loop over child volumes and add them to the Geo2G4AssemblyVolume + GeoVolumeCursor av(pv); + while (!av.atEnd()) + { + theGeoPhysChild = av.getVolume(); + std::string nameChild = av.getName(); + + std::string strVolume = std::string("Volume ") + nameChild + " (" + + theGeoPhysChild->getLogVol()->getName() + ")"; + + // Check if it is an assembly + if(m_matEther == theGeoPhysChild->getLogVol()->getMaterial() || + m_matHypUr == theGeoPhysChild->getLogVol()->getMaterial() ) + { + // Build the child assembly + if(!(theG4AssemblyChild = BuildAssembly(theGeoPhysChild))) return 0; + + // Get its transform + G4Transform3D theG4Position(Amg::EigenTransformToCLHEP(av.getTransform())); + + assemblyVolume->AddPlacedAssembly(theG4AssemblyChild,theG4Position); + } + else + { + Query<int> Qint = av.getId(); + + // Build the child + if(!(theG4LogChild = Build(theGeoPhysChild))) return 0; + + // Get its transform + G4Transform3D theG4Position(Amg::EigenTransformToCLHEP(av.getTransform())); + + int placedID = 0; + if(Qint.isValid()) placedID = Qint; + + std::string placedName = nameChild=="ANON" ? "" : nameChild; + + + assemblyVolume->AddPlacedVolume(theG4LogChild,theG4Position,placedID,placedName); + } + + av.next(); + } + + return assemblyVolume; +} + +void ExtParameterisedVolumeBuilder::PrintSTInfo(std::string volume) const +{ + ATH_MSG_INFO ( "**********************************************" ); + ATH_MSG_INFO ( "** " ); + ATH_MSG_INFO ( "** The Volume " << volume ); + ATH_MSG_INFO ( "** Has children of two different types" ); + ATH_MSG_INFO ( "** PeoPhysVolume and GeoSerialTransformer" ); + ATH_MSG_INFO ( "** In this case GeoSerialTransformer will be " ); + ATH_MSG_INFO ( "** translated into G4 placement but not in " ); + ATH_MSG_INFO ( "** G4Parameterisation" ); + ATH_MSG_INFO ( "** " ); + ATH_MSG_INFO ( "********************************************** " ); +} + +void ExtParameterisedVolumeBuilder::getMatEther() const +{ + StoreGateSvc* pDetStore=0; + ISvcLocator* svcLocator = Gaudi::svcLocator(); + if(svcLocator->service("DetectorStore",pDetStore).isFailure()) { + ATH_MSG_ERROR ( "ExtParameterisedVolumeBuilder: Unable to access Detector Store" ); + } + else + { + const StoredMaterialManager* theMaterialManager = nullptr; + if(pDetStore->retrieve(theMaterialManager, "MATERIALS").isFailure()) { + ATH_MSG_ERROR ( "ExtParameterisedVolumeBuilder: Unable to access Material Manager" ); + } + else { + m_matEther = theMaterialManager->getMaterial("special::Ether"); + m_matHypUr = theMaterialManager->getMaterial("special::HyperUranium"); + } + } + m_getMatEther = false; +} diff --git a/Simulation/G4Utilities/Geo2G4/src/ExtParameterisedVolumeBuilder.h b/Simulation/G4Utilities/Geo2G4/src/ExtParameterisedVolumeBuilder.h new file mode 100644 index 0000000000000000000000000000000000000000..807fb3962887d72508ab8de8502dd8aab6828e30 --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/src/ExtParameterisedVolumeBuilder.h @@ -0,0 +1,44 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef GEO2G4_ExtParameterisedVolumeBuilder_H +#define GEO2G4_ExtParameterisedVolumeBuilder_H + +#include "VolumeBuilder.h" +#include "Geo2G4AssemblyFactory.h" + +#include "AthenaKernel/MsgStreamMember.h" +#include <string> + +class Geo2G4AssemblyVolume; +class GeoMaterial; + +class ExtParameterisedVolumeBuilder: public VolumeBuilder +{ +public: + ExtParameterisedVolumeBuilder(std::string n, Geo2G4AssemblyFactory* G4AssemblyFactory); + /// + G4LogicalVolume* Build(PVConstLink pv, OpticalVolumesMap* optical_volumes = 0); + /// + Geo2G4AssemblyVolume* BuildAssembly(PVConstLink pv); + /// Log a message using the Athena controlled logging system + MsgStream& msg( MSG::Level lvl ) const { return m_msg << lvl; } + /// Check whether the logging system is active at the provided verbosity level + bool msgLvl( MSG::Level lvl ) const { return m_msg.get().level() <= lvl; } + private: + /// Prints info when some PhysVol contains both types (PV and ST) of daughters + void PrintSTInfo(std::string volume) const; + /// + void getMatEther() const; + + mutable bool m_getMatEther; + mutable const GeoMaterial* m_matEther; + mutable const GeoMaterial* m_matHypUr; + /// Private message stream member + mutable Athena::MsgStreamMember m_msg; + + Geo2G4AssemblyFactory* m_G4AssemblyFactory; +}; + +#endif diff --git a/Simulation/G4Utilities/Geo2G4/src/G4ShiftedCone.cxx b/Simulation/G4Utilities/Geo2G4/src/G4ShiftedCone.cxx new file mode 100644 index 0000000000000000000000000000000000000000..0ade1417a464c33685118cb3e810dceddb575854 --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/src/G4ShiftedCone.cxx @@ -0,0 +1,2267 @@ +/* + Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +*/ + +// +// The G4ShiftedCone class copied from standard G4Cons and modified to: +// 1) have an arbitrary position along Z axis, +// 2) represent a twopi-cone. Sectors are not supported but the +// corresponding code kept and just commented out. +// + +// +// ******************************************************************** +// * License and Disclaimer * +// * * +// * The Geant4 software is copyright of the Copyright Holders of * +// * the Geant4 Collaboration. It is provided under the terms and * +// * conditions of the Geant4 Software License, included in the file * +// * LICENSE and available at http://cern.ch/geant4/license . These * +// * include a list of copyright holders. * +// * * +// * Neither the authors of this software system, nor their employing * +// * institutes,nor the agencies providing financial support for this * +// * work make any representation or warranty, express or implied, * +// * regarding this software system or assume any liability for its * +// * use. Please see the license in the file LICENSE and URL above * +// * for the full disclaimer and the limitation of liability. * +// * * +// * This code implementation is the result of the scientific and * +// * technical work of the GEANT4 collaboration. * +// * By using, copying, modifying or distributing the software (or * +// * any work based on the software) you agree to acknowledge its * +// * use in resulting scientific publications, and indicate your * +// * acceptance of all terms of the Geant4 Software license. * +// ******************************************************************** +// +// +// +// +// class G4ShiftedCone +// +// Implementation for G4ShiftedCone class +// +// History: +// 03.07.2019 A. Sukharev: copied from G4Cons +// -------------------------------------------------------------------- + +#include "G4ShiftedCone.h" + +#include "G4GeomTools.hh" +#include "G4VoxelLimits.hh" +#include "G4AffineTransform.hh" +#include "G4BoundingEnvelope.hh" +#include "G4GeometryTolerance.hh" + +#include "G4VPVParameterisation.hh" + +#include "meshdefs.hh" + +#include "Randomize.hh" + +#include "G4VGraphicsScene.hh" + +using namespace CLHEP; + +//////////////////////////////////////////////////////////////////////// +// +// Private enum: Not for external use - used by distanceToOut + +enum ESide {kNull,kRMin,kRMax,kSPhi,kEPhi,kPZ,kMZ}; + +// used by normal + +enum ENorm {kNRMin,kNRMax,kNSPhi,kNEPhi,kNZ}; + +////////////////////////////////////////////////////////////////////////// +// +// constructor - check parameters, convert angles so 0<sphi+dpshi<=2_PI +// - note if pDPhi>2PI then reset to 2PI + +G4ShiftedCone::G4ShiftedCone( const G4String& pName, + G4double pZ1, G4double pZ2, + G4double pRmin1, G4double pRmax1, + G4double pRmin2, G4double pRmax2) +// G4double pDz, +// G4double pSPhi, G4double pDPhi) + : G4CSGSolid(pName), fRmin1(pRmin1), fRmin2(pRmin2), + fRmax1(pRmax1), fRmax2(pRmax2), + fDz((pZ2 - pZ1) * 0.5), fZshift(pZ1 + fDz) + // fSPhi(0.), fDPhi(0.) +{ + kRadTolerance = G4GeometryTolerance::GetInstance()->GetRadialTolerance(); + kAngTolerance = G4GeometryTolerance::GetInstance()->GetAngularTolerance(); + + halfCarTolerance=kCarTolerance*0.5; + halfRadTolerance=kRadTolerance*0.5; + halfAngTolerance=kAngTolerance*0.5; + + // Check z-len + // + if ( fDz < 0 ) + { + std::ostringstream message; + message << "Invalid Z half-length for Solid: " << GetName() << G4endl + << " hZ = " << fDz; + G4Exception("G4ShiftedCone::G4ShiftedCone()", "GeomSolids0002", + FatalException, message); + } + + // Check radii + // + if (((pRmin1>=pRmax1) || (pRmin2>=pRmax2) || (pRmin1<0)) && (pRmin2<0)) + { + std::ostringstream message; + message << "Invalid values of radii for Solid: " << GetName() << G4endl + << " pRmin1 = " << pRmin1 << ", pRmin2 = " << pRmin2 + << ", pRmax1 = " << pRmax1 << ", pRmax2 = " << pRmax2; + G4Exception("G4ShiftedCone::G4ShiftedCone()", "GeomSolids0002", + FatalException, message) ; + } + if( (pRmin1 == 0.0) && (pRmin2 > 0.0) ) { fRmin1 = 1e3*kRadTolerance ; } + if( (pRmin2 == 0.0) && (pRmin1 > 0.0) ) { fRmin2 = 1e3*kRadTolerance ; } + + // Check angles + // +// CheckPhiAngles(pSPhi, pDPhi); +} + +/////////////////////////////////////////////////////////////////////// +// +// Fake default constructor - sets only member data and allocates memory +// for usage restricted to object persistency. +// +G4ShiftedCone::G4ShiftedCone( __void__& a ) + : G4CSGSolid(a), kRadTolerance(0.), kAngTolerance(0.), + fRmin1(0.), fRmin2(0.), fRmax1(0.), fRmax2(0.), + fDz(0.), fZshift(0.), +// fSPhi(0.), fDPhi(0.), sinCPhi(0.), cosCPhi(0.), cosHDPhiOT(0.), +// cosHDPhiIT(0.), sinSPhi(0.), cosSPhi(0.), sinEPhi(0.), cosEPhi(0.), +// fPhiFullCone(false), + halfCarTolerance(0.), halfRadTolerance(0.), halfAngTolerance(0.) +{ +} + +/////////////////////////////////////////////////////////////////////// +// +// Destructor + +G4ShiftedCone::~G4ShiftedCone() +{ +} + +////////////////////////////////////////////////////////////////////////// +// +// Copy constructor + +G4ShiftedCone::G4ShiftedCone(const G4ShiftedCone& rhs) + : G4CSGSolid(rhs), kRadTolerance(rhs.kRadTolerance), + kAngTolerance(rhs.kAngTolerance), fRmin1(rhs.fRmin1), fRmin2(rhs.fRmin2), + fRmax1(rhs.fRmax1), fRmax2(rhs.fRmax2), fDz(rhs.fDz), fZshift(rhs.fZshift), +// fSPhi(rhs.fSPhi), +// fDPhi(rhs.fDPhi), sinCPhi(rhs.sinCPhi), cosCPhi(rhs.cosCPhi), +// cosHDPhiOT(rhs.cosHDPhiOT), cosHDPhiIT(rhs.cosHDPhiIT), +// sinSPhi(rhs.sinSPhi), cosSPhi(rhs.cosSPhi), sinEPhi(rhs.sinEPhi), +// cosEPhi(rhs.cosEPhi), fPhiFullCone(rhs.fPhiFullCone), + halfCarTolerance(rhs.halfCarTolerance), + halfRadTolerance(rhs.halfRadTolerance), + halfAngTolerance(rhs.halfAngTolerance) +{ +} + +////////////////////////////////////////////////////////////////////////// +// +// Assignment operator + +G4ShiftedCone& G4ShiftedCone::operator = (const G4ShiftedCone& rhs) +{ + // Check assignment to self + // + if (this == &rhs) { return *this; } + + // Copy base class data + // + G4CSGSolid::operator=(rhs); + + // Copy data + // + kRadTolerance = rhs.kRadTolerance; + kAngTolerance = rhs.kAngTolerance; + fRmin1 = rhs.fRmin1; fRmin2 = rhs.fRmin2; + fRmax1 = rhs.fRmax1; fRmax2 = rhs.fRmax2; + fDz = rhs.fDz; fZshift = rhs.fZshift; +// fSPhi = rhs.fSPhi; fDPhi = rhs.fDPhi; +// sinCPhi = rhs.sinCPhi; cosCPhi = rhs.cosCPhi; +// cosHDPhiOT = rhs.cosHDPhiOT; cosHDPhiIT = rhs.cosHDPhiIT; +// sinSPhi = rhs.sinSPhi; cosSPhi = rhs.cosSPhi; +// sinEPhi = rhs.sinEPhi; cosEPhi = rhs.cosEPhi; +// fPhiFullCone = rhs.fPhiFullCone; + halfCarTolerance = rhs.halfCarTolerance; + halfRadTolerance = rhs.halfRadTolerance; + halfAngTolerance = rhs.halfAngTolerance; + + return *this; +} + +///////////////////////////////////////////////////////////////////// +// +// Return whether point inside/outside/on surface + +EInside G4ShiftedCone::Inside(const G4ThreeVector& p) const +{ + G4double r2, rl, rh, /*pPhi,*/ tolRMin, tolRMax; // rh2, rl2 ; + EInside in; + + G4double z = p.z() - fZshift; + + if (std::fabs(z) > fDz + halfCarTolerance ) { return in = kOutside; } + else if(std::fabs(z) >= fDz - halfCarTolerance ) { in = kSurface; } + else { in = kInside; } + + r2 = p.x()*p.x() + p.y()*p.y() ; + rl = 0.5*(fRmin2*(z + fDz) + fRmin1*(fDz - z))/fDz ; + rh = 0.5*(fRmax2*(z+fDz)+fRmax1*(fDz-z))/fDz; + + // rh2 = rh*rh; + + tolRMin = rl - halfRadTolerance; + if ( tolRMin < 0 ) { tolRMin = 0; } + tolRMax = rh + halfRadTolerance; + + if ( (r2<tolRMin*tolRMin) || (r2>tolRMax*tolRMax) ) { return in = kOutside; } + + if (rl) { tolRMin = rl + halfRadTolerance; } + else { tolRMin = 0.0; } + tolRMax = rh - halfRadTolerance; + + if (in == kInside) // else it's kSurface already + { + if ( (r2 < tolRMin*tolRMin) || (r2 >= tolRMax*tolRMax) ) { in = kSurface; } + } +/* + if ( !fPhiFullCone && ((p.x() != 0.0) || (p.y() != 0.0)) ) + { + pPhi = std::atan2(p.y(),p.x()) ; + + if ( pPhi < fSPhi - halfAngTolerance ) { pPhi += twopi; } + else if ( pPhi > fSPhi + fDPhi + halfAngTolerance ) { pPhi -= twopi; } + + if ( (pPhi < fSPhi - halfAngTolerance) || + (pPhi > fSPhi + fDPhi + halfAngTolerance) ) { return in = kOutside; } + + else if (in == kInside) // else it's kSurface anyway already + { + if ( (pPhi < fSPhi + halfAngTolerance) || + (pPhi > fSPhi + fDPhi - halfAngTolerance) ) { in = kSurface; } + } + } + else if ( !fPhiFullCone ) { in = kSurface; } +*/ + return in ; +} + +///////////////////////////////////////////////////////////////////////// +// +// Dispatch to parameterisation for replication mechanism dimension +// computation & modification. + +void G4ShiftedCone::ComputeDimensions( G4VPVParameterisation*,// p, + const G4int ,//n, + const G4VPhysicalVolume* )//pRep ) +{ + std::ostringstream message; + message << "ComputeDimensions is not implemented for Solid: " << GetName(); + G4Exception("G4ShiftedCone::ComputeDimensions()", "GeomSolids0002", + FatalException, message) ; +// p->ComputeDimensions(*this,n,pRep) ; +} + +/////////////////////////////////////////////////////////////////////// +// +// Get bounding box + +void G4ShiftedCone::BoundingLimits(G4ThreeVector& pMin, G4ThreeVector& pMax) const +{ +// G4double rmin = std::min(GetInnerRadiusMinusZ(),GetInnerRadiusPlusZ()); + G4double rmax = std::max(GetOuterRadiusMinusZ(),GetOuterRadiusPlusZ()); + + // Find bounding box + // +/* if (GetDeltaPhiAngle() < twopi) + { + G4double dz = GetZHalfLength(); + G4TwoVector vmin,vmax; + G4GeomTools::DiskExtent(rmin,rmax, + GetSinStartPhi(),GetCosStartPhi(), + GetSinEndPhi(),GetCosEndPhi(), + vmin,vmax); + pMin.set(vmin.x(),vmin.y(),-dz); + pMax.set(vmax.x(),vmax.y(), dz); + } + else*/ + { + pMin.set(-rmax,-rmax, fZshift - fDz); + pMax.set( rmax, rmax, fZshift + fDz); + } + + // Check correctness of the bounding box + // + if (pMin.x() >= pMax.x() || pMin.y() >= pMax.y() || pMin.z() >= pMax.z()) + { + std::ostringstream message; + message << "Bad bounding box (min >= max) for solid: " + << GetName() << " !" + << "\npMin = " << pMin + << "\npMax = " << pMax; + G4Exception("G4ShiftedCone::BoundingLimits()", "GeomMgt0001", + JustWarning, message); + DumpInfo(); + } +} + +/////////////////////////////////////////////////////////////////////// +// +// Calculate extent under transform and specified limit + +G4bool G4ShiftedCone::CalculateExtent( const EAxis pAxis, + const G4VoxelLimits& pVoxelLimit, + const G4AffineTransform& pTransform, + G4double& pMin, + G4double& pMax ) const +{ + G4ThreeVector bmin, bmax; + G4bool exist; + + // Get bounding box + BoundingLimits(bmin,bmax); + + // Check bounding box + G4BoundingEnvelope bbox(bmin,bmax); +#ifdef G4BBOX_EXTENT + if (true) return bbox.CalculateExtent(pAxis,pVoxelLimit,pTransform,pMin,pMax); +#endif + if (bbox.BoundingBoxVsVoxelLimits(pAxis,pVoxelLimit,pTransform,pMin,pMax)) + { + return exist = (pMin < pMax) ? true : false; + } + + // Get parameters of the solid + G4double rmin1 = GetInnerRadiusMinusZ(); + G4double rmax1 = GetOuterRadiusMinusZ(); + G4double rmin2 = GetInnerRadiusPlusZ(); + G4double rmax2 = GetOuterRadiusPlusZ(); + G4double z1 = GetZ1(); + G4double z2 = GetZ2(); + G4double dphi = GetDeltaPhiAngle(); + + // Find bounding envelope and calculate extent + // + const G4int NSTEPS = 24; // number of steps for whole circle + G4double astep = twopi/NSTEPS; // max angle for one step + G4int ksteps = (dphi <= astep) ? 1 : (G4int)((dphi-deg)/astep) + 1; + G4double ang = dphi/ksteps; + + G4double sinHalf = std::sin(0.5*ang); + G4double cosHalf = std::cos(0.5*ang); + G4double sinStep = 2.*sinHalf*cosHalf; + G4double cosStep = 1. - 2.*sinHalf*sinHalf; + G4double rext1 = rmax1/cosHalf; + G4double rext2 = rmax2/cosHalf; + + // bounding envelope for full cone without hole consists of two polygons, + // in other cases it is a sequence of quadrilaterals + if (rmin1 == 0 && rmin2 == 0 && dphi == twopi) + { + G4double sinCur = sinHalf; + G4double cosCur = cosHalf; + + G4ThreeVectorList baseA(NSTEPS),baseB(NSTEPS); + for (G4int k=0; k<NSTEPS; ++k) + { + baseA[k].set(rext1*cosCur,rext1*sinCur, z1); + baseB[k].set(rext2*cosCur,rext2*sinCur, z2); + + G4double sinTmp = sinCur; + sinCur = sinCur*cosStep + cosCur*sinStep; + cosCur = cosCur*cosStep - sinTmp*sinStep; + } + std::vector<const G4ThreeVectorList *> polygons(2); + polygons[0] = &baseA; + polygons[1] = &baseB; + G4BoundingEnvelope benv(bmin,bmax,polygons); + exist = benv.CalculateExtent(pAxis,pVoxelLimit,pTransform,pMin,pMax); + } + else + { + + G4double sinStart = GetSinStartPhi(); + G4double cosStart = GetCosStartPhi(); + G4double sinEnd = GetSinEndPhi(); + G4double cosEnd = GetCosEndPhi(); + G4double sinCur = sinStart*cosHalf + cosStart*sinHalf; + G4double cosCur = cosStart*cosHalf - sinStart*sinHalf; + + // set quadrilaterals + G4ThreeVectorList pols[NSTEPS+2]; + for (G4int k=0; k<ksteps+2; ++k) pols[k].resize(4); + pols[0][0].set(rmin2*cosStart,rmin2*sinStart, z2); + pols[0][1].set(rmin1*cosStart,rmin1*sinStart, z1); + pols[0][2].set(rmax1*cosStart,rmax1*sinStart, z1); + pols[0][3].set(rmax2*cosStart,rmax2*sinStart, z2); + for (G4int k=1; k<ksteps+1; ++k) + { + pols[k][0].set(rmin2*cosCur,rmin2*sinCur, z2); + pols[k][1].set(rmin1*cosCur,rmin1*sinCur, z1); + pols[k][2].set(rext1*cosCur,rext1*sinCur, z1); + pols[k][3].set(rext2*cosCur,rext2*sinCur, z2); + + G4double sinTmp = sinCur; + sinCur = sinCur*cosStep + cosCur*sinStep; + cosCur = cosCur*cosStep - sinTmp*sinStep; + } + pols[ksteps+1][0].set(rmin2*cosEnd,rmin2*sinEnd, z2); + pols[ksteps+1][1].set(rmin1*cosEnd,rmin1*sinEnd, z1); + pols[ksteps+1][2].set(rmax1*cosEnd,rmax1*sinEnd, z1); + pols[ksteps+1][3].set(rmax2*cosEnd,rmax2*sinEnd, z2); + + // set envelope and calculate extent + std::vector<const G4ThreeVectorList *> polygons; + polygons.resize(ksteps+2); + for (G4int k=0; k<ksteps+2; ++k) polygons[k] = &pols[k]; + G4BoundingEnvelope benv(bmin,bmax,polygons); + exist = benv.CalculateExtent(pAxis,pVoxelLimit,pTransform,pMin,pMax); + } + return exist; +} + +//////////////////////////////////////////////////////////////////////// +// +// Return unit normal of surface closest to p +// - note if point on z axis, ignore phi divided sides +// - unsafe if point close to z axis a rmin=0 - no explicit checks + +G4ThreeVector G4ShiftedCone::SurfaceNormal( const G4ThreeVector& p) const +{ + G4int noSurfaces = 0; + G4double rho;//, pPhi; + G4double distZ, distRMin, distRMax; +// G4double distSPhi = kInfinity, distEPhi = kInfinity; + G4double tanRMin, secRMin, pRMin, widRMin; + G4double tanRMax, secRMax, pRMax, widRMax; + + G4ThreeVector norm, sumnorm(0.,0.,0.), nZ = G4ThreeVector(0.,0.,1.); + G4ThreeVector nR, nr(0.,0.,0.), nPs, nPe; + + G4double z = p.z() - fZshift; + + distZ = std::fabs(std::fabs(z) - fDz); + rho = std::sqrt(p.x()*p.x() + p.y()*p.y()); + + tanRMin = (fRmin2 - fRmin1)*0.5/fDz; + secRMin = std::sqrt(1 + tanRMin*tanRMin); + pRMin = rho - z*tanRMin; + widRMin = fRmin2 - fDz*tanRMin; + distRMin = std::fabs(pRMin - widRMin)/secRMin; + + tanRMax = (fRmax2 - fRmax1)*0.5/fDz; + secRMax = std::sqrt(1+tanRMax*tanRMax); + pRMax = rho - z*tanRMax; + widRMax = fRmax2 - fDz*tanRMax; + distRMax = std::fabs(pRMax - widRMax)/secRMax; +/* + if (!fPhiFullCone) // Protected against (0,0,z) + { + if ( rho ) + { + pPhi = std::atan2(p.y(),p.x()); + + if (pPhi < fSPhi-halfCarTolerance) { pPhi += twopi; } + else if (pPhi > fSPhi+fDPhi+halfCarTolerance) { pPhi -= twopi; } + + distSPhi = std::fabs( pPhi - fSPhi ); + distEPhi = std::fabs( pPhi - fSPhi - fDPhi ); + } + else if( !(fRmin1) || !(fRmin2) ) + { + distSPhi = 0.; + distEPhi = 0.; + } + nPs = G4ThreeVector(std::sin(fSPhi), -std::cos(fSPhi), 0); + nPe = G4ThreeVector(-std::sin(fSPhi+fDPhi), std::cos(fSPhi+fDPhi), 0); + }*/ + if ( rho > halfCarTolerance ) + { + nR = G4ThreeVector(p.x()/rho/secRMax, p.y()/rho/secRMax, -tanRMax/secRMax); + if (fRmin1 || fRmin2) + { + nr = G4ThreeVector(-p.x()/rho/secRMin,-p.y()/rho/secRMin,tanRMin/secRMin); + } + } + + if( distRMax <= halfCarTolerance ) + { + noSurfaces ++; + sumnorm += nR; + } + if( (fRmin1 || fRmin2) && (distRMin <= halfCarTolerance) ) + { + noSurfaces ++; + sumnorm += nr; + } +/* if( !fPhiFullCone ) + { + if (distSPhi <= halfAngTolerance) + { + noSurfaces ++; + sumnorm += nPs; + } + if (distEPhi <= halfAngTolerance) + { + noSurfaces ++; + sumnorm += nPe; + } + }*/ + if (distZ <= halfCarTolerance) + { + noSurfaces ++; + if ( z >= 0.) { sumnorm += nZ; } + else { sumnorm -= nZ; } + } + if ( noSurfaces == 0 ) + { +#ifdef G4CSGDEBUG + G4Exception("G4ShiftedCone::SurfaceNormal(p)", "GeomSolids1002", + JustWarning, "Point p is not on surface !?" ); +#endif + norm = ApproxSurfaceNormal(p); + } + else if ( noSurfaces == 1 ) { norm = sumnorm; } + else { norm = sumnorm.unit(); } + + return norm ; +} + +//////////////////////////////////////////////////////////////////////////// +// +// Algorithm for SurfaceNormal() following the original specification +// for points not on the surface + +G4ThreeVector G4ShiftedCone::ApproxSurfaceNormal( const G4ThreeVector& p ) const +{ + ENorm side ; + G4ThreeVector norm ; + G4double rho;//, phi ; + G4double distZ, distRMin, distRMax;//, distSPhi, distEPhi, distMin ; + G4double tanRMin, secRMin, pRMin, widRMin ; + G4double tanRMax, secRMax, pRMax, widRMax ; + + G4double z = p.z() - fZshift; + + distZ = std::fabs(std::fabs(z) - fDz) ; + rho = std::sqrt(p.x()*p.x() + p.y()*p.y()) ; + + tanRMin = (fRmin2 - fRmin1)*0.5/fDz ; + secRMin = std::sqrt(1 + tanRMin*tanRMin) ; + pRMin = rho - z*tanRMin ; + widRMin = fRmin2 - fDz*tanRMin ; + distRMin = std::fabs(pRMin - widRMin)/secRMin ; + + tanRMax = (fRmax2 - fRmax1)*0.5/fDz ; + secRMax = std::sqrt(1+tanRMax*tanRMax) ; + pRMax = rho - z*tanRMax ; + widRMax = fRmax2 - fDz*tanRMax ; + distRMax = std::fabs(pRMax - widRMax)/secRMax ; + + if (distRMin < distRMax) // First minimum + { + if (distZ < distRMin) + { +// distMin = distZ ; + side = kNZ ; + } + else + { +// distMin = distRMin ; + side = kNRMin ; + } + } + else + { + if (distZ < distRMax) + { +// distMin = distZ ; + side = kNZ ; + } + else + { +// distMin = distRMax ; + side = kNRMax ; + } + } +/* + if ( !fPhiFullCone && rho ) // Protected against (0,0,z) + { + phi = std::atan2(p.y(),p.x()) ; + + if (phi < 0) { phi += twopi; } + + if (fSPhi < 0) { distSPhi = std::fabs(phi - (fSPhi + twopi))*rho; } + else { distSPhi = std::fabs(phi - fSPhi)*rho; } + + distEPhi = std::fabs(phi - fSPhi - fDPhi)*rho ; + + // Find new minimum + + if (distSPhi < distEPhi) + { + if (distSPhi < distMin) { side = kNSPhi; } + } + else + { + if (distEPhi < distMin) { side = kNEPhi; } + } + }*/ + switch (side) + { + case kNRMin: // Inner radius + rho *= secRMin ; + norm = G4ThreeVector(-p.x()/rho, -p.y()/rho, tanRMin/secRMin) ; + break ; + case kNRMax: // Outer radius + rho *= secRMax ; + norm = G4ThreeVector(p.x()/rho, p.y()/rho, -tanRMax/secRMax) ; + break ; + case kNZ: // +/- dz + if (z > 0) { norm = G4ThreeVector(0,0,1); } + else { norm = G4ThreeVector(0,0,-1); } + break ; +// case kNSPhi: +// norm = G4ThreeVector(std::sin(fSPhi), -std::cos(fSPhi), 0) ; +// break ; +// case kNEPhi: +// norm=G4ThreeVector(-std::sin(fSPhi+fDPhi), std::cos(fSPhi+fDPhi), 0) ; +// break ; + default: // Should never reach this case... + DumpInfo(); + G4Exception("G4ShiftedCone::ApproxSurfaceNormal()", + "GeomSolids1002", JustWarning, + "Undefined side for valid surface normal to solid."); + break ; + } + return norm ; +} + +//////////////////////////////////////////////////////////////////////// +// +// Calculate distance to shape from outside, along normalised vector +// - return kInfinity if no intersection, or intersection distance <= tolerance +// +// - Compute the intersection with the z planes +// - if at valid r, phi, return +// +// -> If point is outside cone, compute intersection with rmax1*0.5 +// - if at valid phi,z return +// - if inside outer cone, handle case when on tolerant outer cone +// boundary and heading inwards(->0 to in) +// +// -> Compute intersection with inner cone, taking largest +ve root +// - if valid (in z,phi), save intersction +// +// -> If phi segmented, compute intersections with phi half planes +// - return smallest of valid phi intersections and +// inner radius intersection +// +// NOTE: +// - `if valid' implies tolerant checking of intersection points +// - z, phi intersection from Tubs + +G4double G4ShiftedCone::DistanceToIn( const G4ThreeVector& p, + const G4ThreeVector& v ) const +{ + G4double snxt = kInfinity ; // snxt = default return value + const G4double dRmax = 50*(fRmax1+fRmax2);// 100*(Rmax1+Rmax2)/2. + + G4double tanRMax,secRMax,rMaxAv;//,rMaxOAv ; // Data for cones + G4double tanRMin,secRMin,rMinAv;//,rMinOAv ; + G4double rout,rin ; + + G4double tolORMin,/*tolORMin2,*/tolIRMin,tolIRMin2 ; // `generous' radii squared + G4double /*tolORMax2,*/tolIRMax,tolIRMax2 ; + G4double tolODz,tolIDz ; + + G4double /*Dist,*/ sd,xi,yi,zi,ri=0.,risec,rhoi2;//,cosPsi ; // Intersection point vars + + G4double t1,t2,t3,b,c,d ; // Quadratic solver variables + G4double nt1,nt2,nt3 ; +// G4double Comp ; + + G4ThreeVector Normal; + + G4double z = p.z() - fZshift; + + // Cone Precalcs + + tanRMin = (fRmin2 - fRmin1)*0.5/fDz ; + secRMin = std::sqrt(1.0 + tanRMin*tanRMin) ; + rMinAv = (fRmin1 + fRmin2)*0.5 ; +/* + if (rMinAv > halfRadTolerance) + { + rMinOAv = rMinAv - halfRadTolerance ; + } + else + { + rMinOAv = 0.0 ; + }*/ + tanRMax = (fRmax2 - fRmax1)*0.5/fDz ; + secRMax = std::sqrt(1.0 + tanRMax*tanRMax) ; + rMaxAv = (fRmax1 + fRmax2)*0.5 ; +// rMaxOAv = rMaxAv + halfRadTolerance ; + + // Intersection with z-surfaces + + tolIDz = fDz - halfCarTolerance ; + tolODz = fDz + halfCarTolerance ; + + if (std::fabs(z) >= tolIDz) + { + if ( z*v.z() < 0 ) // at +Z going in -Z or visa versa + { + sd = (std::fabs(z) - fDz)/std::fabs(v.z()) ; // Z intersect distance + + if( sd < 0.0 ) { sd = 0.0; } // negative dist -> zero + + xi = p.x() + sd*v.x() ; // Intersection coords + yi = p.y() + sd*v.y() ; + rhoi2 = xi*xi + yi*yi ; + + // Check validity of intersection + // Calculate (outer) tolerant radi^2 at intersecion + + if (v.z() > 0) + { + tolORMin = fRmin1 - halfRadTolerance*secRMin ; + tolIRMin = fRmin1 + halfRadTolerance*secRMin ; + tolIRMax = fRmax1 - halfRadTolerance*secRMin ; + // tolORMax2 = (fRmax1 + halfRadTolerance*secRMax)* + // (fRmax1 + halfRadTolerance*secRMax) ; + } + else + { + tolORMin = fRmin2 - halfRadTolerance*secRMin ; + tolIRMin = fRmin2 + halfRadTolerance*secRMin ; + tolIRMax = fRmax2 - halfRadTolerance*secRMin ; + // tolORMax2 = (fRmax2 + halfRadTolerance*secRMax)* + // (fRmax2 + halfRadTolerance*secRMax) ; + } + if ( tolORMin > 0 ) + { + // tolORMin2 = tolORMin*tolORMin ; + tolIRMin2 = tolIRMin*tolIRMin ; + } + else + { + // tolORMin2 = 0.0 ; + tolIRMin2 = 0.0 ; + } + if ( tolIRMax > 0 ) { tolIRMax2 = tolIRMax*tolIRMax; } + else { tolIRMax2 = 0.0; } + + if ( (tolIRMin2 <= rhoi2) && (rhoi2 <= tolIRMax2) ) + { +/* if ( !fPhiFullCone && rhoi2 ) + { + // Psi = angle made with central (average) phi of shape + + cosPsi = (xi*cosCPhi + yi*sinCPhi)/std::sqrt(rhoi2) ; + + if (cosPsi >= cosHDPhiIT) { return sd; } + } + else */ + { + return sd; + } + } + } + else // On/outside extent, and heading away -> cannot intersect + { + return snxt ; + } + } + +// ----> Can not intersect z surfaces + + +// Intersection with outer cone (possible return) and +// inner cone (must also check phi) +// +// Intersection point (xi,yi,zi) on line x=p.x+t*v.x etc. +// +// Intersects with x^2+y^2=(a*z+b)^2 +// +// where a=tanRMax or tanRMin +// b=rMaxAv or rMinAv +// +// (vx^2+vy^2-(a*vz)^2)t^2+2t(pxvx+pyvy-a*vz(a*pz+b))+px^2+py^2-(a*pz+b)^2=0 ; +// t1 t2 t3 +// +// \--------u-------/ \-----------v----------/ \---------w--------/ +// + + t1 = 1.0 - v.z()*v.z() ; + t2 = p.x()*v.x() + p.y()*v.y() ; + t3 = p.x()*p.x() + p.y()*p.y() ; + rin = tanRMin*z + rMinAv ; + rout = tanRMax*z + rMaxAv ; + + // Outer Cone Intersection + // Must be outside/on outer cone for valid intersection + + nt1 = t1 - (tanRMax*v.z())*(tanRMax*v.z()) ; + nt2 = t2 - tanRMax*v.z()*rout ; + nt3 = t3 - rout*rout ; + + if (std::fabs(nt1) > kRadTolerance) // Equation quadratic => 2 roots + { + b = nt2/nt1; + c = nt3/nt1; + d = b*b-c ; + if ( (nt3 > rout*rout*kRadTolerance*kRadTolerance*secRMax*secRMax) + || (rout < 0) ) + { + // If outside real cone (should be rho-rout>kRadTolerance*0.5 + // NOT rho^2 etc) saves a std::sqrt() at expense of accuracy + + if (d >= 0) + { + + if ((rout < 0) && (nt3 <= 0)) + { + // Inside `shadow cone' with -ve radius + // -> 2nd root could be on real cone + + if (b>0) { sd = c/(-b-std::sqrt(d)); } + else { sd = -b + std::sqrt(d); } + } + else + { + if ((b <= 0) && (c >= 0)) // both >=0, try smaller root + { + sd=c/(-b+std::sqrt(d)); + } + else + { + if ( c <= 0 ) // second >=0 + { + sd = -b + std::sqrt(d) ; + if((sd<0) & (sd>-halfRadTolerance)) sd=0; + } + else // both negative, travel away + { + return kInfinity ; + } + } + } + if ( sd >= 0 ) // If 'forwards'. Check z intersection + { + if ( sd>dRmax ) // Avoid rounding errors due to precision issues on + { // 64 bits systems. Split long distances and recompute + G4double fTerm = sd-std::fmod(sd,dRmax); + sd = fTerm + DistanceToIn(p+fTerm*v,v); + } + zi = z + sd*v.z() ; + + if (std::fabs(zi) <= tolODz) + { + // Z ok. Check phi intersection if reqd + + return sd; +/* if ( fPhiFullCone ) { return sd; } + else + { + xi = p.x() + sd*v.x() ; + yi = p.y() + sd*v.y() ; + ri = rMaxAv + zi*tanRMax ; + cosPsi = (xi*cosCPhi + yi*sinCPhi)/ri ; + + if ( cosPsi >= cosHDPhiIT ) { return sd; } + }*/ + } + } // end if (sd>0) + } + } + else + { + // Inside outer cone + // check not inside, and heading through G4ShiftedCone (-> 0 to in) + + if ( ( t3 > (rin + halfRadTolerance*secRMin)* + (rin + halfRadTolerance*secRMin) ) + && (nt2 < 0) && (d >= 0) && (std::fabs(z) <= tolIDz) ) + { + // Inside cones, delta r -ve, inside z extent + // Point is on the Surface => check Direction using Normal.dot(v) + + xi = p.x() ; + yi = p.y() ; + risec = std::sqrt(xi*xi + yi*yi)*secRMax ; + Normal = G4ThreeVector(xi/risec,yi/risec,-tanRMax/secRMax) ; +/* if ( !fPhiFullCone ) + { + cosPsi = (p.x()*cosCPhi + p.y()*sinCPhi)/std::sqrt(t3) ; + if ( cosPsi >= cosHDPhiIT ) + { + if ( Normal.dot(v) <= 0 ) { return 0.0; } + } + } + else*/ + { + if ( Normal.dot(v) <= 0 ) { return 0.0; } + } + } + } + } + else // Single root case + { + if ( std::fabs(nt2) > kRadTolerance ) + { + sd = -0.5*nt3/nt2 ; + + if ( sd < 0 ) { return kInfinity; } // travel away + else // sd >= 0, If 'forwards'. Check z intersection + { + zi = z + sd*v.z() ; + + if ((std::fabs(zi) <= tolODz) && (nt2 < 0)) + { + // Z ok. Check phi intersection if reqd + return sd; +/* if ( fPhiFullCone ) { return sd; } + else + { + xi = p.x() + sd*v.x() ; + yi = p.y() + sd*v.y() ; + ri = rMaxAv + zi*tanRMax ; + cosPsi = (xi*cosCPhi + yi*sinCPhi)/ri ; + + if (cosPsi >= cosHDPhiIT) { return sd; } + }*/ + } + } + } + else // travel || cone surface from its origin + { + sd = kInfinity ; + } + } + + // Inner Cone Intersection + // o Space is divided into 3 areas: + // 1) Radius greater than real inner cone & imaginary cone & outside + // tolerance + // 2) Radius less than inner or imaginary cone & outside tolarance + // 3) Within tolerance of real or imaginary cones + // - Extra checks needed for 3's intersections + // => lots of duplicated code + + if (rMinAv) + { + nt1 = t1 - (tanRMin*v.z())*(tanRMin*v.z()) ; + nt2 = t2 - tanRMin*v.z()*rin ; + nt3 = t3 - rin*rin ; + + if ( nt1 ) + { + if ( nt3 > rin*kRadTolerance*secRMin ) + { + // At radius greater than real & imaginary cones + // -> 2nd root, with zi check + + b = nt2/nt1 ; + c = nt3/nt1 ; + d = b*b-c ; + if (d >= 0) // > 0 + { + if(b>0){sd = c/( -b-std::sqrt(d));} + else {sd = -b + std::sqrt(d) ;} + + if ( sd >= 0 ) // > 0 + { + if ( sd>dRmax ) // Avoid rounding errors due to precision issues on + { // 64 bits systems. Split long distance and recompute + G4double fTerm = sd-std::fmod(sd,dRmax); + sd = fTerm + DistanceToIn(p+fTerm*v,v); + } + zi = z + sd*v.z() ; + + if ( std::fabs(zi) <= tolODz ) + { +/* if ( !fPhiFullCone ) + { + xi = p.x() + sd*v.x() ; + yi = p.y() + sd*v.y() ; + ri = rMinAv + zi*tanRMin ; + cosPsi = (xi*cosCPhi + yi*sinCPhi)/ri ; + + if (cosPsi >= cosHDPhiIT) + { + if ( sd > halfRadTolerance ) { snxt=sd; } + else + { + // Calculate a normal vector in order to check Direction + + risec = std::sqrt(xi*xi + yi*yi)*secRMin ; + Normal = G4ThreeVector(-xi/risec,-yi/risec,tanRMin/secRMin); + if ( Normal.dot(v) <= 0 ) { snxt = sd; } + } + } + } + else */ + { + if ( sd > halfRadTolerance ) { return sd; } + else + { + // Calculate a normal vector in order to check Direction + + xi = p.x() + sd*v.x() ; + yi = p.y() + sd*v.y() ; + risec = std::sqrt(xi*xi + yi*yi)*secRMin ; + Normal = G4ThreeVector(-xi/risec,-yi/risec,tanRMin/secRMin) ; + if ( Normal.dot(v) <= 0 ) { return sd; } + } + } + } + } + } + } + else if ( nt3 < -rin*kRadTolerance*secRMin ) + { + // Within radius of inner cone (real or imaginary) + // -> Try 2nd root, with checking intersection is with real cone + // -> If check fails, try 1st root, also checking intersection is + // on real cone + + b = nt2/nt1 ; + c = nt3/nt1 ; + d = b*b - c ; + + if ( d >= 0 ) // > 0 + { + if (b>0) { sd = c/(-b-std::sqrt(d)); } + else { sd = -b + std::sqrt(d); } + zi = z + sd*v.z() ; + ri = rMinAv + zi*tanRMin ; + + if ( ri > 0 ) + { + if ( (sd >= 0) && (std::fabs(zi) <= tolODz) ) // sd > 0 + { + if ( sd>dRmax ) // Avoid rounding errors due to precision issues + { // seen on 64 bits systems. Split and recompute + G4double fTerm = sd-std::fmod(sd,dRmax); + sd = fTerm + DistanceToIn(p+fTerm*v,v); + } +/* if ( !fPhiFullCone ) + { + xi = p.x() + sd*v.x() ; + yi = p.y() + sd*v.y() ; + cosPsi = (xi*cosCPhi + yi*sinCPhi)/ri ; + + if (cosPsi >= cosHDPhiOT) + { + if ( sd > halfRadTolerance ) { snxt=sd; } + else + { + // Calculate a normal vector in order to check Direction + + risec = std::sqrt(xi*xi + yi*yi)*secRMin ; + Normal = G4ThreeVector(-xi/risec,-yi/risec,tanRMin/secRMin); + if ( Normal.dot(v) <= 0 ) { snxt = sd; } + } + } + } + else */ + { + if( sd > halfRadTolerance ) { return sd; } + else + { + // Calculate a normal vector in order to check Direction + + xi = p.x() + sd*v.x() ; + yi = p.y() + sd*v.y() ; + risec = std::sqrt(xi*xi + yi*yi)*secRMin ; + Normal = G4ThreeVector(-xi/risec,-yi/risec,tanRMin/secRMin) ; + if ( Normal.dot(v) <= 0 ) { return sd; } + } + } + } + } + else + { + if (b>0) { sd = -b - std::sqrt(d); } + else { sd = c/(-b+std::sqrt(d)); } + zi = z + sd*v.z() ; + ri = rMinAv + zi*tanRMin ; + + if ( (sd >= 0) && (ri > 0) && (std::fabs(zi) <= tolODz) ) // sd>0 + { + if ( sd>dRmax ) // Avoid rounding errors due to precision issues + { // seen on 64 bits systems. Split and recompute + G4double fTerm = sd-std::fmod(sd,dRmax); + sd = fTerm + DistanceToIn(p+fTerm*v,v); + } +/* if ( !fPhiFullCone ) + { + xi = p.x() + sd*v.x() ; + yi = p.y() + sd*v.y() ; + cosPsi = (xi*cosCPhi + yi*sinCPhi)/ri ; + + if (cosPsi >= cosHDPhiIT) + { + if ( sd > halfRadTolerance ) { snxt=sd; } + else + { + // Calculate a normal vector in order to check Direction + + risec = std::sqrt(xi*xi + yi*yi)*secRMin ; + Normal = G4ThreeVector(-xi/risec,-yi/risec,tanRMin/secRMin); + if ( Normal.dot(v) <= 0 ) { snxt = sd; } + } + } + } + else */ + { + if ( sd > halfRadTolerance ) { return sd; } + else + { + // Calculate a normal vector in order to check Direction + + xi = p.x() + sd*v.x() ; + yi = p.y() + sd*v.y() ; + risec = std::sqrt(xi*xi + yi*yi)*secRMin ; + Normal = G4ThreeVector(-xi/risec,-yi/risec,tanRMin/secRMin) ; + if ( Normal.dot(v) <= 0 ) { return sd; } + } + } + } + } + } + } + else + { + // Within kRadTol*0.5 of inner cone (real OR imaginary) + // ----> Check not travelling through (=>0 to in) + // ----> if not: + // -2nd root with validity check + + if ( std::fabs(z) <= tolODz ) + { + if ( nt2 > 0 ) + { + // Inside inner real cone, heading outwards, inside z range + +/* if ( !fPhiFullCone ) + { + cosPsi = (p.x()*cosCPhi + p.y()*sinCPhi)/std::sqrt(t3) ; + + if (cosPsi >= cosHDPhiIT) { return 0.0; } + } + else */ { return 0.0; } + } + else + { + // Within z extent, but not travelling through + // -> 2nd root or kInfinity if 1st root on imaginary cone + + b = nt2/nt1 ; + c = nt3/nt1 ; + d = b*b - c ; + + if ( d >= 0 ) // > 0 + { + if (b>0) { sd = -b - std::sqrt(d); } + else { sd = c/(-b+std::sqrt(d)); } + zi = z + sd*v.z() ; + ri = rMinAv + zi*tanRMin ; + + if ( ri > 0 ) // 2nd root + { + if (b>0) { sd = c/(-b-std::sqrt(d)); } + else { sd = -b + std::sqrt(d); } + + zi = z + sd*v.z() ; + + if ( (sd >= 0) && (std::fabs(zi) <= tolODz) ) // sd>0 + { + if ( sd>dRmax ) // Avoid rounding errors due to precision issue + { // seen on 64 bits systems. Split and recompute + G4double fTerm = sd-std::fmod(sd,dRmax); + sd = fTerm + DistanceToIn(p+fTerm*v,v); + } +/* if ( !fPhiFullCone ) + { + xi = p.x() + sd*v.x() ; + yi = p.y() + sd*v.y() ; + ri = rMinAv + zi*tanRMin ; + cosPsi = (xi*cosCPhi + yi*sinCPhi)/ri ; + + if ( cosPsi >= cosHDPhiIT ) { snxt = sd; } + } + else */ { return sd; } + } + } + else { return kInfinity; } + } + } + } + else // 2nd root + { + b = nt2/nt1 ; + c = nt3/nt1 ; + d = b*b - c ; + + if ( d > 0 ) + { + if (b>0) { sd = c/(-b-std::sqrt(d)); } + else { sd = -b + std::sqrt(d) ; } + zi = z + sd*v.z() ; + + if ( (sd >= 0) && (std::fabs(zi) <= tolODz) ) // sd>0 + { + if ( sd>dRmax ) // Avoid rounding errors due to precision issues + { // seen on 64 bits systems. Split and recompute + G4double fTerm = sd-std::fmod(sd,dRmax); + sd = fTerm + DistanceToIn(p+fTerm*v,v); + } +/* if ( !fPhiFullCone ) + { + xi = p.x() + sd*v.x(); + yi = p.y() + sd*v.y(); + ri = rMinAv + zi*tanRMin ; + cosPsi = (xi*cosCPhi + yi*sinCPhi)/ri; + + if (cosPsi >= cosHDPhiIT) { snxt = sd; } + } + else */ { return sd; } + } + } + } + } + } + } + + // Phi segment intersection + // + // o Tolerant of points inside phi planes by up to kCarTolerance*0.5 + // + // o NOTE: Large duplication of code between sphi & ephi checks + // -> only diffs: sphi -> ephi, Comp -> -Comp and half-plane + // intersection check <=0 -> >=0 + // -> Should use some form of loop Construct +/* + if ( !fPhiFullCone ) + { + // First phi surface (starting phi) + + Comp = v.x()*sinSPhi - v.y()*cosSPhi ; + + if ( Comp < 0 ) // Component in outwards normal dirn + { + Dist = (p.y()*cosSPhi - p.x()*sinSPhi) ; + + if (Dist < halfCarTolerance) + { + sd = Dist/Comp ; + + if ( sd < snxt ) + { + if ( sd < 0 ) { sd = 0.0; } + + zi = z + sd*v.z() ; + + if ( std::fabs(zi) <= tolODz ) + { + xi = p.x() + sd*v.x() ; + yi = p.y() + sd*v.y() ; + rhoi2 = xi*xi + yi*yi ; + tolORMin2 = (rMinOAv + zi*tanRMin)*(rMinOAv + zi*tanRMin) ; + tolORMax2 = (rMaxOAv + zi*tanRMax)*(rMaxOAv + zi*tanRMax) ; + + if ( (rhoi2 >= tolORMin2) && (rhoi2 <= tolORMax2) ) + { + // z and r intersections good - check intersecting with + // correct half-plane + + if ((yi*cosCPhi - xi*sinCPhi) <= 0 ) { snxt = sd; } + } + } + } + } + } + + // Second phi surface (Ending phi) + + Comp = -(v.x()*sinEPhi - v.y()*cosEPhi) ; + + if ( Comp < 0 ) // Component in outwards normal dirn + { + Dist = -(p.y()*cosEPhi - p.x()*sinEPhi) ; + if (Dist < halfCarTolerance) + { + sd = Dist/Comp ; + + if ( sd < snxt ) + { + if ( sd < 0 ) { sd = 0.0; } + + zi = z + sd*v.z() ; + + if (std::fabs(zi) <= tolODz) + { + xi = p.x() + sd*v.x() ; + yi = p.y() + sd*v.y() ; + rhoi2 = xi*xi + yi*yi ; + tolORMin2 = (rMinOAv + zi*tanRMin)*(rMinOAv + zi*tanRMin) ; + tolORMax2 = (rMaxOAv + zi*tanRMax)*(rMaxOAv + zi*tanRMax) ; + + if ( (rhoi2 >= tolORMin2) && (rhoi2 <= tolORMax2) ) + { + // z and r intersections good - check intersecting with + // correct half-plane + + if ( (yi*cosCPhi - xi*sinCPhi) >= 0.0 ) { snxt = sd; } + } + } + } + } + } + }*/ + if (snxt < halfCarTolerance) { snxt = 0.; } + + return snxt ; +} + +////////////////////////////////////////////////////////////////////////////// +// +// Calculate distance (<= actual) to closest surface of shape from outside +// - Calculate distance to z, radial planes +// - Only to phi planes if outside phi extent +// - Return 0 if point inside + +G4double G4ShiftedCone::DistanceToIn(const G4ThreeVector& p) const +{ + G4double safe=0.0, rho, safeR1, safeR2, safeZ;//, safePhi, cosPsi ; + G4double tanRMin, secRMin, pRMin ; + G4double tanRMax, secRMax, pRMax ; + + G4double z = p.z() - fZshift; + + rho = std::sqrt(p.x()*p.x() + p.y()*p.y()) ; + safeZ = std::fabs(z) - fDz ; + + if ( fRmin1 || fRmin2 ) + { + tanRMin = (fRmin2 - fRmin1)*0.5/fDz ; + secRMin = std::sqrt(1.0 + tanRMin*tanRMin) ; + pRMin = tanRMin*z + (fRmin1 + fRmin2)*0.5 ; + safeR1 = (pRMin - rho)/secRMin ; + + tanRMax = (fRmax2 - fRmax1)*0.5/fDz ; + secRMax = std::sqrt(1.0 + tanRMax*tanRMax) ; + pRMax = tanRMax*z + (fRmax1 + fRmax2)*0.5 ; + safeR2 = (rho - pRMax)/secRMax ; + + if ( safeR1 > safeR2) { safe = safeR1; } + else { safe = safeR2; } + } + else + { + tanRMax = (fRmax2 - fRmax1)*0.5/fDz ; + secRMax = std::sqrt(1.0 + tanRMax*tanRMax) ; + pRMax = tanRMax*z + (fRmax1 + fRmax2)*0.5 ; + safe = (rho - pRMax)/secRMax ; + } + if ( safeZ > safe ) { safe = safeZ; } + +/* if ( !fPhiFullCone && rho ) + { + // Psi=angle from central phi to point + + cosPsi = (p.x()*cosCPhi + p.y()*sinCPhi)/rho ; + + if ( cosPsi < std::cos(fDPhi*0.5) ) // Point lies outside phi range + { + if ( (p.y()*cosCPhi - p.x()*sinCPhi) <= 0.0 ) + { + safePhi = std::fabs(p.x()*std::sin(fSPhi)-p.y()*std::cos(fSPhi)); + } + else + { + safePhi = std::fabs(p.x()*sinEPhi-p.y()*cosEPhi); + } + if ( safePhi > safe ) { safe = safePhi; } + } + }*/ + if ( safe < 0.0 ) { safe = 0.0; } + + return safe ; +} + +/////////////////////////////////////////////////////////////// +// +// Calculate distance to surface of shape from 'inside', allowing for tolerance +// - Only Calc rmax intersection if no valid rmin intersection + +G4double G4ShiftedCone::DistanceToOut( const G4ThreeVector& p, + const G4ThreeVector& v, + const G4bool calcNorm, + G4bool *validNorm, + G4ThreeVector *n) const +{ + ESide side = kNull, sider = kNull;//, sidephi = kNull; + + G4double snxt,srd,/*sphi,*/pdist ; + + G4double tanRMax, secRMax, rMaxAv ; // Data for outer cone + G4double tanRMin, secRMin, rMinAv ; // Data for inner cone + + G4double t1, t2, t3, rout, rin, nt1, nt2, nt3 ; + G4double b, c, d, sr2, sr3 ; + + // Vars for intersection within tolerance + + ESide sidetol = kNull ; + G4double slentol = kInfinity ; + + // Vars for phi intersection: + +// G4double pDistS, compS, pDistE, compE, sphi2, vphi ; + G4double zi, ri, deltaRoi2, xi, yi, risec ; + + // Z plane intersection + + G4double z = p.z() - fZshift; + + if ( v.z() > 0.0 ) + { + pdist = fDz - z ; + + if (pdist > halfCarTolerance) + { + snxt = pdist/v.z() ; + side = kPZ ; + } + else + { + if (calcNorm) + { + *n = G4ThreeVector(0,0,1) ; + *validNorm = true ; + } + return snxt = 0.0; + } + } + else if ( v.z() < 0.0 ) + { + pdist = fDz + z ; + + if ( pdist > halfCarTolerance) + { + snxt = -pdist/v.z() ; + side = kMZ ; + } + else + { + if ( calcNorm ) + { + *n = G4ThreeVector(0,0,-1) ; + *validNorm = true ; + } + return snxt = 0.0 ; + } + } + else // Travel perpendicular to z axis + { + snxt = kInfinity ; + side = kNull ; + } + + // Radial Intersections + // + // Intersection with outer cone (possible return) and + // inner cone (must also check phi) + // + // Intersection point (xi,yi,zi) on line x=p.x+t*v.x etc. + // + // Intersects with x^2+y^2=(a*z+b)^2 + // + // where a=tanRMax or tanRMin + // b=rMaxAv or rMinAv + // + // (vx^2+vy^2-(a*vz)^2)t^2+2t(pxvx+pyvy-a*vz(a*pz+b))+px^2+py^2-(a*pz+b)^2=0 ; + // t1 t2 t3 + // + // \--------u-------/ \-----------v----------/ \---------w--------/ + + tanRMax = (fRmax2 - fRmax1)*0.5/fDz ; + secRMax = std::sqrt(1.0 + tanRMax*tanRMax) ; + rMaxAv = (fRmax1 + fRmax2)*0.5 ; + + + t1 = 1.0 - v.z()*v.z() ; // since v normalised + t2 = p.x()*v.x() + p.y()*v.y() ; + t3 = p.x()*p.x() + p.y()*p.y() ; + rout = tanRMax*z + rMaxAv ; + + nt1 = t1 - (tanRMax*v.z())*(tanRMax*v.z()) ; + nt2 = t2 - tanRMax*v.z()*rout ; + nt3 = t3 - rout*rout ; + + if (v.z() > 0.0) + { + deltaRoi2 = snxt*snxt*t1 + 2*snxt*t2 + t3 + - fRmax2*(fRmax2 + kRadTolerance*secRMax); + } + else if ( v.z() < 0.0 ) + { + deltaRoi2 = snxt*snxt*t1 + 2*snxt*t2 + t3 + - fRmax1*(fRmax1 + kRadTolerance*secRMax); + } + else + { + deltaRoi2 = 1.0; + } + + if ( nt1 && (deltaRoi2 > 0.0) ) + { + // Equation quadratic => 2 roots : second root must be leaving + + b = nt2/nt1 ; + c = nt3/nt1 ; + d = b*b - c ; + + if ( d >= 0 ) + { + // Check if on outer cone & heading outwards + // NOTE: Should use rho-rout>-kRadTolerance*0.5 + + if (nt3 > -halfRadTolerance && nt2 >= 0 ) + { + if (calcNorm) + { + risec = std::sqrt(t3)*secRMax ; + *validNorm = true ; + *n = G4ThreeVector(p.x()/risec,p.y()/risec,-tanRMax/secRMax); + } + return snxt=0 ; + } + else + { + sider = kRMax ; + if (b>0) { srd = -b - std::sqrt(d); } + else { srd = c/(-b+std::sqrt(d)) ; } + + zi = z + srd*v.z() ; + ri = tanRMax*zi + rMaxAv ; + + if ((ri >= 0) && (-halfRadTolerance <= srd) && (srd <= halfRadTolerance)) + { + // An intersection within the tolerance + // we will Store it in case it is good - + // + slentol = srd ; + sidetol = kRMax ; + } + if ( (ri < 0) || (srd < halfRadTolerance) ) + { + // Safety: if both roots -ve ensure that srd cannot `win' + // distance to out + + if (b>0) { sr2 = c/(-b-std::sqrt(d)); } + else { sr2 = -b + std::sqrt(d); } + zi = z + sr2*v.z() ; + ri = tanRMax*zi + rMaxAv ; + + if ((ri >= 0) && (sr2 > halfRadTolerance)) + { + srd = sr2; + } + else + { + srd = kInfinity ; + + if( (-halfRadTolerance <= sr2) && ( sr2 <= halfRadTolerance) ) + { + // An intersection within the tolerance. + // Storing it in case it is good. + + slentol = sr2 ; + sidetol = kRMax ; + } + } + } + } + } + else + { + // No intersection with outer cone & not parallel + // -> already outside, no intersection + + if ( calcNorm ) + { + risec = std::sqrt(t3)*secRMax; + *validNorm = true; + *n = G4ThreeVector(p.x()/risec,p.y()/risec,-tanRMax/secRMax); + } + return snxt = 0.0 ; + } + } + else if ( nt2 && (deltaRoi2 > 0.0) ) + { + // Linear case (only one intersection) => point outside outer cone + + if ( calcNorm ) + { + risec = std::sqrt(t3)*secRMax; + *validNorm = true; + *n = G4ThreeVector(p.x()/risec,p.y()/risec,-tanRMax/secRMax); + } + return snxt = 0.0 ; + } + else + { + // No intersection -> parallel to outer cone + // => Z or inner cone intersection + + srd = kInfinity ; + } + + // Check possible intersection within tolerance + + if ( slentol <= halfCarTolerance ) + { + // An intersection within the tolerance was found. + // We must accept it only if the momentum points outwards. + // + // G4ThreeVector ptTol ; // The point of the intersection + // ptTol= p + slentol*v ; + // ri=tanRMax*zi+rMaxAv ; + // + // Calculate a normal vector, as below + + xi = p.x() + slentol*v.x(); + yi = p.y() + slentol*v.y(); + risec = std::sqrt(xi*xi + yi*yi)*secRMax; + G4ThreeVector Normal = G4ThreeVector(xi/risec,yi/risec,-tanRMax/secRMax); + + if ( Normal.dot(v) > 0 ) // We will leave the Cone immediatelly + { + if ( calcNorm ) + { + *n = Normal.unit() ; + *validNorm = true ; + } + return snxt = 0.0 ; + } + else // On the surface, but not heading out so we ignore this intersection + { // (as it is within tolerance). + slentol = kInfinity ; + } + } + + // Inner Cone intersection + + if ( fRmin1 || fRmin2 ) + { + tanRMin = (fRmin2 - fRmin1)*0.5/fDz ; + nt1 = t1 - (tanRMin*v.z())*(tanRMin*v.z()) ; + + if ( nt1 ) + { + secRMin = std::sqrt(1.0 + tanRMin*tanRMin) ; + rMinAv = (fRmin1 + fRmin2)*0.5 ; + rin = tanRMin*z + rMinAv ; + nt2 = t2 - tanRMin*v.z()*rin ; + nt3 = t3 - rin*rin ; + + // Equation quadratic => 2 roots : first root must be leaving + + b = nt2/nt1 ; + c = nt3/nt1 ; + d = b*b - c ; + + if ( d >= 0.0 ) + { + // NOTE: should be rho-rin<kRadTolerance*0.5, + // but using squared versions for efficiency + + if (nt3 < kRadTolerance*(rin + kRadTolerance*0.25)) + { + if ( nt2 < 0.0 ) + { + if (calcNorm) { *validNorm = false; } + return snxt = 0.0; + } + } + else + { + if (b>0) { sr2 = -b - std::sqrt(d); } + else { sr2 = c/(-b+std::sqrt(d)); } + zi = z + sr2*v.z() ; + ri = tanRMin*zi + rMinAv ; + + if( (ri>=0.0)&&(-halfRadTolerance<=sr2)&&(sr2<=halfRadTolerance) ) + { + // An intersection within the tolerance + // storing it in case it is good. + + slentol = sr2 ; + sidetol = kRMax ; + } + if( (ri<0) || (sr2 < halfRadTolerance) ) + { + if (b>0) { sr3 = c/(-b-std::sqrt(d)); } + else { sr3 = -b + std::sqrt(d) ; } + + // Safety: if both roots -ve ensure that srd cannot `win' + // distancetoout + + if ( sr3 > halfRadTolerance ) + { + if( sr3 < srd ) + { + zi = z + sr3*v.z() ; + ri = tanRMin*zi + rMinAv ; + + if ( ri >= 0.0 ) + { + srd=sr3 ; + sider=kRMin ; + } + } + } + else if ( sr3 > -halfRadTolerance ) + { + // Intersection in tolerance. Store to check if it's good + + slentol = sr3 ; + sidetol = kRMin ; + } + } + else if ( (sr2 < srd) && (sr2 > halfCarTolerance) ) + { + srd = sr2 ; + sider = kRMin ; + } + else if (sr2 > -halfCarTolerance) + { + // Intersection in tolerance. Store to check if it's good + + slentol = sr2 ; + sidetol = kRMin ; + } + if( slentol <= halfCarTolerance ) + { + // An intersection within the tolerance was found. + // We must accept it only if the momentum points outwards. + + G4ThreeVector Normal ; + + // Calculate a normal vector, as below + + xi = p.x() + slentol*v.x() ; + yi = p.y() + slentol*v.y() ; + if( sidetol==kRMax ) + { + risec = std::sqrt(xi*xi + yi*yi)*secRMax ; + Normal = G4ThreeVector(xi/risec,yi/risec,-tanRMax/secRMax) ; + } + else + { + risec = std::sqrt(xi*xi + yi*yi)*secRMin ; + Normal = G4ThreeVector(-xi/risec,-yi/risec,tanRMin/secRMin) ; + } + if( Normal.dot(v) > 0 ) + { + // We will leave the cone immediately + + if( calcNorm ) + { + *n = Normal.unit() ; + *validNorm = true ; + } + return snxt = 0.0 ; + } + else + { + // On the surface, but not heading out so we ignore this + // intersection (as it is within tolerance). + + slentol = kInfinity ; + } + } + } + } + } + } + + // Linear case => point outside inner cone ---> outer cone intersect + // + // Phi Intersection +/* + if ( !fPhiFullCone ) + { + // add angle calculation with correction + // of the difference in domain of atan2 and Sphi + + vphi = std::atan2(v.y(),v.x()) ; + + if ( vphi < fSPhi - halfAngTolerance ) { vphi += twopi; } + else if ( vphi > fSPhi + fDPhi + halfAngTolerance ) { vphi -= twopi; } + + if ( p.x() || p.y() ) // Check if on z axis (rho not needed later) + { + // pDist -ve when inside + + pDistS = p.x()*sinSPhi - p.y()*cosSPhi ; + pDistE = -p.x()*sinEPhi + p.y()*cosEPhi ; + + // Comp -ve when in direction of outwards normal + + compS = -sinSPhi*v.x() + cosSPhi*v.y() ; + compE = sinEPhi*v.x() - cosEPhi*v.y() ; + + sidephi = kNull ; + + if( ( (fDPhi <= pi) && ( (pDistS <= halfCarTolerance) + && (pDistE <= halfCarTolerance) ) ) + || ( (fDPhi > pi) && !((pDistS > halfCarTolerance) + && (pDistE > halfCarTolerance) ) ) ) + { + // Inside both phi *full* planes + if ( compS < 0 ) + { + sphi = pDistS/compS ; + if (sphi >= -halfCarTolerance) + { + xi = p.x() + sphi*v.x() ; + yi = p.y() + sphi*v.y() ; + + // Check intersecting with correct half-plane + // (if not -> no intersect) + // + if ( (std::fabs(xi)<=kCarTolerance) + && (std::fabs(yi)<=kCarTolerance) ) + { + sidephi= kSPhi; + if ( ( fSPhi-halfAngTolerance <= vphi ) + && ( fSPhi+fDPhi+halfAngTolerance >=vphi ) ) + { + sphi = kInfinity; + } + } + else + if ( (yi*cosCPhi-xi*sinCPhi)>=0 ) + { + sphi = kInfinity ; + } + else + { + sidephi = kSPhi ; + if ( pDistS > -halfCarTolerance ) + { + sphi = 0.0 ; // Leave by sphi immediately + } + } + } + else + { + sphi = kInfinity ; + } + } + else + { + sphi = kInfinity ; + } + + if ( compE < 0 ) + { + sphi2 = pDistE/compE ; + + // Only check further if < starting phi intersection + // + if ( (sphi2 > -halfCarTolerance) && (sphi2 < sphi) ) + { + xi = p.x() + sphi2*v.x() ; + yi = p.y() + sphi2*v.y() ; + + // Check intersecting with correct half-plane + + if ( (std::fabs(xi)<=kCarTolerance) + && (std::fabs(yi)<=kCarTolerance) ) + { + // Leaving via ending phi + + if(!( (fSPhi-halfAngTolerance <= vphi) + && (fSPhi+fDPhi+halfAngTolerance >= vphi) ) ) + { + sidephi = kEPhi ; + if ( pDistE <= -halfCarTolerance ) { sphi = sphi2; } + else { sphi = 0.0; } + } + } + else // Check intersecting with correct half-plane + if ( yi*cosCPhi-xi*sinCPhi >= 0 ) + { + // Leaving via ending phi + + sidephi = kEPhi ; + if ( pDistE <= -halfCarTolerance ) { sphi = sphi2; } + else { sphi = 0.0; } + } + } + } + } + else + { + sphi = kInfinity ; + } + } + else + { + // On z axis + travel not || to z axis -> if phi of vector direction + // within phi of shape, Step limited by rmax, else Step =0 + + if ( (fSPhi-halfAngTolerance <= vphi) + && (vphi <= fSPhi+fDPhi+halfAngTolerance) ) + { + sphi = kInfinity ; + } + else + { + sidephi = kSPhi ; // arbitrary + sphi = 0.0 ; + } + } + if ( sphi < snxt ) // Order intersecttions + { + snxt=sphi ; + side=sidephi ; + } + } +*/ + if ( srd < snxt ) // Order intersections + { + snxt = srd ; + side = sider ; + } + if (calcNorm) + { + switch(side) + { // Note: returned vector not normalised + case kRMax: // (divide by frmax for unit vector) + xi = p.x() + snxt*v.x() ; + yi = p.y() + snxt*v.y() ; + risec = std::sqrt(xi*xi + yi*yi)*secRMax ; + *n = G4ThreeVector(xi/risec,yi/risec,-tanRMax/secRMax) ; + *validNorm = true ; + break ; + case kRMin: + *validNorm = false ; // Rmin is inconvex + break ; +/* case kSPhi: + if ( fDPhi <= pi ) + { + *n = G4ThreeVector(sinSPhi, -cosSPhi, 0); + *validNorm = true ; + } + else + { + *validNorm = false ; + } + break ; + case kEPhi: + if ( fDPhi <= pi ) + { + *n = G4ThreeVector(-sinEPhi, cosEPhi, 0); + *validNorm = true ; + } + else + { + *validNorm = false ; + } + break ;*/ + case kPZ: + *n = G4ThreeVector(0,0,1) ; + *validNorm = true ; + break ; + case kMZ: + *n = G4ThreeVector(0,0,-1) ; + *validNorm = true ; + break ; + default: + G4cout << G4endl ; + DumpInfo(); + std::ostringstream message; + G4int oldprc = message.precision(16) ; + message << "Undefined side for valid surface normal to solid." + << G4endl + << "Position:" << G4endl << G4endl + << "p.x() = " << p.x()/mm << " mm" << G4endl + << "p.y() = " << p.y()/mm << " mm" << G4endl + << "p.z() = " << p.z()/mm << " mm" << G4endl << G4endl + << "pho at z = " << std::sqrt( p.x()*p.x()+p.y()*p.y() )/mm + << " mm" << G4endl << G4endl ; + if( p.x() != 0. || p.y() != 0.) + { + message << "point phi = " << std::atan2(p.y(),p.x())/degree + << " degree" << G4endl << G4endl ; + } + message << "Direction:" << G4endl << G4endl + << "v.x() = " << v.x() << G4endl + << "v.y() = " << v.y() << G4endl + << "v.z() = " << v.z() << G4endl<< G4endl + << "Proposed distance :" << G4endl<< G4endl + << "snxt = " << snxt/mm << " mm" << G4endl ; + message.precision(oldprc) ; + G4Exception("G4ShiftedCone::DistanceToOut(p,v,..)","GeomSolids1002", + JustWarning, message) ; + break ; + } + } + if (snxt < halfCarTolerance) { snxt = 0.; } + + return snxt ; +} + +////////////////////////////////////////////////////////////////// +// +// Calculate distance (<=actual) to closest surface of shape from inside + +G4double G4ShiftedCone::DistanceToOut(const G4ThreeVector& p) const +{ + G4double safe=0.0, rho, safeR1, safeR2, safeZ;//, safePhi; + G4double tanRMin, secRMin, pRMin; + G4double tanRMax, secRMax, pRMax; + +#ifdef G4CSGDEBUG + if( Inside(p) == kOutside ) + { + G4int oldprc=G4cout.precision(16) ; + G4cout << G4endl ; + DumpInfo(); + G4cout << "Position:" << G4endl << G4endl ; + G4cout << "p.x() = " << p.x()/mm << " mm" << G4endl ; + G4cout << "p.y() = " << p.y()/mm << " mm" << G4endl ; + G4cout << "p.z() = " << p.z()/mm << " mm" << G4endl << G4endl ; + G4cout << "pho at z = " << std::sqrt( p.x()*p.x()+p.y()*p.y() )/mm + << " mm" << G4endl << G4endl ; + if( (p.x() != 0.) || (p.x() != 0.) ) + { + G4cout << "point phi = " << std::atan2(p.y(),p.x())/degree + << " degree" << G4endl << G4endl ; + } + G4cout.precision(oldprc) ; + G4Exception("G4ShiftedCone::DistanceToOut(p)", "GeomSolids1002", + JustWarning, "Point p is outside !?" ); + } +#endif + + G4double z = p.z() - fZshift; + + rho = std::sqrt(p.x()*p.x() + p.y()*p.y()) ; + safeZ = fDz - std::fabs(z) ; + + if (fRmin1 || fRmin2) + { + tanRMin = (fRmin2 - fRmin1)*0.5/fDz ; + secRMin = std::sqrt(1.0 + tanRMin*tanRMin) ; + pRMin = tanRMin*z + (fRmin1 + fRmin2)*0.5 ; + safeR1 = (rho - pRMin)/secRMin ; + } + else + { + safeR1 = kInfinity ; + } + + tanRMax = (fRmax2 - fRmax1)*0.5/fDz ; + secRMax = std::sqrt(1.0 + tanRMax*tanRMax) ; + pRMax = tanRMax*z + (fRmax1+fRmax2)*0.5 ; + safeR2 = (pRMax - rho)/secRMax ; + + if (safeR1 < safeR2) { safe = safeR1; } + else { safe = safeR2; } + if (safeZ < safe) { safe = safeZ ; } + + // Check if phi divided, Calc distances closest phi plane +/* + if (!fPhiFullCone) + { + // Above/below central phi of G4ShiftedCone? + + if ( (p.y()*cosCPhi - p.x()*sinCPhi) <= 0 ) + { + safePhi = -(p.x()*sinSPhi - p.y()*cosSPhi) ; + } + else + { + safePhi = (p.x()*sinEPhi - p.y()*cosEPhi) ; + } + if (safePhi < safe) { safe = safePhi; } + }*/ + if ( safe < 0 ) { safe = 0; } + + return safe ; +} + +////////////////////////////////////////////////////////////////////////// +// +// GetEntityType + +G4GeometryType G4ShiftedCone::GetEntityType() const +{ + return G4String("G4ShiftedCone"); +} + +////////////////////////////////////////////////////////////////////////// +// +// Make a clone of the object +// +G4VSolid* G4ShiftedCone::Clone() const +{ + return new G4ShiftedCone(*this); +} + +////////////////////////////////////////////////////////////////////////// +// +// Stream object contents to an output stream + +std::ostream& G4ShiftedCone::StreamInfo(std::ostream& os) const +{ + G4int oldprc = os.precision(16); + os << "-----------------------------------------------------------\n" + << " *** Dump for solid - " << GetName() << " ***\n" + << " ===================================================\n" + << " Solid type: G4ShiftedCone\n" + << " Parameters: \n" + << " inside -fDz radius: " << fRmin1/mm << " mm \n" + << " outside -fDz radius: " << fRmax1/mm << " mm \n" + << " inside +fDz radius: " << fRmin2/mm << " mm \n" + << " outside +fDz radius: " << fRmax2/mm << " mm \n" + << " Z1 : " << GetZ1()/mm << " mm \n" + << " Z2 : " << GetZ2()/mm << " mm \n" +// << " starting angle of segment: " << fSPhi/degree << " degrees \n" +// << " delta angle of segment : " << fDPhi/degree << " degrees \n" + << "-----------------------------------------------------------\n"; + os.precision(oldprc); + + return os; +} + + + +///////////////////////////////////////////////////////////////////////// +// +// GetPointOnSurface + +G4ThreeVector G4ShiftedCone::GetPointOnSurface() const +{ + // declare working variables + // + G4double rone = (fRmax1-fRmax2)/(2.*fDz); + G4double rtwo = (fRmin1-fRmin2)/(2.*fDz); + G4double qone = (fRmax1 == fRmax2) ? 0. : fDz*(fRmax1+fRmax2)/(fRmax1-fRmax2); + G4double qtwo = (fRmin1 == fRmin2) ? 0. : fDz*(fRmin1+fRmin2)/(fRmin1-fRmin2); + + G4double slin = std::hypot(fRmin1-fRmin2, 2.*fDz); + G4double slout = std::hypot(fRmax1-fRmax2, 2.*fDz); + G4double Aone = 0.5*GetDeltaPhiAngle()*(fRmax2 + fRmax1)*slout; // outer surface + G4double Atwo = 0.5*GetDeltaPhiAngle()*(fRmin2 + fRmin1)*slin; // inner surface + G4double Athree = 0.5*GetDeltaPhiAngle()*(fRmax1*fRmax1-fRmin1*fRmin1); // base at -Dz + G4double Afour = 0.5*GetDeltaPhiAngle()*(fRmax2*fRmax2-fRmin2*fRmin2); // base at +Dz + G4double Afive = fDz*(fRmax1-fRmin1+fRmax2-fRmin2); // phi section + + G4double phi = G4RandFlat::shoot(GetStartPhiAngle(),GetStartPhiAngle() + GetDeltaPhiAngle()); + G4double cosu = std::cos(phi); + G4double sinu = std::sin(phi); + G4double rRand1 = GetRadiusInRing(fRmin1, fRmax1); + G4double rRand2 = GetRadiusInRing(fRmin2, fRmax2); + + G4bool fPhiFullCone = true; + if ( (GetStartPhiAngle() == 0.) && fPhiFullCone ) { Afive = 0.; } + G4double chose = G4RandFlat::shoot(0.,Aone+Atwo+Athree+Afour+2.*Afive); + + if( (chose >= 0.) && (chose < Aone) ) // outer surface + { + if(fRmax1 != fRmax2) + { + G4double zRand = G4RandFlat::shoot(-1.*fDz,fDz); + return G4ThreeVector (rone*cosu*(qone-zRand), + rone*sinu*(qone-zRand), zRand + fZshift); + } + else + { + return G4ThreeVector(fRmax1*cosu, fRmax2*sinu, + G4RandFlat::shoot(-1.*fDz,fDz) + fZshift); + } + } + else if( (chose >= Aone) && (chose < Aone + Atwo) ) // inner surface + { + if(fRmin1 != fRmin2) + { + G4double zRand = G4RandFlat::shoot(-1.*fDz,fDz); + return G4ThreeVector (rtwo*cosu*(qtwo-zRand), + rtwo*sinu*(qtwo-zRand), zRand + fZshift); + } + else + { + return G4ThreeVector(fRmin1*cosu, fRmin2*sinu, + G4RandFlat::shoot(-1.*fDz,fDz) + fZshift); + } + } + else if( (chose >= Aone + Atwo) && (chose < Aone + Atwo + Athree) ) // base at -Dz + { + return G4ThreeVector (rRand1*cosu, rRand1*sinu, -1*fDz + fZshift); + } + else if( (chose >= Aone + Atwo + Athree) + && (chose < Aone + Atwo + Athree + Afour) ) // base at +Dz + { + return G4ThreeVector (rRand2*cosu,rRand2*sinu,fDz + fZshift); + } + else if( (chose >= Aone + Atwo + Athree + Afour) // SPhi section + && (chose < Aone + Atwo + Athree + Afour + Afive) ) + { + G4double zRand = G4RandFlat::shoot(-1.*fDz,fDz); + rRand1 = G4RandFlat::shoot(fRmin2-((zRand-fDz)/(2.*fDz))*(fRmin1-fRmin2), + fRmax2-((zRand-fDz)/(2.*fDz))*(fRmax1-fRmax2)); + return G4ThreeVector (rRand1*GetCosStartPhi(), + rRand1*GetSinStartPhi(), zRand + fZshift); + } + else // SPhi+DPhi section + { + G4double zRand = G4RandFlat::shoot(-1.*fDz,fDz); + rRand1 = G4RandFlat::shoot(fRmin2-((zRand-fDz)/(2.*fDz))*(fRmin1-fRmin2), + fRmax2-((zRand-fDz)/(2.*fDz))*(fRmax1-fRmax2)); + return G4ThreeVector (rRand1*GetCosEndPhi(), + rRand1*GetSinEndPhi(), zRand + fZshift); + } +} + +////////////////////////////////////////////////////////////////////////// +// +// Methods for visualisation + +void G4ShiftedCone::DescribeYourselfTo (G4VGraphicsScene& scene) const +{ + scene.AddSolid (*this); +} + +G4Polyhedron* G4ShiftedCone::CreatePolyhedron () const +{ + G4double rmin[2] = { GetRmin1(), GetRmin2() }; + G4double rmax[2] = { GetRmax1(), GetRmax2() }; + G4double z[2] = { GetZ1(), GetZ2() }; + return new G4PolyhedronPcon( + GetStartPhiAngle(), GetDeltaPhiAngle(), 2, z, rmin, rmax + ); +} diff --git a/Simulation/G4Utilities/Geo2G4/src/G4ShiftedCone.h b/Simulation/G4Utilities/Geo2G4/src/G4ShiftedCone.h new file mode 100644 index 0000000000000000000000000000000000000000..8107ba9347bd639ba9e2cab64da46cffb9cca0b1 --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/src/G4ShiftedCone.h @@ -0,0 +1,247 @@ +/* + Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +*/ + +// +// The G4ShiftedCone class copied from standard G4Cons and modified to: +// 1) have an arbitrary position along Z axis, +// 2) represent a twopi-cone. Sectors are not supported but the +// corresponding code kept and just commented out. +// + +// +// ******************************************************************** +// * License and Disclaimer * +// * * +// * The Geant4 software is copyright of the Copyright Holders of * +// * the Geant4 Collaboration. It is provided under the terms and * +// * conditions of the Geant4 Software License, included in the file * +// * LICENSE and available at http://cern.ch/geant4/license . These * +// * include a list of copyright holders. * +// * * +// * Neither the authors of this software system, nor their employing * +// * institutes,nor the agencies providing financial support for this * +// * work make any representation or warranty, express or implied, * +// * regarding this software system or assume any liability for its * +// * use. Please see the license in the file LICENSE and URL above * +// * for the full disclaimer and the limitation of liability. * +// * * +// * This code implementation is the result of the scientific and * +// * technical work of the GEANT4 collaboration. * +// * By using, copying, modifying or distributing the software (or * +// * any work based on the software) you agree to acknowledge its * +// * use in resulting scientific publications, and indicate your * +// * acceptance of all terms of the Geant4 Software license. * +// ******************************************************************** +// +// +// +// +// -------------------------------------------------------------------- +// GEANT 4 class header file +// +// G4ShiftedCone +// +// Class description: +// +// A G4ShiftedCone is, in the general case, a Phi segment of a cone, +// inner and outer radii specified at z1 and z2. +// This version does not support phi segmetation, but the code is kept +// in case it would be necessary later. +// The Phi segment is described by a starting fSPhi angle, and the +// +fDPhi delta angle for the shape. +// If the delta angle is >=2*pi, the shape is treated as continuous +// in Phi +// +// Member Data: +// +// fRmin1 inside radius at z1 +// fRmin2 inside radius at z2 +// fRmax1 outside radius at z1 +// fRmax2 outside radius at z2 +// fDz half length in z +// +// fSPhi starting angle of the segment in radians +// fDPhi delta angle of the segment in radians +// +// fPhiFullCone Boolean variable used for indicate the Phi Section +// always true in the current version, hope compiler optimize +// +// Note: +// Internally fSPhi & fDPhi are adjusted so that fDPhi<=2PI, +// and fDPhi+fSPhi<=2PI. This enables simpler comparisons to be +// made with (say) Phi of a point. + +// History: +// 03.07.2019 A. Sukharev copied from G4Cons for ATLAS EMEC needs +// -------------------------------------------------------------------- +#ifndef G4ShiftedCone_HH +#define G4ShiftedCone_HH + +#include <CLHEP/Units/PhysicalConstants.h> + +#include "G4CSGSolid.hh" +#include "G4Polyhedron.hh" + +class G4ShiftedCone : public G4CSGSolid +{ + public: // with description + + G4ShiftedCone(const G4String& pName, + G4double pZ1, G4double pZ2, + G4double pRmin1, G4double pRmax1, + G4double pRmin2, G4double pRmax2); + // G4double pSPhi, G4double pDPhi); + // + // Constructs a cone with the given name and dimensions + + ~G4ShiftedCone() ; + // + // Destructor + + // Accessors + + inline G4double GetInnerRadiusMinusZ() const; + inline G4double GetOuterRadiusMinusZ() const; + inline G4double GetInnerRadiusPlusZ() const; + inline G4double GetOuterRadiusPlusZ() const; + inline G4double GetZHalfLength() const; + inline G4double GetZ1() const; + inline G4double GetZ2() const; + inline G4double GetStartPhiAngle() const; + inline G4double GetDeltaPhiAngle() const; + inline G4double GetSinStartPhi() const; + inline G4double GetCosStartPhi() const; + inline G4double GetSinEndPhi() const; + inline G4double GetCosEndPhi() const; + + // Modifiers + + inline void SetInnerRadiusMinusZ (G4double Rmin1 ); + inline void SetOuterRadiusMinusZ (G4double Rmax1 ); + inline void SetInnerRadiusPlusZ (G4double Rmin2 ); + inline void SetOuterRadiusPlusZ (G4double Rmax2 ); +// inline void SetStartPhiAngle (G4double newSPhi, G4bool trig=true); +// inline void SetDeltaPhiAngle (G4double newDPhi); + + // Other methods for solid + + inline G4double GetCubicVolume(); + inline G4double GetSurfaceArea(); + + void ComputeDimensions( G4VPVParameterisation* p, + const G4int n, + const G4VPhysicalVolume* pRep ); + + void BoundingLimits(G4ThreeVector& pMin, G4ThreeVector& pMax) const; + + G4bool CalculateExtent( const EAxis pAxis, + const G4VoxelLimits& pVoxelLimit, + const G4AffineTransform& pTransform, + G4double& pMin, G4double& pMax ) const; + + EInside Inside( const G4ThreeVector& p ) const; + + G4ThreeVector SurfaceNormal( const G4ThreeVector& p ) const; + + G4double DistanceToIn (const G4ThreeVector& p, + const G4ThreeVector& v) const; + G4double DistanceToIn (const G4ThreeVector& p) const; + G4double DistanceToOut(const G4ThreeVector& p, + const G4ThreeVector& v, + const G4bool calcNorm=G4bool(false), + G4bool *validNorm=0, + G4ThreeVector *n=0) const; + G4double DistanceToOut(const G4ThreeVector& p) const; + + G4GeometryType GetEntityType() const; + + G4ThreeVector GetPointOnSurface() const; + + G4VSolid* Clone() const; + + std::ostream& StreamInfo(std::ostream& os) const; + + // Visualisation functions + + void DescribeYourselfTo( G4VGraphicsScene& scene ) const; + G4Polyhedron* CreatePolyhedron() const; + + public: // without description + + G4ShiftedCone(__void__&); + // + // Fake default constructor for usage restricted to direct object + // persistency for clients requiring preallocation of memory for + // persistifiable objects. + + G4ShiftedCone(const G4ShiftedCone& rhs); + G4ShiftedCone& operator=(const G4ShiftedCone& rhs); + // Copy constructor and assignment operator. + + // Old access functions + + inline G4double GetRmin1() const; + inline G4double GetRmax1() const; + inline G4double GetRmin2() const; + inline G4double GetRmax2() const; +// inline G4double GetSPhi() const; +// inline G4double GetDPhi() const; + + private: + + inline void Initialize(); + // + // Reset relevant values to zero + +// inline void CheckSPhiAngle(G4double sPhi); +// inline void CheckDPhiAngle(G4double dPhi); +// inline void CheckPhiAngles(G4double sPhi, G4double dPhi); + // + // Reset relevant flags and angle values + + inline void InitializeTrigonometry(); + // + // Recompute relevant trigonometric values and cache them + + G4ThreeVector ApproxSurfaceNormal(const G4ThreeVector& p) const; + // + // Algorithm for SurfaceNormal() following the original + // specification for points not on the surface + + private: + + // Used by distanceToOut + // + enum ESide {kNull,kRMin,kRMax,kSPhi,kEPhi,kPZ,kMZ}; + + // used by normal + // + enum ENorm {kNRMin,kNRMax,kNSPhi,kNEPhi,kNZ}; + + G4double kRadTolerance, kAngTolerance; + // + // Radial and angular tolerances + + G4double fRmin1, fRmin2, fRmax1, fRmax2; + G4double fDz, fZshift;//, fSPhi, fDPhi; + // + // Radial and angular dimensions + +// G4double sinCPhi, cosCPhi, cosHDPhiOT, cosHDPhiIT, +// sinSPhi, cosSPhi, sinEPhi, cosEPhi; + // + // Cached trigonometric values + +// const G4bool fPhiFullCone; + // + // Flag for identification of section or full cone + + G4double halfCarTolerance, halfRadTolerance, halfAngTolerance; + // + // Cached half tolerance values +}; + +#include "G4ShiftedCone.icc" + +#endif diff --git a/Simulation/G4Utilities/Geo2G4/src/G4ShiftedCone.icc b/Simulation/G4Utilities/Geo2G4/src/G4ShiftedCone.icc new file mode 100644 index 0000000000000000000000000000000000000000..1d78d11180e0a87c9e425667aa2478355c1bb7fb --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/src/G4ShiftedCone.icc @@ -0,0 +1,337 @@ +/* + Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +*/ + +// +// ******************************************************************** +// * License and Disclaimer * +// * * +// * The Geant4 software is copyright of the Copyright Holders of * +// * the Geant4 Collaboration. It is provided under the terms and * +// * conditions of the Geant4 Software License, included in the file * +// * LICENSE and available at http://cern.ch/geant4/license . These * +// * include a list of copyright holders. * +// * * +// * Neither the authors of this software system, nor their employing * +// * institutes,nor the agencies providing financial support for this * +// * work make any representation or warranty, express or implied, * +// * regarding this software system or assume any liability for its * +// * use. Please see the license in the file LICENSE and URL above * +// * for the full disclaimer and the limitation of liability. * +// * * +// * This code implementation is the result of the scientific and * +// * technical work of the GEANT4 collaboration. * +// * By using, copying, modifying or distributing the software (or * +// * any work based on the software) you agree to acknowledge its * +// * use in resulting scientific publications, and indicate your * +// * acceptance of all terms of the Geant4 Software license. * +// ******************************************************************** +// +// +// +// -------------------------------------------------------------------- +// GEANT 4 inline definitions file +// +// G4ShiftedCone.icc +// +// Implementation of inline methods of G4ShiftedCone +// -------------------------------------------------------------------- + +inline +G4double G4ShiftedCone::GetInnerRadiusMinusZ() const +{ + return fRmin1 ; +} + +inline +G4double G4ShiftedCone::GetOuterRadiusMinusZ() const +{ + return fRmax1 ; +} + +inline +G4double G4ShiftedCone::GetInnerRadiusPlusZ() const +{ + return fRmin2 ; +} + +inline +G4double G4ShiftedCone::GetOuterRadiusPlusZ() const +{ + return fRmax2 ; +} + +inline +G4double G4ShiftedCone::GetZHalfLength() const +{ + return fDz ; +} + +inline +G4double G4ShiftedCone::GetZ1() const +{ + return fZshift - fDz ; +} + +inline +G4double G4ShiftedCone::GetZ2() const +{ + return fZshift + fDz ; +} + +inline +G4double G4ShiftedCone::GetStartPhiAngle() const +{ + return 0.; // fSPhi ; +} + +inline +G4double G4ShiftedCone::GetDeltaPhiAngle() const +{ + return CLHEP::twopi; //fDPhi; +} + +inline +G4double G4ShiftedCone::GetSinStartPhi() const +{ + return 0.; //sinSPhi; +} + +inline +G4double G4ShiftedCone::GetCosStartPhi() const +{ + return 1.;// cosSPhi; +} + +inline +G4double G4ShiftedCone::GetSinEndPhi() const +{ + return 0.;// sinEPhi; +} + +inline +G4double G4ShiftedCone::GetCosEndPhi() const +{ + return 1.;//cosEPhi; +} + +inline +void G4ShiftedCone::Initialize() +{ + fCubicVolume = 0.; + fSurfaceArea = 0.; + fRebuildPolyhedron = true; +} + +/* +inline +void G4ShiftedCone::InitializeTrigonometry() +{ + G4double hDPhi = 0.5*fDPhi; // half delta phi + G4double cPhi = fSPhi + hDPhi; + G4double ePhi = fSPhi + fDPhi; + + sinCPhi = std::sin(cPhi); + cosCPhi = std::cos(cPhi); + cosHDPhiIT = std::cos(hDPhi - 0.5*kAngTolerance); // inner/outer tol half dphi + cosHDPhiOT = std::cos(hDPhi + 0.5*kAngTolerance); + sinSPhi = std::sin(fSPhi); + cosSPhi = std::cos(fSPhi); + sinEPhi = std::sin(ePhi); + cosEPhi = std::cos(ePhi); +} + +inline void G4ShiftedCone::CheckSPhiAngle(G4double sPhi) +{ + // Ensure fSphi in 0-2PI or -2PI-0 range if shape crosses 0 + + if ( sPhi < 0 ) + { + fSPhi = CLHEP::twopi - std::fmod(std::fabs(sPhi),CLHEP::twopi); + } + else + { + fSPhi = std::fmod(sPhi,CLHEP::twopi) ; + } + if ( fSPhi+fDPhi > CLHEP::twopi ) + { + fSPhi -= CLHEP::twopi ; + } +} + +inline void G4ShiftedCone::CheckDPhiAngle(G4double dPhi) +{ + fPhiFullCone = true; + if ( dPhi >= CLHEP::twopi-kAngTolerance*0.5 ) + { + fDPhi=CLHEP::twopi; + fSPhi=0; + } + else + { + fPhiFullCone = false; + if ( dPhi > 0 ) + { + fDPhi = dPhi; + } + else + { + std::ostringstream message; + message << "Invalid dphi." << G4endl + << "Negative or zero delta-Phi (" << dPhi << ") in solid: " + << GetName(); + G4Exception("G4ShiftedCone::CheckDPhiAngle()", "GeomSolids0002", + FatalException, message); + } + } +} + +inline void G4ShiftedCone::CheckPhiAngles(G4double sPhi, G4double dPhi) +{ + CheckDPhiAngle(dPhi); + if ( (fDPhi<CLHEP::twopi) && (sPhi) ) { CheckSPhiAngle(sPhi); } + InitializeTrigonometry(); +} +*/ + +inline +void G4ShiftedCone::SetInnerRadiusMinusZ( G4double Rmin1 ) +{ + fRmin1= Rmin1 ; + Initialize(); +} + +inline +void G4ShiftedCone::SetOuterRadiusMinusZ( G4double Rmax1 ) +{ + fRmax1= Rmax1 ; + Initialize(); +} + +inline +void G4ShiftedCone::SetInnerRadiusPlusZ ( G4double Rmin2 ) +{ + fRmin2= Rmin2 ; + Initialize(); +} + +inline +void G4ShiftedCone::SetOuterRadiusPlusZ ( G4double Rmax2 ) +{ + fRmax2= Rmax2 ; + Initialize(); +} + +/*inline +void G4ShiftedCone::SetZHalfLength ( G4double newDz ) +{ + fDz= newDz ; + Initialize(); +}*/ + +/* +inline +void G4ShiftedCone::SetStartPhiAngle ( G4double newSPhi, G4bool compute ) +{ + // Flag 'compute' can be used to explicitely avoid recomputation of + // trigonometry in case SetDeltaPhiAngle() is invoked afterwards + + CheckSPhiAngle(newSPhi); + fPhiFullCone = false; + if (compute) { InitializeTrigonometry(); } + Initialize(); +} + +void G4ShiftedCone::SetDeltaPhiAngle ( G4double newDPhi ) +{ + CheckPhiAngles(fSPhi, newDPhi); + Initialize(); +} +*/ +// Old access methods ... + +inline +G4double G4ShiftedCone::GetRmin1() const +{ + return GetInnerRadiusMinusZ(); +} + +inline +G4double G4ShiftedCone::GetRmax1() const +{ + return GetOuterRadiusMinusZ(); +} + +inline +G4double G4ShiftedCone::GetRmin2() const +{ + return GetInnerRadiusPlusZ(); +} + +inline +G4double G4ShiftedCone::GetRmax2() const +{ + return GetOuterRadiusPlusZ(); +} +/* +inline +G4double G4ShiftedCone::GetDz() const +{ + return GetZHalfLength(); +} + +inline +G4double G4ShiftedCone::GetSPhi() const +{ + return GetStartPhiAngle(); +} + +inline +G4double G4ShiftedCone::GetDPhi() const +{ + return GetDeltaPhiAngle(); +} +*/ +inline +G4double G4ShiftedCone::GetCubicVolume() +{ + if(fCubicVolume != 0.) {;} + else + { + G4double Rmean, rMean, deltaR, deltar; + + Rmean = 0.5*(fRmax1+fRmax2); + deltaR = fRmax1-fRmax2; + + rMean = 0.5*(fRmin1+fRmin2); + deltar = fRmin1-fRmin2; + fCubicVolume = GetDeltaPhiAngle()*fDz*(Rmean*Rmean-rMean*rMean + +(deltaR*deltaR-deltar*deltar)/12); + } + return fCubicVolume; +} + +inline +G4double G4ShiftedCone::GetSurfaceArea() +{ + if(fSurfaceArea != 0.) {;} + else + { + G4double mmin, mmax, dmin, dmax; + + mmin= (fRmin1+fRmin2)*0.5; + mmax= (fRmax1+fRmax2)*0.5; + dmin= (fRmin2-fRmin1); + dmax= (fRmax2-fRmax1); + + fSurfaceArea = GetDeltaPhiAngle()*( mmin * std::sqrt(dmin*dmin+4*fDz*fDz) + + mmax * std::sqrt(dmax*dmax+4*fDz*fDz) + + 0.5*(fRmax1*fRmax1-fRmin1*fRmin1 + +fRmax2*fRmax2-fRmin2*fRmin2 )); +/* if(!fPhiFullCone) + { + fSurfaceArea = fSurfaceArea+4*fDz*(mmax-mmin); + }*/ + } + return fSurfaceArea; +} diff --git a/Simulation/G4Utilities/Geo2G4/src/GDMLDetectorTool.cxx b/Simulation/G4Utilities/Geo2G4/src/GDMLDetectorTool.cxx new file mode 100644 index 0000000000000000000000000000000000000000..f484943ebec129f943c63097e607af62b45d11ca --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/src/GDMLDetectorTool.cxx @@ -0,0 +1,86 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +// Base class +#include "G4AtlasTools/DetectorGeometryBase.h" +#include "GDMLDetectorTool.h" + +#include "G4GDMLParser.hh" +#include "G4NistManager.hh" +#include "G4LogicalVolume.hh" +#include "G4PVPlacement.hh" + +// Geant4 includes used in functions + +GDMLDetectorTool::GDMLDetectorTool(const std::string& type, const std::string& name, const IInterface* parent) + : DetectorGeometryBase(type,name,parent),m_GDMLFileName(""),m_blGetTopTransform(true),m_geoDetectorName("") +{ + m_topTransform.setIdentity(); + ATH_MSG_DEBUG( "GDMLDetectorTool constructor for " << name ); + declareProperty("GeoDetectorName",m_geoDetectorName, "Name of the detector in GeoModel, if different from G4."); + declareProperty("GDMLFileName",m_GDMLFileName,"Name of the GDML file to be used as input."); + +} + +StatusCode GDMLDetectorTool::initialize() +{ + ATH_MSG_DEBUG( name() << " GDMLDetectorTool::initialize(): Starting" ); + + if(m_detectorName.empty()) + { + m_detectorName = this->name(); + // re-initialize m_detectorName in order to take the real detector name rather than the path to it + size_t ipos=m_detectorName.find_last_of("."); + size_t length=m_detectorName.size(); + if (ipos<length) + { + ATH_MSG_DEBUG( "m_detectorName: " << m_detectorName << " needs to be reset."); + m_detectorName=m_detectorName.substr(ipos+1,length-ipos-1); + ATH_MSG_DEBUG( "m_detectorName default value reset to " << m_detectorName); + } + } + ATH_MSG_DEBUG( name() << "GDMLDetectorTool::initialize() : Detector name = " << m_detectorName<<" File name: "<<m_GDMLFileName ); + if(m_geoDetectorName.empty()) + { + m_geoDetectorName = m_detectorName; + } + if(m_GDMLFileName.empty()) + { + m_GDMLFileName = m_detectorName+".gdml"; + } + ATH_MSG_DEBUG( name() << "GDMLDetectorTool::initialize() : Geo Detector name = " << m_geoDetectorName<<" File name: "<<m_GDMLFileName ); + + ATH_MSG_DEBUG( name() << " GDMLDetectorTool::initialize(): Finished" ); + return StatusCode::SUCCESS; +} + + +void GDMLDetectorTool::BuildGeometry() +{ + ATH_MSG_VERBOSE( name() << " GDMLDetectorTool::BuildGeometry(): Starting" ); + + G4GDMLParser parser; + parser.Read(m_GDMLFileName.c_str(),false); + m_envelope.theEnvelope=parser.GetWorldVolume()->GetLogicalVolume(); + + ATH_MSG_VERBOSE( name() << " GDMLDetectorTool::BuildGeometry(): Finished" ); +} + +bool GDMLDetectorTool::IsTopTransform() +{ + return m_blGetTopTransform; +} + +void GDMLDetectorTool::SetInitialTransformation() +{ + ATH_MSG_VERBOSE( name() << " GDMLDetectorTool::SetInitialTransformation(): Starting" ); + if (!m_envelope.theRotation) + { + ATH_MSG_VERBOSE( name() << " GDMLDetectorTool::SetInitialTransformation(): Creating new G4RotationMatrix" ); + m_envelope.theRotation=new G4RotationMatrix; + } + *(m_envelope.theRotation)=m_topTransform.getRotation().inverse(); + m_envelope.thePosition=m_topTransform.getTranslation(); + ATH_MSG_VERBOSE( name() << " GDMLDetectorTool::SetInitialTransformation(): Finished" ); +} diff --git a/Simulation/G4Utilities/Geo2G4/src/GDMLDetectorTool.h b/Simulation/G4Utilities/Geo2G4/src/GDMLDetectorTool.h new file mode 100644 index 0000000000000000000000000000000000000000..36e719de67dc6653c42d7efd8b45d8691d8c3899 --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/src/GDMLDetectorTool.h @@ -0,0 +1,53 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef GEO2G4_GDMLDetectorTool_H +#define GEO2G4_GDMLDetectorTool_H + +// Base classes +#include "G4AtlasTools/DetectorGeometryBase.h" +#include "G4AtlasInterfaces/IDetectorGeometrySvc.h" + +#include "G4Transform3D.hh" + +// Members + +// STL library +#include <string> +#include <vector> + +/** @class GDMLDetectorTool + * + * Tool for building detectors out of a GDML description. + * + * @author Andrea Dell'Acqua + * @date 2017-02-21 + */ + +class GDMLDetectorTool final : public DetectorGeometryBase +{ + public: + // Basic constructor and destructor + GDMLDetectorTool(const std::string& type, const std::string& name, const IInterface *parent); + ~GDMLDetectorTool() {} + + /** Athena method. called at initialization time, being customized here */ + virtual StatusCode initialize() override final; + + /** virtual methods being implemented here */ + + virtual void BuildGeometry() override final; + + private: + + std::string m_GDMLFileName; + std::string m_builderName; + bool m_blGetTopTransform; + G4Transform3D m_topTransform; + std::string m_geoDetectorName; + bool IsTopTransform(); + void SetInitialTransformation(); +}; + +#endif // GEO2G4_GDMLDetectorTool_H diff --git a/Simulation/G4Utilities/Geo2G4/src/Geo2G4AssemblyFactory.cxx b/Simulation/G4Utilities/Geo2G4/src/Geo2G4AssemblyFactory.cxx new file mode 100644 index 0000000000000000000000000000000000000000..631bbf14538882f3dec960a39ae1813673fd407d --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/src/Geo2G4AssemblyFactory.cxx @@ -0,0 +1,41 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#include "Geo2G4AssemblyFactory.h" +#include "Geo2G4AssemblyVolume.h" + +#include "GeoModelKernel/GeoLogVol.h" +#include "GeoModelKernel/GeoVPhysVol.h" + +#include <iostream> + +Geo2G4AssemblyFactory::Geo2G4AssemblyFactory() +{ +} + +Geo2G4AssemblyVolume* Geo2G4AssemblyFactory::Build(const PVConstLink thePhys, + bool& descend) +{ + const GeoLogVol* theLog = thePhys->getLogVol(); + + // Check if the assembly was used in GeoModel as a leaf node + if(thePhys->getNChildVols() == 0) + throw std::runtime_error(std::string("In GeoModel description the assembly ") + theLog->getName() + + std::string(" has no children!")); + + descend = true; + + // Search for the assembly in the map + auto it = m_assemblyMap.find(&(*thePhys)); + if(it == m_assemblyMap.end()) + { + auto pair = m_assemblyMap.emplace(&(*thePhys), std::make_unique<Geo2G4AssemblyVolume> ()); + return pair.first->second.get(); + } + else + { + descend = false; + return it->second.get(); + } +} diff --git a/Simulation/G4Utilities/Geo2G4/src/Geo2G4AssemblyFactory.h b/Simulation/G4Utilities/Geo2G4/src/Geo2G4AssemblyFactory.h new file mode 100644 index 0000000000000000000000000000000000000000..16c93561260be876e07defefa0bf9fe55a24ce59 --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/src/Geo2G4AssemblyFactory.h @@ -0,0 +1,27 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef GEO2G4_Geo2G4AssemblyFactory_h +#define GEO2G4_Geo2G4AssemblyFactory_h + +#include "GeoModelKernel/GeoVPhysVol.h" +#include "Geo2G4AssemblyFactory.h" + +#include <map> +#include <memory> + +class Geo2G4AssemblyVolume; + +class Geo2G4AssemblyFactory +{ + public: + Geo2G4AssemblyFactory(); + Geo2G4AssemblyVolume* Build(const PVConstLink thePhys, + bool& descend); + + private: + std::map<const GeoVPhysVol*, std::unique_ptr<Geo2G4AssemblyVolume>, std::less<const GeoVPhysVol*> > m_assemblyMap; +}; + +#endif diff --git a/Simulation/G4Utilities/Geo2G4/src/Geo2G4AssemblyTriplet.h b/Simulation/G4Utilities/Geo2G4/src/Geo2G4AssemblyTriplet.h new file mode 100644 index 0000000000000000000000000000000000000000..a7ba9be6c493e06e593bbaf4ede758b8f89eb64a --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/src/Geo2G4AssemblyTriplet.h @@ -0,0 +1,218 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef GEO2G4_ASSEMBLYTRIPLET_H +#define GEO2G4_ASSEMBLYTRIPLET_H + +#include "G4ThreeVector.hh" +#include "G4RotationMatrix.hh" + +class G4LogicalVolume; +class Geo2G4AssemblyVolume; + +class Geo2G4AssemblyTriplet +{ + public: // with description + + Geo2G4AssemblyTriplet(); + // Default constructor + + Geo2G4AssemblyTriplet( G4LogicalVolume* pVolume, + G4ThreeVector& translation, + G4RotationMatrix* pRotation, + G4bool isReflection = false); + // An explicit constructor for a logical volume + + Geo2G4AssemblyTriplet( Geo2G4AssemblyVolume* pAssembly, + G4ThreeVector& translation, + G4RotationMatrix* pRotation, + G4bool isReflection = false); + // An explicit constructor for an assembly volume + + Geo2G4AssemblyTriplet( const Geo2G4AssemblyTriplet& second ); + // Copy constructor + + ~Geo2G4AssemblyTriplet(); + // Destructor + + Geo2G4AssemblyTriplet& operator=( const Geo2G4AssemblyTriplet& second ); + // Assignment operator + + G4LogicalVolume* GetVolume() const; + // Retrieve the logical volume reference + + void SetVolume( G4LogicalVolume* pVolume ); + // Update the logical volume reference + + Geo2G4AssemblyVolume* GetAssembly() const; + // Retrieve the assembly volume reference + + void SetAssembly( Geo2G4AssemblyVolume* pAssembly ); + // Update the assembly volume reference + + G4ThreeVector GetTranslation() const; + // Retrieve the logical volume translation + + void SetTranslation( G4ThreeVector& pVolume ); + // Update the logical volume translation + + G4RotationMatrix* GetRotation() const; + // Retrieve the logical volume rotation + + void SetRotation( G4RotationMatrix* pVolume ); + // Update the logical volume rotation + + G4bool IsReflection() const; + // Return true if the logical or assembly volume has reflection + + private: + + G4LogicalVolume* m_volume; + // A logical volume + + G4ThreeVector m_translation; + // A logical volume translation + + G4RotationMatrix* m_rotation; + // A logical volume rotation + + private: + + // Member data for handling assemblies of assemblies and reflections + + Geo2G4AssemblyVolume* m_assembly; + // An assembly volume + + G4bool m_isReflection; + // True if the logical or assembly volume has reflection +}; + +inline +Geo2G4AssemblyTriplet::Geo2G4AssemblyTriplet() + : m_volume( 0 ), m_rotation( 0 ), m_assembly(0), m_isReflection(false) +{ + G4ThreeVector v(0.,0.,0.); + m_translation = v; +} + +inline +Geo2G4AssemblyTriplet::Geo2G4AssemblyTriplet( G4LogicalVolume* pVolume, + G4ThreeVector& translation, + G4RotationMatrix* pRotation, + G4bool isReflection ) + : m_volume( pVolume ), m_translation( translation ), m_rotation( pRotation ), + m_assembly( 0 ), m_isReflection(isReflection) +{ +} + +inline +Geo2G4AssemblyTriplet::Geo2G4AssemblyTriplet( Geo2G4AssemblyVolume* pAssembly, + G4ThreeVector& translation, + G4RotationMatrix* pRotation, + G4bool isReflection ) + : m_volume( 0 ), m_translation( translation ), m_rotation( pRotation ), + m_assembly( pAssembly ), m_isReflection(isReflection) +{ +} + +inline +Geo2G4AssemblyTriplet::Geo2G4AssemblyTriplet( const Geo2G4AssemblyTriplet& second ) +{ + m_volume = second.GetVolume(); + m_rotation = second.GetRotation(); + m_translation = second.GetTranslation(); + m_assembly = second.GetAssembly(); + m_isReflection = second.IsReflection(); +} + +inline +Geo2G4AssemblyTriplet::~Geo2G4AssemblyTriplet() +{ +} + +inline +G4LogicalVolume* Geo2G4AssemblyTriplet::GetVolume() const +{ + return m_volume; +} + +inline +void Geo2G4AssemblyTriplet::SetVolume( G4LogicalVolume* pVolume ) +{ + if ( m_assembly ) + { + G4Exception("Geo2G4AssemblyTriplet::SetVolume()", + "IllegalCall", JustWarning, + "There is an assembly already set, it will be ignored."); + } + m_volume = pVolume; + m_assembly = 0; +} + +inline +Geo2G4AssemblyVolume* Geo2G4AssemblyTriplet::GetAssembly() const +{ + return m_assembly; +} + +inline +void Geo2G4AssemblyTriplet::SetAssembly( Geo2G4AssemblyVolume* pAssembly ) +{ + if ( m_volume ) + { + G4Exception("Geo2G4AssemblyTriplet::SetAssembly()", + "IllegalCall", JustWarning, + "There is a volume already set, it will be ignored."); + } + m_assembly = pAssembly; + m_volume = 0; +} + +inline +G4ThreeVector Geo2G4AssemblyTriplet::GetTranslation() const +{ + return m_translation; +} + +inline +void Geo2G4AssemblyTriplet::SetTranslation( G4ThreeVector& translation ) +{ + m_translation = translation; +} + +inline +G4RotationMatrix* Geo2G4AssemblyTriplet::GetRotation() const +{ + return m_rotation; +} + +inline +void Geo2G4AssemblyTriplet::SetRotation( G4RotationMatrix* pRotation ) +{ + m_rotation = pRotation; +} + +inline +G4bool Geo2G4AssemblyTriplet::IsReflection() const +{ + return m_isReflection; +} + +inline +Geo2G4AssemblyTriplet& +Geo2G4AssemblyTriplet::operator=( const Geo2G4AssemblyTriplet& second ) +{ + if( this != &second ) + { + m_volume = second.GetVolume(); + m_rotation = second.GetRotation(); + m_translation = second.GetTranslation(); + m_assembly = second.GetAssembly(); + m_isReflection = second.IsReflection(); + } + + return *this; +} + +#endif diff --git a/Simulation/G4Utilities/Geo2G4/src/Geo2G4AssemblyVolume.cxx b/Simulation/G4Utilities/Geo2G4/src/Geo2G4AssemblyVolume.cxx new file mode 100644 index 0000000000000000000000000000000000000000..86de232db91748ab5323bcbaf4a98319cb8585ec --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/src/Geo2G4AssemblyVolume.cxx @@ -0,0 +1,350 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#include "Geo2G4AssemblyVolume.h" +#include "G4PVPlacement.hh" +#include "G4RotationMatrix.hh" +#include "G4AffineTransform.hh" +#include "G4LogicalVolume.hh" +#include "G4VPhysicalVolume.hh" +#include "G4ReflectionFactory.hh" + +#include <sstream> + +unsigned int Geo2G4AssemblyVolume::s_instanceCounter = 0; + +// Default constructor +// +Geo2G4AssemblyVolume::Geo2G4AssemblyVolume() +: m_assemblyID( 0 ) +{ + InstanceCountPlus(); + SetAssemblyID( GetInstanceCount() ); + SetImprintsCount( 0 ); +} + +// Destructor +// +Geo2G4AssemblyVolume::~Geo2G4AssemblyVolume() +{ + unsigned int howmany = m_triplets.size(); + if( howmany != 0 ) + { + for( unsigned int i = 0; i < howmany; i++ ) + { + G4RotationMatrix* pRotToClean = m_triplets[i].GetRotation(); + if( pRotToClean != 0 ) + { + delete pRotToClean; + } + } + } + m_triplets.clear(); + + howmany = m_PVStore.size(); + if( howmany != 0 ) + { + for( unsigned int j = 0; j < howmany; j++ ) + { + G4RotationMatrix* pRotToClean = m_PVStore[j]->GetRotation(); + if( pRotToClean != 0 ) + { + delete pRotToClean; + } + delete m_PVStore[j]; + } + } + m_PVStore.clear(); + InstanceCountMinus(); +} + +// Add and place the given volume according to the specified +// translation and rotation. +// +// The rotation matrix passed in can be 0 = identity or an address even of an +// object on the upper stack frame. During assembly imprint, it creates anyway +// a new matrix and keeps track of it so it can delete it later at destruction +// time. +// This policy has been adopted since user has no control on the way the +// rotations are combined. +// +void Geo2G4AssemblyVolume::AddPlacedVolume( G4LogicalVolume* pVolume, + G4ThreeVector& translation, + G4RotationMatrix* pRotation, + int copyNo, G4String userC) +{ + G4RotationMatrix* toStore = new G4RotationMatrix; + + if( pRotation != 0 ) { *toStore = *pRotation; } + + Geo2G4AssemblyTriplet toAdd( pVolume, translation, toStore ); + m_triplets.push_back( toAdd ); + + m_copyNumbers.push_back( copyNo ); + m_userComments.push_back( userC ); +} + +// Add and place the given volume according to the specified transformation +// +void Geo2G4AssemblyVolume::AddPlacedVolume( G4LogicalVolume* pVolume, + G4Transform3D& transformation, + int copyNo, G4String userC) +{ + // Decompose transformation + G4Scale3D scale; + G4Rotate3D rotation; + G4Translate3D translation; + transformation.getDecomposition(scale, rotation, translation); + + G4ThreeVector v = translation.getTranslation(); + G4RotationMatrix* r = new G4RotationMatrix; + *r = rotation.getRotation(); + + G4bool isReflection = false; + if (scale(0,0)*scale(1,1)*scale(2,2) < 0.) { isReflection = true; } + + Geo2G4AssemblyTriplet toAdd( pVolume, v, r, isReflection ); + m_triplets.push_back( toAdd ); + + m_copyNumbers.push_back( copyNo ); + m_userComments.push_back( userC ); +} + +// Add and place the given assembly volume according to the specified +// translation and rotation. +// +void Geo2G4AssemblyVolume::AddPlacedAssembly( Geo2G4AssemblyVolume* pAssembly, + G4ThreeVector& translation, + G4RotationMatrix* pRotation ) +{ + G4RotationMatrix* toStore = new G4RotationMatrix; + + if( pRotation != 0 ) { *toStore = *pRotation; } + + Geo2G4AssemblyTriplet toAdd( pAssembly, translation, toStore ); + m_triplets.push_back( toAdd ); +} + +// Add and place the given assembly volume according to the specified +// transformation +// +void Geo2G4AssemblyVolume::AddPlacedAssembly( Geo2G4AssemblyVolume* pAssembly, + G4Transform3D& transformation ) +{ + // Decompose transformation + // + G4Scale3D scale; + G4Rotate3D rotation; + G4Translate3D translation; + transformation.getDecomposition(scale, rotation, translation); + + G4ThreeVector v = translation.getTranslation(); + G4RotationMatrix* r = new G4RotationMatrix; + *r = rotation.getRotation(); + + G4bool isReflection = false; + if (scale(0,0)*scale(1,1)*scale(2,2) < 0.) { isReflection = true; } + + Geo2G4AssemblyTriplet toAdd( pAssembly, v, r, isReflection ); + m_triplets.push_back( toAdd ); +} + +// Create an instance of an assembly volume inside of the specified +// mother volume. This works analogically to making stamp imprints. +// This method makes use of the Geant4 affine transformation class. +// The algorithm is defined as follows: +// +// Having rotation matrix Rm and translation vector Tm to be applied +// inside the mother and rotation matrix Ra and translation vector Ta +// to be applied inside the assembly itself for each of the participating +// volumes the resulting transformation is +// +// Tfinal = Ta * Tm +// +// where Ta and Tm are constructed as +// +// -1 -1 +// Ta = Ra * Ta and Tm = Rm * Tm +// +// which in words means that we create first the affine transformations +// by inverse rotation matrices and translations for mother and assembly. +// The resulting final transformation to be applied to each of the +// participating volumes is their product. +// +// IMPORTANT NOTE! +// The order of multiplication is reversed when comparing to CLHEP 3D +// transformation matrix(G4Transform3D class). +// +// The rotation matrix passed in can be 0 = identity or an address even of an +// object on the upper stack frame. During assembly imprint, it creates anyway +// a new matrix and keeps track of it so it can delete it later at destruction +// time. +// This policy has been adopted since user has no control on the way the +// rotations are combined. +// +// If the assembly volume contains assembly (a'), the function is called +// recursively with composed transformation: +// +// Tanew = Ta * Ta' +// +void Geo2G4AssemblyVolume::MakeImprint( Geo2G4AssemblyVolume* pAssembly, + G4LogicalVolume* pMotherLV, + G4Transform3D& transformation, + G4int copyNumBase, + G4bool ITkScheme, + G4bool surfCheck ) +{ + unsigned int numberOfDaughters; + + if( copyNumBase == 0 ) + { + numberOfDaughters = pMotherLV->GetNoDaughters(); + } + else + { + numberOfDaughters = copyNumBase; + } + // We start from the first available index + // + numberOfDaughters++; + + ImprintsCountPlus(); + std::vector<Geo2G4AssemblyTriplet> triplets = pAssembly->m_triplets; + for( unsigned int i = 0; i < triplets.size(); i++ ) + { + G4Transform3D Ta( *(triplets[i].GetRotation()), + triplets[i].GetTranslation() ); + if ( triplets[i].IsReflection() ) { Ta = Ta * G4ReflectZ3D(); } + + G4Transform3D Tfinal = transformation * Ta; + if ( triplets[i].GetVolume() ) + { + // Generate the unique name for the next PV instance + // The name has format: + // + // av_WWW_impr_XXX_YYY_ZZZ + // where the fields mean: + // WWW - assembly volume instance number + // XXX - assembly volume imprint number + // YYY - the name of a log. volume we want to make a placement of + // ZZZ - the log. volume index inside the assembly volume + // + + + std::stringstream pvName; + pvName << "av_" + << GetAssemblyID() + << "_impr_" + << GetImprintsCount() + << "_" + << triplets[i].GetVolume()->GetName().c_str() + << "_pv_" + << i; + if (i<m_userComments.size() && !(m_userComments[i].empty())) pvName<<"_"<<m_userComments[i]; + pvName<<std::ends; + // Generate a new physical volume instance inside a mother + // (as we allow 3D transformation use G4ReflectionFactory to + // take into account eventual reflection) + // + int ccn=numberOfDaughters + i; + if (i<m_copyNumbers.size() && m_copyNumbers[i]) { + if(ITkScheme) ccn=m_copyNumbers[i]; + else ccn=m_copyNumbers[i]+copyNumBase; + } + + G4PhysicalVolumesPair pvPlaced + = G4ReflectionFactory::Instance()->Place( Tfinal, + pvName.str().c_str(), + triplets[i].GetVolume(), + pMotherLV, + false, + ccn, + surfCheck ); + + + // Register the physical volume created by us so we can delete it later + // + m_PVStore.push_back( pvPlaced.first ); + if ( pvPlaced.second ) { m_PVStore.push_back( pvPlaced.second ); } + } + else if ( triplets[i].GetAssembly() ) + { + // Place volumes in this assembly with composed transformation + // + if(ITkScheme) triplets[i].GetAssembly()->MakeImprint( triplets[i].GetAssembly(), pMotherLV, + Tfinal, i*100+copyNumBase, ITkScheme, surfCheck ); + else MakeImprint( triplets[i].GetAssembly(), pMotherLV, + Tfinal, i*100+copyNumBase, ITkScheme, surfCheck ); + } + else + { + G4Exception("Geo2G4AssemblyVolume::MakeImprint(..)", + "NotApplicable", FatalException, + "Triplet has no volume and no assembly"); + } + } +} + +void Geo2G4AssemblyVolume::MakeImprint( G4LogicalVolume* pMotherLV, + G4ThreeVector& translationInMother, + G4RotationMatrix* pRotationInMother, + G4int copyNumBase, + G4bool ITkScheme, + G4bool surfCheck ) +{ + // If needed user can specify explicitely the base count from which to start + // off for the generation of phys. vol. copy numbers. + // The old behaviour is preserved when copyNumBase == 0, e.g. the generated + // copy numbers start from the count equal to current number of daughter + // volumes before an imprint is made + + // Compose transformation + // + if( pRotationInMother == 0 ) + { + // Make it by default an indentity matrix + // + pRotationInMother = + const_cast<G4RotationMatrix*>( &G4RotationMatrix::IDENTITY ); + } + + G4Transform3D transform( *pRotationInMother, + translationInMother ); + MakeImprint(this, pMotherLV, transform, copyNumBase, ITkScheme, surfCheck); +} + +void Geo2G4AssemblyVolume::MakeImprint( G4LogicalVolume* pMotherLV, + G4Transform3D& transformation, + G4int copyNumBase, + G4bool ITkScheme, + G4bool surfCheck ) +{ + // If needed user can specify explicitely the base count from which to start + // off for the generation of phys. vol. copy numbers. + // The old behaviour is preserved when copyNumBase == 0, e.g. the generated + // copy numbers start from the count equal to current number of daughter + // volumes before a imprint is made + + MakeImprint(this, pMotherLV, transformation, copyNumBase, ITkScheme, surfCheck); +} + +unsigned int Geo2G4AssemblyVolume::GetInstanceCount() const +{ + return Geo2G4AssemblyVolume::s_instanceCounter; +} + +void Geo2G4AssemblyVolume::SetInstanceCount( unsigned int value ) +{ + Geo2G4AssemblyVolume::s_instanceCounter = value; +} + +void Geo2G4AssemblyVolume::InstanceCountPlus() +{ + Geo2G4AssemblyVolume::s_instanceCounter++; +} + +void Geo2G4AssemblyVolume::InstanceCountMinus() +{ + Geo2G4AssemblyVolume::s_instanceCounter--; +} diff --git a/Simulation/G4Utilities/Geo2G4/src/Geo2G4AssemblyVolume.h b/Simulation/G4Utilities/Geo2G4/src/Geo2G4AssemblyVolume.h new file mode 100644 index 0000000000000000000000000000000000000000..7efa3d10563b8251c30c9ff4ae047b16b6a2da29 --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/src/Geo2G4AssemblyVolume.h @@ -0,0 +1,235 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef GEO2G4_ASSEMBLYVOLUME_H +#define GEO2G4_ASSEMBLYVOLUME_H + +#include "Geo2G4AssemblyTriplet.h" +#include "G4Transform3D.hh" +#include <vector> + +class G4VPhysicalVolume; + +class Geo2G4AssemblyVolume +{ +public: // with description + + Geo2G4AssemblyVolume(); + Geo2G4AssemblyVolume( G4LogicalVolume* volume, + G4ThreeVector& translation, + G4RotationMatrix* rotation); + ~Geo2G4AssemblyVolume(); + // + // Constructors & destructor. + // At destruction all the generated physical volumes and associated + // rotation matrices of the imprints will be destroyed. + // + // The rotation matrix passed as argument can be 0 (identity) or an address + // even of an object on the upper stack frame. During assembly imprint, a + // new matrix is created anyway and it is kept track of it so it can be + // automatically deleted later at the end of the application. + // This policy is adopted since user has no control on the way the + // rotations are combined. + + void AddPlacedVolume( G4LogicalVolume* pPlacedVolume, + G4ThreeVector& translation, + G4RotationMatrix* rotation, + int copyNo=0,G4String userComment=""); + // + // Place the given volume 'pPlacedVolume' inside the assembly. + // + // The adopted approach: + // + // - Place it w.r.t. the assembly coordinate system. + // This step is applied to each of the participating volumes. + // + // The other possible approaches: + // + // - Place w.r.t. the firstly added volume. + // When placed the first, the virtual coordinate system becomes + // the coordinate system of the first one. + // Every next volume being added into the assembly will be placed + // w.r.t to the first one. + // + // - Place w.r.t the last placed volume. + // When placed the first, the virtual coordinate system becomes + // the coordinate system of the first one. + // Every next volume being added into the assembly will be placed + // w.r.t to the previous one. + // + // The rotation matrix passed as argument can be 0 (identity) or an address + // even of an object on the upper stack frame. During assembly imprint, a + // new matrix is created anyway and it is kept track of it so it can be + // automatically deleted later at the end of the application. + // This policy is adopted since user has no control on the way the + // rotations are combined. + + void AddPlacedVolume( G4LogicalVolume* pPlacedVolume, + G4Transform3D& transformation, + int copyNo=0,G4String userComment=""); + // + // The same as previous, but takes complete 3D transformation in space + // as its argument. + + void AddPlacedAssembly( Geo2G4AssemblyVolume* pAssembly, + G4Transform3D& transformation); + // + // The same as previous AddPlacedVolume(), but takes an assembly volume + // as its argument. + + void AddPlacedAssembly( Geo2G4AssemblyVolume* pAssembly, + G4ThreeVector& translation, + G4RotationMatrix* rotation); + // + // The same as above AddPlacedVolume(), but takes an assembly volume + // as its argument with translation and rotation. + + void MakeImprint( G4LogicalVolume* pMotherLV, + G4ThreeVector& translationInMother, + G4RotationMatrix* pRotationInMother, + G4int copyNumBase = 0, + G4bool ITkScheme = false, + G4bool surfCheck = false ); + // + // Creates instance of an assembly volume inside the given mother volume. + + void MakeImprint( G4LogicalVolume* pMotherLV, + G4Transform3D& transformation, + G4int copyNumBase = 0, + G4bool ITkScheme = false, + G4bool surfCheck = false ); + // + // The same as previous Imprint() method, but takes complete 3D + // transformation in space as its argument. + + inline std::vector<G4VPhysicalVolume*>::iterator GetVolumesIterator(); + inline unsigned int TotalImprintedVolumes() const; + // + // Methods to access the physical volumes imprinted with the assembly. + + unsigned int GetImprintsCount() const; + // + // Return the number of made imprints. + + unsigned int GetInstanceCount() const; + // + // Return the number of existing instance of Geo2G4AssemblyVolume class. + + unsigned int GetAssemblyID() const; + // + // Return instance number of this concrete object. + +protected: + + void SetInstanceCount( unsigned int value ); + void SetAssemblyID( unsigned int value ); + + void InstanceCountPlus(); + void InstanceCountMinus(); + + void SetImprintsCount( unsigned int value ); + void ImprintsCountPlus(); + void ImprintsCountMinus(); + // + // Internal counting mechanism, used to compute unique the names of + // physical volumes created by MakeImprint() methods. + +private: + + void MakeImprint( Geo2G4AssemblyVolume* pAssembly, + G4LogicalVolume* pMotherLV, + G4Transform3D& transformation, + G4int copyNumBase = 0, + G4bool ITkScheme = false, + G4bool surfCheck = false ); + // + // Function for placement of the given assembly in the given mother + // (called recursively if the assembly contains an assembly). + +private: + + std::vector<Geo2G4AssemblyTriplet> m_triplets; + std::vector<int> m_copyNumbers; + std::vector<G4String> m_userComments; + // + // Participating volumes represented as a vector of + // <logical volume, translation, rotation>. + + std::vector<G4VPhysicalVolume*> m_PVStore; + // + // We need to keep list of physical volumes created by MakeImprint() method + // in order to be able to cleanup the objects when not needed anymore. + // This requires the user to keep assembly objects in memory during the + // whole job or during the life-time of G4Navigator, logical volume store + // and physical volume store keep pointers to physical volumes generated by + // the assembly volume. + // When an assembly object is about to die it will destroy all its + // generated physical volumes and rotation matrices as well ! + + unsigned int m_imprintsCounter; + // + // Number of imprints of the given assembly volume. + + static unsigned int s_instanceCounter; + // + // Class instance counter. + + unsigned int m_assemblyID; + // + // Assembly object ID derived from instance counter at construction time. + +}; + +inline +unsigned int Geo2G4AssemblyVolume::GetImprintsCount() const +{ + return m_imprintsCounter; +} + +inline +void Geo2G4AssemblyVolume::SetImprintsCount( unsigned int value ) +{ + m_imprintsCounter = value; +} + + +inline +void Geo2G4AssemblyVolume::ImprintsCountPlus() +{ + m_imprintsCounter++; +} + +inline +void Geo2G4AssemblyVolume::ImprintsCountMinus() +{ + m_imprintsCounter--; +} + +inline +unsigned int Geo2G4AssemblyVolume::GetAssemblyID() const +{ + return m_assemblyID; +} + +inline +void Geo2G4AssemblyVolume::SetAssemblyID( unsigned int value ) +{ + m_assemblyID = value; +} + +inline +std::vector<G4VPhysicalVolume*>::iterator +Geo2G4AssemblyVolume::GetVolumesIterator() +{ + std::vector<G4VPhysicalVolume*>::iterator iterator = m_PVStore.begin(); + return iterator; +} + +inline +unsigned int Geo2G4AssemblyVolume::TotalImprintedVolumes() const +{ + return m_PVStore.size(); +} + +#endif diff --git a/Simulation/G4Utilities/Geo2G4/src/Geo2G4Builder.cxx b/Simulation/G4Utilities/Geo2G4/src/Geo2G4Builder.cxx new file mode 100644 index 0000000000000000000000000000000000000000..c0bafadb056c846ecfea905b1768317812c6e35f --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/src/Geo2G4Builder.cxx @@ -0,0 +1,221 @@ +/* + Copyright (C) 2002-2018 CERN for the benefit of the ATLAS collaboration +*/ + +#include "Geo2G4Builder.h" +#include "Geo2G4SvcAccessor.h" +#include "G4AtlasInterfaces/Geo2G4SvcBase.h" +#include "Geo2G4OpticalSurfaceFactory.h" + +#include "GeoModelKernel/GeoVDetectorManager.h" +#include "GeoModelKernel/GeoShapeUnion.h" +#include "GeoModelKernel/GeoShapeShift.h" +#include "GeoModelKernel/GeoMaterial.h" +#include "GeoModelKernel/GeoLogVol.h" +#include "GeoModelKernel/GeoPhysVol.h" +#include "GeoModelKernel/GeoTransform.h" + +#include "GeoModelUtilities/GeoModelExperiment.h" +#include "GeoModelInterfaces/StoredMaterialManager.h" + +#include "AthenaBaseComps/AthMsgStreamMacros.h" + +#include "GaudiKernel/ISvcLocator.h" +#include "GaudiKernel/Bootstrap.h" +#include "StoreGate/StoreGateSvc.h" +#include "StoreGate/StoreGate.h" + +#include "G4ReflectionFactory.hh" +#include "G4LogicalBorderSurface.hh" +#include "G4OpticalSurface.hh" + +#include <map> +#include <iostream> + +Geo2G4Builder::Geo2G4Builder(std::string detectorName) + : m_detectorName(detectorName) + , m_motherTransform(GeoTrf::Transform3D::Identity()) + , m_matAir(nullptr) + , m_pDetStore(nullptr) + , m_msg("Geo2G4Builder") +{ + ISvcLocator* svcLocator = Gaudi::svcLocator(); // from Bootstrap + StatusCode sc=svcLocator->service("DetectorStore",m_pDetStore); + if (sc.isFailure()) { + ATH_MSG_FATAL("Geo2G4Builder for detector "<<detectorName<<"could not access the detector store - PANIC!!!!"); + abort(); + } + + const GeoModelExperiment* theExpt = nullptr; + sc = m_pDetStore->retrieve( theExpt ); + if(sc.isFailure()){ + ATH_MSG_ERROR("Detector "<< detectorName << "could not get GeoModelExperiment!"); + } else { + const GeoVDetectorManager *theManager = theExpt->getManager(detectorName); + + for(unsigned int i=0; i<theManager->getNumTreeTops(); i++) + m_treeTops.push_back(theManager->getTreeTop(i)); + + ATH_MSG_INFO("Found detector: top volume(s)"); + for(unsigned int i=0; i<m_treeTops.size();i++) + ATH_MSG_INFO( " Tree Top " << i << " " << m_treeTops[i]->getLogVol()->getName() ); + + if(m_treeTops.size()>1) + { + // -------- -------- MATERIAL MANAGER -------- ---------- + const StoredMaterialManager* theMaterialManager = nullptr; + sc = m_pDetStore->retrieve(theMaterialManager, "MATERIALS"); + if(sc.isFailure()) + ATH_MSG_ERROR("Detector "<< detectorName << "could not retrieve Material Manager when number of tree tops > 1"); + else + m_matAir = theMaterialManager->getMaterial("std::Air"); + } + + Geo2G4SvcAccessor accessor; + Geo2G4SvcBase *g=accessor.GetGeo2G4Svc(); + m_theBuilder=g->GetDefaultBuilder(); + if(m_theBuilder) + ATH_MSG_INFO("Set volume builder ---> "<< m_theBuilder->GetKey()); + else + ATH_MSG_WARNING("0 pointer to volume builder." + <<"\n Use 'DefaultBuilder' property of Geo2G4Svc or" + <<"\n 'GetVolumeBuilder' method of Geo2G4Builder"); + } +} + +G4LogicalVolume* Geo2G4Builder::BuildTree() +{ + G4LogicalVolume* result = 0; + OpticalVolumesMap* optical_volumes = 0; + const GeoBorderSurfaceContainer* surface_container = 0; + + // Check whether we have to deal with optical surfaces + if(m_pDetStore->contains<GeoBorderSurfaceContainer>(m_detectorName)) + { + StatusCode sc = m_pDetStore->retrieve(surface_container,m_detectorName); + if(sc.isSuccess() && surface_container!=0 && surface_container->size()>0) + optical_volumes = new OpticalVolumesMap(); + } + + if(m_theBuilder) { + if(m_treeTops.size()==1) { + m_motherTransform = m_treeTops[0]->getX(); + result = m_theBuilder->Build(m_treeTops[0],optical_volumes); + } else { + // Create temporary GeoModel physical volume + // The shape is composed by TreeTop shapes + their transforms + const GeoShape& shFirst = (*(m_treeTops[0]->getLogVol()->getShape()))<<(m_treeTops[0]->getX()); + const GeoShape* shResult = &shFirst; + + for(unsigned int i=1; i<m_treeTops.size(); i++){ + const GeoShape& shNext = (*shResult).add((*(m_treeTops[i]->getLogVol()->getShape()))<<(m_treeTops[i]->getX())); + shResult = &shNext; + } + + GeoLogVol* lvEnvelope = new GeoLogVol(m_detectorName,shResult,m_matAir); + GeoPhysVol* pvEnvelope = new GeoPhysVol(lvEnvelope); + + result = m_theBuilder->Build(pvEnvelope); + + // Get pointer to the World + PVConstLink world = m_treeTops[0]->getParent(); + + // Add all tree tops to the result + for(unsigned int i=0; i<m_treeTops.size(); i++) { + // Current Tree Top and its index + PVConstLink pv = m_treeTops[i]; + Query<unsigned int> childIndx = world->indexOf(pv); + + // Tree Top transformation + G4Transform3D theG4Position(Amg::EigenTransformToCLHEP(world->getXToChildVol(childIndx))); + + // Copy number + int id = 16969; + Query<int> Qint = world->getIdOfChildVol(childIndx); + if(Qint.isValid()) id = Qint; + + // PV Tree Top name + std::string nameTT = world->getNameOfChildVol(childIndx); + if (nameTT == "ANON") nameTT = pv->getLogVol()->getName(); + + + G4LogicalVolume* g4LV = m_theBuilder->Build(pv,optical_volumes); + G4ReflectionFactory::Instance()->Place(theG4Position, + nameTT, + g4LV, + result, + false, + id); + } + + // Add the temporary physical volume to the GeoModelExperiment + GeoModelExperiment * theExpt; + StatusCode sc = m_pDetStore->retrieve(theExpt); + if(sc.isFailure()) + ATH_MSG_WARNING("Unable to retrieve GeoModelExperiment. Temporary volume cannot be released"); + else + theExpt->addTmpVolume(pvEnvelope); + } + } + + // build optical surfaces if necessary + if(optical_volumes!=0 && optical_volumes->size()>0){ + BuildOpticalSurfaces(surface_container,optical_volumes); + } else if (optical_volumes!=0){ + ATH_MSG_WARNING("Optical volumes apparently requested, but none found! Deleting temps"); + } + if (optical_volumes!=0) delete optical_volumes; + return result; +} + + +VolumeBuilder* Geo2G4Builder::GetVolumeBuilder(std::string bname) +{ + Geo2G4SvcAccessor accessor; + Geo2G4SvcBase *g=accessor.GetGeo2G4Svc(); + + m_theBuilder=g->GetVolumeBuilder(bname); + return m_theBuilder; +} + +void Geo2G4Builder::BuildOpticalSurfaces(const GeoBorderSurfaceContainer* surface_container, + const OpticalVolumesMap* optical_volumes) +{ + Geo2G4OpticalSurfaceFactory surfaceFactory; + + // Iterate over all Border Surfaces in the container + GeoBorderSurfaceContainer::const_iterator first = surface_container->begin(); + GeoBorderSurfaceContainer::const_iterator last = surface_container->end(); + + for(;first!=last;first++) + { + // Build Optical Surface + const GeoBorderSurface& border_surface = *first; + G4OpticalSurface* g4OptSurface = surfaceFactory.Build(border_surface.getOptSurface()); + + G4VPhysicalVolume* g4PV1 = 0; + G4VPhysicalVolume* g4PV2 = 0; + OpticalVolumesMap::const_iterator volIt; + + // First physical volume + volIt = optical_volumes->find(border_surface.getPV1()); + if(volIt == optical_volumes->end()) + { + ATH_MSG_WARNING("Unable to find " << border_surface.getPV1()->getLogVol()->getName() << " in Optical Volumes map"); + continue; + } + g4PV1 = volIt.operator->()->second; + + // Second physical volume + volIt = optical_volumes->find(border_surface.getPV2()); + if(volIt == optical_volumes->end()) + { + ATH_MSG_WARNING("Unable to find " << border_surface.getPV1()->getLogVol()->getName() << " in Optical Volumes map"); + continue; + } + g4PV2 = volIt.operator->()->second; + + // G4LogicalBorderSurface + G4LogicalBorderSurface* g4BorderSurface __attribute__((unused)) = new G4LogicalBorderSurface(border_surface.getName(),g4PV1,g4PV2,g4OptSurface); + } +} diff --git a/Simulation/G4Utilities/Geo2G4/src/Geo2G4Builder.h b/Simulation/G4Utilities/Geo2G4/src/Geo2G4Builder.h new file mode 100644 index 0000000000000000000000000000000000000000..3aa785ebb5e17f74879500e08785150f2dc53749 --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/src/Geo2G4Builder.h @@ -0,0 +1,71 @@ +/* + Copyright (C) 2002-2018 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef GEO2G4_Geo2G4Builder_H +#define GEO2G4_Geo2G4Builder_H + +// main builder to create/position all volumes described in a GeoModel Tree + +// GeoVPhysVol +#include "VolumeBuilder.h" +#include "GeoModelKernel/GeoVPhysVol.h" +#include "GeoModelKernel/GeoDefinitions.h" +#include "G4LogicalVolume.hh" +//#include "Geo2G4/GenericVolumeBuilder.h" + +// Typedef +#include "GeoModelUtilities/GeoBorderSurfaceContainer.h" + +#include "AthenaKernel/MsgStreamMember.h" + +#include "GeoPrimitives/CLHEPtoEigenConverter.h" + +// STL includes +#include <string> +#include <vector> + +class GeoMaterial; +class StoreGateSvc; + +class Geo2G4Builder { + +public: + // Constructor: + Geo2G4Builder(std::string detectorName); + // Destructor: + ~Geo2G4Builder() {;} + + // Build method - geometry + G4LogicalVolume* BuildTree(); + + // Build method - optical surfaces + void BuildOpticalSurfaces(const GeoBorderSurfaceContainer* surface_container, + const OpticalVolumesMap* optical_volumes); + + // Access volume builder: + VolumeBuilder* GetVolumeBuilder(std::string); + + HepGeom::Transform3D GetDetectorTransform() {return Amg::EigenTransformToCLHEP(m_motherTransform);} + /// Log a message using the Athena controlled logging system + MsgStream& msg( MSG::Level lvl ) const { return m_msg << lvl; } + /// Check whether the logging system is active at the provided verbosity level + bool msgLvl( MSG::Level lvl ) const { return m_msg.get().level() <= lvl; } + +private: + + // GeoVDetectorManager* theDetectorElement; + std::string m_detectorName; + GeoTrf::Transform3D m_motherTransform; + std::vector<PVConstLink> m_treeTops; + VolumeBuilder *m_theBuilder; + + // std::Air in the case when top boolean envelope has to be built + const GeoMaterial* m_matAir; + StoreGateSvc* m_pDetStore; + + /// Private message stream member + mutable Athena::MsgStreamMember m_msg; +}; + +#endif diff --git a/Simulation/G4Utilities/Geo2G4/src/Geo2G4LVFactory.cxx b/Simulation/G4Utilities/Geo2G4/src/Geo2G4LVFactory.cxx new file mode 100644 index 0000000000000000000000000000000000000000..f20c86fa89832688d602a34550882c01dd277400 --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/src/Geo2G4LVFactory.cxx @@ -0,0 +1,99 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#include "Geo2G4LVFactory.h" +#include "Geo2G4SolidFactory.h" +#include "GeoMaterial2G4/Geo2G4MaterialFactory.h" + +#include "GeoModelKernel/GeoLogVol.h" +#include "GeoModelKernel/GeoFullPhysVol.h" + +#include "G4LogicalVolume.hh" +#include "G4Material.hh" + +#include <iostream> +#include <map> + +typedef std::map<const GeoLogVol*, G4LogicalVolume*, std::less<const GeoLogVol*> > leafVMap; +typedef std::map<const GeoVPhysVol*, G4LogicalVolume*, std::less<const GeoVPhysVol*> > branchVMap; + +typedef std::map<const GeoFullPhysVol*, G4LogicalVolume*, std::less<const GeoFullPhysVol*> > fullPVMap; + +Geo2G4LVFactory::Geo2G4LVFactory() +{ +} + +G4LogicalVolume* Geo2G4LVFactory::Build(const PVConstLink thePhys, + bool& descend) const +{ + static Geo2G4SolidFactory theSolidFactory; + static Geo2G4MaterialFactory theMaterialFactory; + + static leafVMap sharedLeafLV; + static branchVMap sharedBranchLV; + static fullPVMap clonedLV; + + const GeoFullPhysVol* fullPV = dynamic_cast<const GeoFullPhysVol*>(&(*thePhys)); + const GeoFullPhysVol* clonePV=0; + + const GeoLogVol* theLog = thePhys->getLogVol(); + G4LogicalVolume *theG4Log=0; + G4Material* theG4Mat=0; + G4VSolid* theG4Solid=0; + + descend = true; + bool putLeaf = false; + bool putBranch = false; + bool putFullPV = false; + + // Check if it is a leaf node of Geo tree + if(thePhys->getNChildVols() == 0) + { + descend=false; + + if(sharedLeafLV.find(theLog) != sharedLeafLV.end()) + return sharedLeafLV[theLog]; + else // here supposed to be ---> else if(theLog->refCount() > 1) + putLeaf = true; + } + // Work with the Full Physical Volumes + else if(fullPV) + { + clonePV = fullPV->cloneOrigin(); + if (clonedLV.find(clonePV)==clonedLV.end()) + { + if(clonePV) putFullPV = true; + } + else + { + descend = false; + return clonedLV[clonePV]; + } + } + else + { + if(sharedBranchLV.find(&(*thePhys)) == sharedBranchLV.end()) + putBranch = true; + else + { + descend = false; + return sharedBranchLV[&(*thePhys)]; + } + } + // Actually build the G4Log + + theG4Mat=theMaterialFactory.Build(theLog->getMaterial()); + theG4Solid = theSolidFactory.Build(theLog->getShape(),theLog->getName()); + + theG4Log = new G4LogicalVolume(theG4Solid, + theG4Mat, + theLog->getName(), + 0,0,0); + + if(putLeaf) sharedLeafLV[theLog] = theG4Log; + if(putBranch) sharedBranchLV[&(*thePhys)] = theG4Log; + if(putFullPV) clonedLV[clonePV] = theG4Log; + + return theG4Log; +} diff --git a/Simulation/G4Utilities/Geo2G4/src/Geo2G4LVFactory.h b/Simulation/G4Utilities/Geo2G4/src/Geo2G4LVFactory.h new file mode 100644 index 0000000000000000000000000000000000000000..3b75b06b8b60de804c5d9ab8be22c586da5141e1 --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/src/Geo2G4LVFactory.h @@ -0,0 +1,21 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef GEO2G4_Geo2G4LVFactory_h +#define GEO2G4_Geo2G4LVFactory_h + +#include "GeoModelKernel/GeoVPhysVol.h" + +class G4LogicalVolume; +class GeoLogVol; + +class Geo2G4LVFactory +{ + public: + Geo2G4LVFactory(); + G4LogicalVolume* Build(const PVConstLink, + bool&) const; +}; + +#endif diff --git a/Simulation/G4Utilities/Geo2G4/src/Geo2G4LogicalVolumeFactory.cxx b/Simulation/G4Utilities/Geo2G4/src/Geo2G4LogicalVolumeFactory.cxx new file mode 100644 index 0000000000000000000000000000000000000000..f37928cf0512f288c5a5e4db0362ae4a55e3eaf7 --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/src/Geo2G4LogicalVolumeFactory.cxx @@ -0,0 +1,39 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#include "Geo2G4LogicalVolumeFactory.h" +#include "Geo2G4SolidFactory.h" +#include "GeoMaterial2G4/Geo2G4MaterialFactory.h" + +#include "GeoModelKernel/GeoLogVol.h" + +#include "G4LogicalVolume.hh" +#include "G4Material.hh" + +#include "SimHelpers/ServiceAccessor.h" + +Geo2G4LogicalVolumeFactory::Geo2G4LogicalVolumeFactory() +{ +} + +G4LogicalVolume *Geo2G4LogicalVolumeFactory::Build(const GeoLogVol* theLog) const +{ + static Geo2G4SolidFactory theSolidFactory; + static Geo2G4MaterialFactory theMaterialFactory; + // + // Get Material from GeoModel + // + std::string n= theLog->getName(); + G4LogicalVolume *theG4Log=0; + G4Material* theG4Mat=theMaterialFactory.Build(theLog->getMaterial()); + + G4VSolid * theG4Solid = theSolidFactory.Build(theLog->getShape(),theLog->getName()); + + theG4Log = new G4LogicalVolume(theG4Solid, + theG4Mat, + theLog->getName(), + 0,0,0); ; + + return theG4Log; +} diff --git a/Simulation/G4Utilities/Geo2G4/src/Geo2G4LogicalVolumeFactory.h b/Simulation/G4Utilities/Geo2G4/src/Geo2G4LogicalVolumeFactory.h new file mode 100644 index 0000000000000000000000000000000000000000..fec63969084a9f86d29de585913a595e7a153ce7 --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/src/Geo2G4LogicalVolumeFactory.h @@ -0,0 +1,17 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef GEO2G4_Geo2G4LogicalVolumeFactory_h +#define GEO2G4_Geo2G4LogicalVolumeFactory_h + +class G4LogicalVolume; +class GeoLogVol; + +class Geo2G4LogicalVolumeFactory { +public: + Geo2G4LogicalVolumeFactory(); + G4LogicalVolume* Build(const GeoLogVol*) const; +}; + +#endif diff --git a/Simulation/G4Utilities/Geo2G4/src/Geo2G4OpticalSurfaceFactory.cxx b/Simulation/G4Utilities/Geo2G4/src/Geo2G4OpticalSurfaceFactory.cxx new file mode 100644 index 0000000000000000000000000000000000000000..3af74f855bbd89eeaabbb4cc48dad4e3e14d285d --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/src/Geo2G4OpticalSurfaceFactory.cxx @@ -0,0 +1,127 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#include "Geo2G4OpticalSurfaceFactory.h" +#include "GeoMaterial2G4/Geo2G4MatPropTableFactory.h" + +#include "GeoModelUtilities/GeoOpticalSurface.h" + +#include "G4OpticalSurface.hh" + +Geo2G4OpticalSurfaceFactory::Geo2G4OpticalSurfaceFactory() +{ +} + +G4OpticalSurface* Geo2G4OpticalSurfaceFactory::Build(const GeoOpticalSurface* geoOpticalSurface) +{ + // + // Check if this surface has already been defined. + // + if(m_definedOptSurfaces.find(geoOpticalSurface) != m_definedOptSurfaces.end()) { + return m_definedOptSurfaces[geoOpticalSurface]; + } + + // map enums + G4OpticalSurfaceModel g4Model; + G4OpticalSurfaceFinish g4Finish; + G4SurfaceType g4Type; + + switch(geoOpticalSurface->GetModel()) + { + case GeoOpticalSurface::glisur: + { + g4Model = glisur; + break; + } + case GeoOpticalSurface::unified: + { + g4Model = unified; + break; + } + default: + g4Model = glisur; + } + + switch(geoOpticalSurface->GetFinish()) + { + case GeoOpticalSurface::polished: + { + g4Finish = polished; + break; + } + case GeoOpticalSurface::polishedfrontpainted: + { + g4Finish = polishedfrontpainted; + break; + } + case GeoOpticalSurface::polishedbackpainted: + { + g4Finish = polishedbackpainted; + break; + } + case GeoOpticalSurface::ground: + { + g4Finish = ground; + break; + } + case GeoOpticalSurface::groundfrontpainted: + { + g4Finish = groundfrontpainted; + break; + } + case GeoOpticalSurface::groundbackpainted: + { + g4Finish = groundbackpainted; + break; + } + default: + g4Finish = polished; + } + + switch(geoOpticalSurface->GetType()) + { + case GeoOpticalSurface::dielectric_metal: + { + g4Type = dielectric_metal; + break; + } + case GeoOpticalSurface::dielectric_dielectric: + { + g4Type = dielectric_dielectric; + break; + } + case GeoOpticalSurface::firsov: + { + g4Type = firsov; + break; + } + case GeoOpticalSurface::x_ray: + { + g4Type = x_ray; + break; + } + default: + g4Type = dielectric_dielectric; + } + + + + G4OpticalSurface* newG4Surface = new G4OpticalSurface(geoOpticalSurface->GetName(), + g4Model, + g4Finish, + g4Type, + geoOpticalSurface->GetParameter()); + + // Create material properties table + Geo2G4MatPropTableFactory* tFactory = Geo2G4MatPropTableFactory::instance(); + GeoMaterialPropertiesTable* geoPropTable = geoOpticalSurface->GetMaterialPropertiesTable(); + + if(geoPropTable){ + G4MaterialPropertiesTable* g4PropTable = tFactory->Build(geoPropTable); + if(g4PropTable) + newG4Surface->SetMaterialPropertiesTable(g4PropTable); + } + + return newG4Surface; +} diff --git a/Simulation/G4Utilities/Geo2G4/src/Geo2G4OpticalSurfaceFactory.h b/Simulation/G4Utilities/Geo2G4/src/Geo2G4OpticalSurfaceFactory.h new file mode 100644 index 0000000000000000000000000000000000000000..035f1988eb75edaf9ada1b5b417084710cf22c25 --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/src/Geo2G4OpticalSurfaceFactory.h @@ -0,0 +1,25 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef GEO2G4_Geo2G4OpticalSurfaceFactory_h +#define GEO2G4_Geo2G4OpticalSurfaceFactory_h + +#include <map> + +class GeoOpticalSurface; +class G4OpticalSurface; + +typedef std::map<const GeoOpticalSurface* , G4OpticalSurface*, std::less<const GeoOpticalSurface*> > Geo2G4OptSurfaceMap; + +class Geo2G4OpticalSurfaceFactory +{ + public: + Geo2G4OpticalSurfaceFactory(); + + G4OpticalSurface* Build(const GeoOpticalSurface*); + private: + Geo2G4OptSurfaceMap m_definedOptSurfaces; +}; + +#endif diff --git a/Simulation/G4Utilities/Geo2G4/src/Geo2G4STParameterisation.cxx b/Simulation/G4Utilities/Geo2G4/src/Geo2G4STParameterisation.cxx new file mode 100644 index 0000000000000000000000000000000000000000..65ab76da77c6393a73a59ea5d73c121590badd3e --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/src/Geo2G4STParameterisation.cxx @@ -0,0 +1,32 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#include "Geo2G4STParameterisation.h" +#include "G4VPhysicalVolume.hh" +#include "GeoPrimitives/CLHEPtoEigenConverter.h" +#include "CLHEP/Geometry/Transform3D.h" + +Geo2G4STParameterisation::Geo2G4STParameterisation(const GeoXF::Function* func, + unsigned int copies): + m_function(func->clone()), + m_nCopies(copies) +{ + m_rotation = new G4RotationMatrix(); +} + +Geo2G4STParameterisation::~Geo2G4STParameterisation() +{ + delete m_rotation; +} + +void Geo2G4STParameterisation::ComputeTransformation(const G4int copyNo, + G4VPhysicalVolume* physVol) const +{ + HepGeom::Transform3D transform = Amg::EigenTransformToCLHEP((*m_function)(copyNo)); + G4ThreeVector translation = transform.getTranslation(); + *m_rotation = transform.getRotation().inverse(); + + physVol->SetTranslation(translation); + physVol->SetRotation(m_rotation); +} diff --git a/Simulation/G4Utilities/Geo2G4/src/Geo2G4STParameterisation.h b/Simulation/G4Utilities/Geo2G4/src/Geo2G4STParameterisation.h new file mode 100644 index 0000000000000000000000000000000000000000..4e501cedb156cb3c383a6acd988a8580a3477a1c --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/src/Geo2G4STParameterisation.h @@ -0,0 +1,71 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef GEO2G4_Geo2G4STParameterisation_H +#define GEO2G4_Geo2G4STParameterisation_H + +#include "globals.hh" +#include "G4VPVParameterisation.hh" +#include "G4RotationMatrix.hh" + +#include "GeoModelKernel/GeoXF.h" + +class G4VPhysicalVolume; + +// Dummy declarations. To avoid warnings +class G4Box; +class G4Trd; +class G4Trap; +class G4Cons; +class G4Sphere; +class G4Torus; +class G4Para; +class G4Hype; +class G4Tubs; +class G4Orb; +class G4Polyhedra; +class G4Polycone; +class G4Ellipsoid; + +class Geo2G4STParameterisation : public G4VPVParameterisation +{ +public: + + Geo2G4STParameterisation(const GeoXF::Function* func, + unsigned int copies); + + virtual ~Geo2G4STParameterisation(); + + void ComputeTransformation (const G4int copyNo, + G4VPhysicalVolume* physVol) const; + +private: + // Declaring, but not defining private copy-constructor and + // assignment operator, as an object of this class should never be + // copied. + Geo2G4STParameterisation(const Geo2G4STParameterisation&); + Geo2G4STParameterisation& operator= (const Geo2G4STParameterisation&); + + // Dummy declarations. To avoid warnings + + void ComputeDimensions (G4Box&,const G4int,const G4VPhysicalVolume*) const {} + void ComputeDimensions (G4Trd&,const G4int,const G4VPhysicalVolume*) const {} + void ComputeDimensions (G4Trap&,const G4int,const G4VPhysicalVolume*) const {} + void ComputeDimensions (G4Cons&,const G4int,const G4VPhysicalVolume*) const {} + void ComputeDimensions (G4Sphere&,const G4int,const G4VPhysicalVolume*) const {} + void ComputeDimensions (G4Torus&,const G4int,const G4VPhysicalVolume*) const {} + void ComputeDimensions (G4Para&,const G4int,const G4VPhysicalVolume*) const {} + void ComputeDimensions (G4Hype&,const G4int,const G4VPhysicalVolume*) const {} + void ComputeDimensions (G4Tubs&,const G4int,const G4VPhysicalVolume*) const {} + void ComputeDimensions (G4Orb&,const G4int,const G4VPhysicalVolume*) const {} + void ComputeDimensions (G4Polyhedra&,const G4int,const G4VPhysicalVolume*) const {} + void ComputeDimensions (G4Polycone&,const G4int,const G4VPhysicalVolume*) const {} + void ComputeDimensions (G4Ellipsoid&,const G4int,const G4VPhysicalVolume*) const {} + + const GeoXF::Function *m_function; + G4RotationMatrix* m_rotation; + unsigned int m_nCopies; +}; + +#endif diff --git a/Simulation/G4Utilities/Geo2G4/src/Geo2G4SolidFactory.cxx b/Simulation/G4Utilities/Geo2G4/src/Geo2G4SolidFactory.cxx new file mode 100644 index 0000000000000000000000000000000000000000..1fefc0820e01a756a637de3a6c0bc65d65d2a9df --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/src/Geo2G4SolidFactory.cxx @@ -0,0 +1,588 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#include "Geo2G4SolidFactory.h" +// #include "LArWheelSolid.h" +// #include "LArWheelSliceSolid.h" +// #include "LArWheelSolidDDProxy.h" + +// #include "GeoSpecialShapes/LArCustomShape.h" + +#include "GeoModelKernel/GeoShape.h" +#include "GeoModelKernel/GeoBox.h" +#include "GeoModelKernel/GeoTube.h" +#include "GeoModelKernel/GeoTubs.h" +#include "GeoModelKernel/GeoTrd.h" +#include "GeoModelKernel/GeoPcon.h" +#include "GeoModelKernel/GeoPgon.h" +#include "GeoModelKernel/GeoPara.h" +#include "GeoModelKernel/GeoTrap.h" +#include "GeoModelKernel/GeoCons.h" +#include "GeoModelKernel/GeoSimplePolygonBrep.h" +#include "GeoModelKernel/GeoTessellatedSolid.h" +#include "GeoModelKernel/GeoEllipticalTube.h" +#include "GeoModelKernel/GeoTorus.h" +#include "GeoModelKernel/GeoGenericTrap.h" +#include "GeoModelKernel/GeoShapeShift.h" +#include "GeoModelKernel/GeoShapeUnion.h" +#include "GeoModelKernel/GeoShapeIntersection.h" +#include "GeoModelKernel/GeoShapeSubtraction.h" +#include "AthenaBaseComps/AthMsgStreamMacros.h" + +#include "G4VSolid.hh" +#include "G4Box.hh" +#include "G4Tubs.hh" +#include "G4Trd.hh" +#include "G4Polycone.hh" +#include "G4Cons.hh" +#include "G4Polyhedra.hh" +#include "G4Trap.hh" +#include "G4Para.hh" +#include "G4UnionSolid.hh" +#include "G4DisplacedSolid.hh" +#include "G4IntersectionSolid.hh" +#include "G4SubtractionSolid.hh" +#include "G4ExtrudedSolid.hh" +#include "G4TessellatedSolid.hh" +#include "G4EllipticalTube.hh" +#include "G4Torus.hh" +#include "G4TriangularFacet.hh" +#include "G4QuadrangularFacet.hh" +#include "G4GenericTrap.hh" + +#include <iostream> +#include <map> +#include <cmath> + +#include "GeoPrimitives/CLHEPtoEigenConverter.h" + +typedef std::map<const GeoShape*, G4VSolid*, std::less<const GeoShape*> > shapesMap; +typedef std::map<std::string, G4VSolid*,std::less<std::string> > customSolidMap; + +// const Geo2G4SolidFactory::LArWheelSolid_typemap Geo2G4SolidFactory::s_lwsTypes = { +// /* entries w/o explicit Pos/Neg kept for backward compatibility */ +// { "LAr::EMEC::InnerWheel::Absorber", {InnerAbsorberWheel, 1} }, +// { "LAr::EMEC::InnerWheel::Electrode", {InnerElectrodWheel, 1} }, +// { "LAr::EMEC::InnerWheel::Glue", {InnerGlueWheel, 1} }, +// { "LAr::EMEC::InnerWheel::Lead", {InnerLeadWheel, 1} }, + +// { "LAr::EMEC::OuterWheel::Absorber", {OuterAbsorberWheel, 1} }, +// { "LAr::EMEC::OuterWheel::Electrode", {OuterElectrodWheel, 1} }, +// { "LAr::EMEC::OuterWheel::Glue", {OuterGlueWheel, 1} }, +// { "LAr::EMEC::OuterWheel::Lead", {OuterLeadWheel, 1} }, + +// { "LAr::EMEC::Pos::InnerWheel::Absorber", {InnerAbsorberWheel, 1} }, +// { "LAr::EMEC::Pos::InnerWheel::Electrode", {InnerElectrodWheel, 1} }, +// { "LAr::EMEC::Pos::InnerWheel::Glue", {InnerGlueWheel, 1} }, +// { "LAr::EMEC::Pos::InnerWheel::Lead", {InnerLeadWheel, 1} }, + +// { "LAr::EMEC::Pos::OuterWheel::Absorber", {OuterAbsorberWheel, 1} }, +// { "LAr::EMEC::Pos::OuterWheel::Electrode", {OuterElectrodWheel, 1} }, +// { "LAr::EMEC::Pos::OuterWheel::Glue", {OuterGlueWheel, 1} }, +// { "LAr::EMEC::Pos::OuterWheel::Lead", {OuterLeadWheel, 1} }, + +// { "LAr::EMEC::Neg::InnerWheel::Absorber", {InnerAbsorberWheel, -1} }, +// { "LAr::EMEC::Neg::InnerWheel::Electrode", {InnerElectrodWheel, -1} }, +// { "LAr::EMEC::Neg::InnerWheel::Glue", {InnerGlueWheel, -1} }, +// { "LAr::EMEC::Neg::InnerWheel::Lead", {InnerLeadWheel, -1} }, + +// { "LAr::EMEC::Neg::OuterWheel::Absorber", {OuterAbsorberWheel, -1} }, +// { "LAr::EMEC::Neg::OuterWheel::Electrode", {OuterElectrodWheel, -1} }, +// { "LAr::EMEC::Neg::OuterWheel::Glue", {OuterGlueWheel, -1} }, +// { "LAr::EMEC::Neg::OuterWheel::Lead", {OuterLeadWheel, -1} }, + +// { "LAr::EMEC::InnerModule::Absorber", {InnerAbsorberModule, 1} }, +// { "LAr::EMEC::InnerModule::Electrode", {InnerElectrodModule, 1} }, +// { "LAr::EMEC::OuterModule::Absorber", {OuterAbsorberModule, 1} }, +// { "LAr::EMEC::OuterModule::Electrode", {OuterElectrodModule, 1} }, + +// { "LAr::EMEC::Pos::InnerCone::Absorber", {InnerAbsorberCone, 1} }, +// { "LAr::EMEC::Pos::InnerCone::Electrode", {InnerElectrodCone, 1} }, +// { "LAr::EMEC::Pos::InnerCone::Glue", {InnerGlueCone, 1} }, +// { "LAr::EMEC::Pos::InnerCone::Lead", {InnerLeadCone, 1} }, + +// { "LAr::EMEC::Neg::InnerCone::Absorber", {InnerAbsorberCone, -1} }, +// { "LAr::EMEC::Neg::InnerCone::Electrode", {InnerElectrodCone, -1} }, +// { "LAr::EMEC::Neg::InnerCone::Glue", {InnerGlueCone, -1} }, +// { "LAr::EMEC::Neg::InnerCone::Lead", {InnerLeadCone, -1} }, + +// { "LAr::EMEC::Pos::OuterFrontCone::Absorber", {OuterAbsorberFrontCone, 1} }, +// { "LAr::EMEC::Pos::OuterFrontCone::Electrode", {OuterElectrodFrontCone, 1} }, +// { "LAr::EMEC::Pos::OuterFrontCone::Glue", {OuterGlueFrontCone, 1} }, +// { "LAr::EMEC::Pos::OuterFrontCone::Lead", {OuterLeadFrontCone, 1} }, + +// { "LAr::EMEC::Neg::OuterFrontCone::Absorber", {OuterAbsorberFrontCone, -1} }, +// { "LAr::EMEC::Neg::OuterFrontCone::Electrode", {OuterElectrodFrontCone, -1} }, +// { "LAr::EMEC::Neg::OuterFrontCone::Glue", {OuterGlueFrontCone, -1} }, +// { "LAr::EMEC::Neg::OuterFrontCone::Lead", {OuterLeadFrontCone, -1} }, + +// { "LAr::EMEC::Pos::OuterBackCone::Absorber", {OuterAbsorberBackCone, 1} }, +// { "LAr::EMEC::Pos::OuterBackCone::Electrode", {OuterElectrodBackCone, 1} }, +// { "LAr::EMEC::Pos::OuterBackCone::Glue", {OuterGlueBackCone, 1} }, +// { "LAr::EMEC::Pos::OuterBackCone::Lead", {OuterLeadBackCone, 1} }, + +// { "LAr::EMEC::Neg::OuterBackCone::Absorber", {OuterAbsorberBackCone, -1} }, +// { "LAr::EMEC::Neg::OuterBackCone::Electrode", {OuterElectrodBackCone, -1} }, +// { "LAr::EMEC::Neg::OuterBackCone::Glue", {OuterGlueBackCone, -1} }, +// { "LAr::EMEC::Neg::OuterBackCone::Lead", {OuterLeadBackCone, -1} }, +// }; + +Geo2G4SolidFactory::Geo2G4SolidFactory() : + m_msg("Geo2G4SolidFactory"), + m_detStore( "StoreGateSvc/DetectorStore", "Geo2G4SolidFactory" ) +{ +} + +G4VSolid *Geo2G4SolidFactory::Build(const GeoShape* geoShape, std::string name) const +{ + G4VSolid* theSolid(nullptr); + + static customSolidMap customSolids; + static shapesMap sharedShapes; + if(sharedShapes.find(geoShape)!=sharedShapes.end()) + return sharedShapes[geoShape]; + + // ------- Variables for boolean operations + G4VSolid* solidA(nullptr); + G4VSolid* solidB(nullptr); + // ------- Variables for Pcon and Pgon + int nPlanes; + double* zPlane(nullptr); + double* rInner(nullptr); + double* rOuter(nullptr); + + std::string n = name; + + // + // The Box + // + if(geoShape->typeID() == GeoBox::getClassTypeID() ) + { + const GeoBox* theBox = dynamic_cast<const GeoBox*> (geoShape); + if (nullptr==theBox) throw std::runtime_error("TypeID did not match cast for box"); + if (n.empty()) n="G4Box"; + if (theBox->getXHalfLength()<=0.){ ATH_MSG_WARNING("Box " << n << " has an x side of " << theBox->getXHalfLength() <<" - using std::abs.");} + if (theBox->getYHalfLength()<=0.){ ATH_MSG_WARNING("Box " << n << " has an y side of " << theBox->getYHalfLength() <<" - using std::abs.");} + if (theBox->getZHalfLength()<=0.){ ATH_MSG_WARNING("Box " << n << " has an z side of " << theBox->getZHalfLength() <<" - using std::abs.");} + theSolid = new G4Box(n, + std::abs(theBox->getXHalfLength()), + std::abs(theBox->getYHalfLength()), + std::abs(theBox->getZHalfLength())); + } + // + // The Tube + // + else if(geoShape->typeID() == GeoTube::getClassTypeID() ) + { + const GeoTube* theTube = dynamic_cast<const GeoTube*> (geoShape); + if (nullptr==theTube) throw std::runtime_error("TypeID did not match cast for tube"); + if (n.empty()) n="G4Tube"; + if (theTube->getRMax()<=0.){ ATH_MSG_WARNING("Tube " << n << " has a max radius of " << theTube->getRMax() <<" - using std::abs.");} + if (theTube->getZHalfLength()<=0.){ ATH_MSG_WARNING("Tube " << n << " has a z half length of " << theTube->getZHalfLength() << " - using std::abs.");} + if (theTube->getRMax()<theTube->getRMin()){ ATH_MSG_WARNING("Tube " << n << " has a max radius of " << theTube->getRMax() << " and a min radius of " << theTube->getRMin());} + theSolid = new G4Tubs(n, + theTube->getRMin(), + std::abs(theTube->getRMax()), + std::abs(theTube->getZHalfLength()), + 0.,360*CLHEP::deg); + } + // + // The Tubs + // + else if(geoShape->typeID() == GeoTubs::getClassTypeID() ) + { + const GeoTubs* theTubs = dynamic_cast<const GeoTubs*> (geoShape); + if (nullptr==theTubs) throw std::runtime_error("TypeID did not match cast for tubs"); + if (n.empty()) n="G4Tubs"; + if (theTubs->getRMin()<0.){ ATH_MSG_WARNING("Tubs " << n << " has a min radius of " << theTubs->getRMax());} + if (theTubs->getRMax()<=0.){ ATH_MSG_WARNING("Tubs " << n << " has a max radius of " << theTubs->getRMax() <<" - using std::abs.");} + if (theTubs->getZHalfLength()<=0.){ ATH_MSG_WARNING("Tubs " << n << " has a half length of " << theTubs->getZHalfLength() <<" - using std::abs.");} + if (theTubs->getRMax()<theTubs->getRMin()){ ATH_MSG_WARNING("Tubs " << n << " has a max radius of " << theTubs->getRMax() << " and a min radius of " << theTubs->getRMin());} + if (theTubs->getDPhi()<=0.){ ATH_MSG_WARNING("Tubs " << n << " has a dPhi of " << theTubs->getDPhi());} + theSolid = new G4Tubs(n, + theTubs->getRMin(), + std::abs(theTubs->getRMax()), + std::abs(theTubs->getZHalfLength()), + theTubs->getSPhi(), + theTubs->getDPhi()); + } + // + // The Trd + // + else if(geoShape->typeID() == GeoTrd::getClassTypeID() ) + { + const GeoTrd* theTrd = dynamic_cast<const GeoTrd*> (geoShape); + if (nullptr==theTrd) throw std::runtime_error("TypeID did not match cast for trd"); + if (n.empty()) n="G4Trd"; + if (theTrd->getXHalfLength1()<0.){ ATH_MSG_WARNING("Trd " << n << " has a x half length 1 of " << theTrd->getXHalfLength1() << " - using std::abs.");} + if (theTrd->getXHalfLength2()<0.){ ATH_MSG_WARNING("Trd " << n << " has a x half length 2 of " << theTrd->getXHalfLength2() << " - using std::abs.");} + if (theTrd->getYHalfLength1()<0.){ ATH_MSG_WARNING("Trd " << n << " has a y half length 1 of " << theTrd->getYHalfLength1() << " - using std::abs.");} + if (theTrd->getYHalfLength2()<0.){ ATH_MSG_WARNING("Trd " << n << " has a y half length 2 of " << theTrd->getYHalfLength2() << " - using std::abs.");} + if (theTrd->getZHalfLength()<=0.){ ATH_MSG_WARNING("Trd " << n << " has a z half length of " << theTrd->getZHalfLength() << " - using std::abs.");} + if (theTrd->getXHalfLength1()<=0. && theTrd->getXHalfLength2()<=0.){ ATH_MSG_WARNING("Trd " << n << " has an x half length 1 of " << theTrd->getXHalfLength1() + << " and an x half length 2 of " << theTrd->getXHalfLength2() << " - using std::abs.");} + if (theTrd->getYHalfLength1()<=0. && theTrd->getYHalfLength2()<=0.){ ATH_MSG_WARNING("Trd " << n << " has a y half length 1 of " << theTrd->getYHalfLength1() + << " and a y half length 2 of " << theTrd->getYHalfLength2() << " - using std::abs.");} + theSolid = new G4Trd(n, + std::abs(theTrd->getXHalfLength1()), + std::abs(theTrd->getXHalfLength2()), + std::abs(theTrd->getYHalfLength1()), + std::abs(theTrd->getYHalfLength2()), + std::abs(theTrd->getZHalfLength())); + } + // + // GeoPcon + // + else if(geoShape->typeID() == GeoPcon::getClassTypeID()) + { + const GeoPcon* thePcon = dynamic_cast<const GeoPcon*>(geoShape); + if (nullptr==thePcon) throw std::runtime_error("TypeID did not match cast for pcon"); + if (n.empty()) n="G4Polycone"; + nPlanes = static_cast<int>(thePcon->getNPlanes()); + zPlane = new double[nPlanes]; + rInner = new double[nPlanes]; + rOuter = new double[nPlanes]; + for (unsigned int index=0; index<static_cast<unsigned int>(nPlanes); index++) + { + zPlane[index] = thePcon->getZPlane(index); + rInner[index] = thePcon->getRMinPlane(index); + rOuter[index] = thePcon->getRMaxPlane(index); + if (rInner[index]<0.){ ATH_MSG_WARNING("PCon " << n << " has an inner radius of " << rInner[index] << " for slice " << index << " of " << nPlanes);} + if (rOuter[index]<=0.){ + ATH_MSG_WARNING("PCon " << n << " has an outer radius of " << rOuter[index] << " for slice " << index << " of " << nPlanes << " - using std::abs."); + rOuter[index] = std::abs(rOuter[index]); + } + } + + theSolid = new G4Polycone(n, + thePcon->getSPhi(), + thePcon->getDPhi(), + nPlanes, + zPlane, + rInner, + rOuter); + } + // + // GeoCons + // + else if(geoShape->typeID() == GeoCons::getClassTypeID()) + { + const GeoCons* theCons = dynamic_cast<const GeoCons*>(geoShape); + if (nullptr==theCons) throw std::runtime_error("TypeID did not match cast for cons"); + if (n.empty()) n="G4Cons"; + if (theCons->getRMax1()<0.){ ATH_MSG_WARNING("Cons " << n << " has a max radius 1 of " << theCons->getRMax1() << " - will use std::abs.");} + if (theCons->getRMax2()<0.){ ATH_MSG_WARNING("Cons " << n << " has a max radius 2 of " << theCons->getRMax2() << " - will use std::abs.");} + if (theCons->getRMin1()<0.){ ATH_MSG_WARNING("Cons " << n << " has a min radius 1 of " << theCons->getRMin1());} + if (theCons->getRMin2()<0.){ ATH_MSG_WARNING("Cons " << n << " has a min radius 2 of " << theCons->getRMin2());} + if (theCons->getDZ()<=0){ ATH_MSG_WARNING("Cons " << n << " has a DZ of " << theCons->getDZ() << " - will use std::abs.");} + if (theCons->getRMax1()<=0. && theCons->getRMax2()<=0.){ ATH_MSG_WARNING("Cons " << n << " has a max radius 1 of " << theCons->getRMax1() + << " and a max radius 2 of " << theCons->getRMax2() << " - will use std::abs.");} + theSolid = new G4Cons(n, + theCons->getRMin1(), + std::abs(theCons->getRMax1()), + theCons->getRMin2(), + std::abs(theCons->getRMax2()), + std::abs(theCons->getDZ()), + theCons->getSPhi(), + theCons->getDPhi()); + } + // + // GeoPara + // + else if(geoShape->typeID() == GeoPara::getClassTypeID()) + { + const GeoPara* thePara = dynamic_cast<const GeoPara*>(geoShape); + if (nullptr==thePara) throw std::runtime_error("TypeID did not match cast for para"); + if (n.empty()) n="G4Para"; + if (thePara->getXHalfLength()<=0.){ ATH_MSG_WARNING("Para " << n << " has an x side of " << thePara->getXHalfLength() <<" - using std::abs.");} + if (thePara->getYHalfLength()<=0.){ ATH_MSG_WARNING("Para " << n << " has an y side of " << thePara->getYHalfLength() <<" - using std::abs.");} + if (thePara->getZHalfLength()<=0.){ ATH_MSG_WARNING("Para " << n << " has an z side of " << thePara->getZHalfLength() <<" - using std::abs.");} + theSolid = new G4Para(n, + std::abs(thePara->getXHalfLength()), + std::abs(thePara->getYHalfLength()), + std::abs(thePara->getZHalfLength()), + thePara->getAlpha(), + thePara->getTheta(), + thePara->getPhi()); + } + // + // GeoPgon + // + else if(geoShape->typeID() == GeoPgon::getClassTypeID()) + { + const GeoPgon* thePgon = dynamic_cast<const GeoPgon*>(geoShape); + if (nullptr==thePgon) throw std::runtime_error("TypeID did not match cast for pgon"); + if (n.empty()) n="G4Polyhedra"; + nPlanes = static_cast<int>(thePgon->getNPlanes()); + zPlane = new double[nPlanes]; + rInner = new double[nPlanes]; + rOuter = new double[nPlanes]; + double alpha = thePgon->getDPhi()/(2*thePgon->getNSides()); // 1/2 openning angle + for (unsigned int index=0; index<static_cast<unsigned int>(nPlanes); index++) + { + zPlane[index] = thePgon->getZPlane(index); + rInner[index] = thePgon->getRMinPlane(index)*cos(alpha); + rOuter[index] = thePgon->getRMaxPlane(index)*cos(alpha); + if (rInner[index]<0.){ ATH_MSG_WARNING("Pgon " << n << " has an inner radius of " << rInner[index] << " for slice " << index << " of " << nPlanes);} + if (rOuter[index]<=0.){ + ATH_MSG_WARNING("Pgon " << n << " has an outer radius of " << rOuter[index] << " for slice " << index << " of " << nPlanes << " - using std::abs."); + rOuter[index] = std::abs(rOuter[index]); + } + } + + theSolid = new G4Polyhedra(n, + thePgon->getSPhi(), + thePgon->getDPhi(), + thePgon->getNSides(), + nPlanes, + zPlane, + rInner, + rOuter); + } + // + // GeoTrap + // + else if(geoShape->typeID() == GeoTrap::getClassTypeID()) + { + const GeoTrap* theTrap = dynamic_cast<const GeoTrap*>(geoShape); + if (nullptr==theTrap) throw std::runtime_error("TypeID did not match cast for trap"); + if (n.empty()) n="G4Trap"; + if (theTrap->getZHalfLength()<=0.){ ATH_MSG_WARNING("Trap " << n << " has an z side of " << theTrap->getZHalfLength() <<" - using std::abs.");} + theSolid = new G4Trap(n, + std::abs(theTrap->getZHalfLength()), + theTrap->getTheta(), + theTrap->getPhi(), + theTrap->getDydzn(), + theTrap->getDxdyndzn(), + theTrap->getDxdypdzn(), + theTrap->getAngleydzn(), + theTrap->getDydzp(), + theTrap->getDxdyndzp(), + theTrap->getDxdypdzp(), + theTrap->getAngleydzp()); + } + // + // Simple Polygon Brep + // + else if(geoShape->typeID() == GeoSimplePolygonBrep::getClassTypeID()) + { + const GeoSimplePolygonBrep* theBrep = dynamic_cast<const GeoSimplePolygonBrep*>(geoShape); + if (nullptr==theBrep) throw std::runtime_error("TypeID did not match cast for brep"); + if (n.empty()) n="G4ExtrudedSolid"; + double dz = theBrep->getDZ(); + int nVertices = theBrep->getNVertices(); + + G4TwoVector off(0,0); + std::vector<G4TwoVector> polygon; + + for(int i=0; i<nVertices; i++) + polygon.push_back(G4TwoVector(theBrep->getXVertex(nVertices-1-i),theBrep->getYVertex(nVertices-1-i))); + + theSolid = new G4ExtrudedSolid(n,polygon,dz,off,1,off,1); + } + // + // Tessellated Solid + // + else if(geoShape->typeID() == GeoTessellatedSolid::getClassTypeID()) + { + const GeoTessellatedSolid* theTessellated = dynamic_cast<const GeoTessellatedSolid*>(geoShape); + if (nullptr==theTessellated) throw std::runtime_error("TypeID did not match cast for tessellated solid"); + if(n.empty()) n="G4TessellatedSolid"; + + G4TessellatedSolid* g4Tessellated = new G4TessellatedSolid(n); + for(size_t i=0; i<theTessellated->getNumberOfFacets(); ++i) { + GeoFacet* geoFacet = theTessellated->getFacet(i); + G4FacetVertexType vertexType = (geoFacet->getVertexType()==GeoFacet::ABSOLUTE? ABSOLUTE : RELATIVE); + G4VFacet* g4Facet(nullptr); + if(geoFacet->getNumberOfVertices()==3) + g4Facet = new G4TriangularFacet(Amg::EigenToHep3Vector(geoFacet->getVertex(0)), + Amg::EigenToHep3Vector(geoFacet->getVertex(1)), + Amg::EigenToHep3Vector(geoFacet->getVertex(2)), + vertexType); + else + g4Facet = new G4QuadrangularFacet(Amg::EigenToHep3Vector(geoFacet->getVertex(0)), + Amg::EigenToHep3Vector(geoFacet->getVertex(1)), + Amg::EigenToHep3Vector(geoFacet->getVertex(2)), + Amg::EigenToHep3Vector(geoFacet->getVertex(3)), + vertexType); + + g4Tessellated->AddFacet(g4Facet); + } + g4Tessellated->SetSolidClosed(true); + theSolid = g4Tessellated; + } + // + // Elliptical Tube + // + else if(geoShape->typeID() == GeoEllipticalTube::getClassTypeID()) + { + const GeoEllipticalTube* theEltube = dynamic_cast<const GeoEllipticalTube*>(geoShape); + if (nullptr==theEltube) throw std::runtime_error("TypeID did not match cast for elliptical tube"); + if (n.empty()) n="G4EllipticalTube"; + + if (theEltube->getXHalfLength()<=0.){ ATH_MSG_WARNING("Eltube " << n << " has an x side of " << theEltube->getXHalfLength() <<" - using std::abs.");} + if (theEltube->getYHalfLength()<=0.){ ATH_MSG_WARNING("Eltube " << n << " has an y side of " << theEltube->getYHalfLength() <<" - using std::abs.");} + if (theEltube->getZHalfLength()<=0.){ ATH_MSG_WARNING("Eltube " << n << " has an z side of " << theEltube->getZHalfLength() <<" - using std::abs.");} + G4EllipticalTube* g4Eltube = new G4EllipticalTube(n + ,std::abs(theEltube->getXHalfLength()) + ,std::abs(theEltube->getYHalfLength()) + ,std::abs(theEltube->getZHalfLength())); + theSolid = g4Eltube; + } + // + // Torus + // + else if(geoShape->typeID() == GeoTorus::getClassTypeID() ) { + const GeoTorus* theTorus = dynamic_cast<const GeoTorus*> (geoShape); + if (nullptr==theTorus) throw std::runtime_error("TypeID did not match cast for torus"); + if (n.empty()) n="G4Torus"; + + theSolid = new G4Torus(n, + theTorus->getRMin(), + theTorus->getRMax(), + theTorus->getRTor(), + theTorus->getSPhi(), + theTorus->getDPhi()); + } + // + // Generic Trap + // + else if(geoShape->typeID() == GeoGenericTrap::getClassTypeID()) { + const GeoGenericTrap* theGenTrap = dynamic_cast<const GeoGenericTrap*>(geoShape); + if (nullptr==theGenTrap) throw std::runtime_error("TypeID did not match cast for generic trap"); + if (n.empty()) n="G4GenericTrap"; + if (theGenTrap->getZHalfLength()<=0.){ ATH_MSG_WARNING("GenTrap " << n << " has an z side of " << theGenTrap->getZHalfLength() <<" - using std::abs.");} + + // Translate vector of vertices from Eigen to CLHEP + std::vector<CLHEP::Hep2Vector> clhepVertices; + clhepVertices.reserve(theGenTrap->getVertices().size()); + for(const GeoTrf::Vector2D& geoVertex : theGenTrap->getVertices()) { + clhepVertices.push_back(CLHEP::Hep2Vector(geoVertex.x(),geoVertex.y())); + } + + G4GenericTrap* g4GenTrap = new G4GenericTrap(n + ,std::abs(theGenTrap->getZHalfLength()) + ,clhepVertices); + theSolid = g4GenTrap; + } + // + // Boolean volumes + // We make use of G4DisplacedSolid which is not documented in the manual but makes the implementation + // a lot simpler. + // + // GeoShapeShift + // + else if (geoShape->typeID() == GeoShapeShift::getClassTypeID() ) + { + const GeoShapeShift* theShapeShift = dynamic_cast<const GeoShapeShift*> (geoShape); + if (nullptr==theShapeShift) throw std::runtime_error("TypeID did not match cast for shape shift"); + if (n.empty()) n="DisplacedSolid"; + G4VSolid * undisplacedSolid = Build(theShapeShift->getOp()); + theSolid = new G4DisplacedSolid(n, undisplacedSolid, Amg::EigenTransformToCLHEP(theShapeShift->getX())); + } + // + // GeoShapeUnion + // + else if (geoShape->typeID() == GeoShapeUnion::getClassTypeID() ) + { + const GeoShapeUnion* theUnion = dynamic_cast<const GeoShapeUnion*> (geoShape); + if (nullptr==theUnion) throw std::runtime_error("TypeID did not match cast for union"); + if (n.empty()) n="Union"; + solidA = Build(theUnion->getOpA()); + solidB = Build(theUnion->getOpB()); + theSolid = new G4UnionSolid(n, solidA, solidB); + } + // + // GeoShapeIntersection + // + else if (geoShape->typeID() == GeoShapeIntersection::getClassTypeID() ) + { + const GeoShapeIntersection* theIntersection = dynamic_cast<const GeoShapeIntersection*>(geoShape); + if (nullptr==theIntersection) throw std::runtime_error("TypeID did not match cast for intersection"); + if (n.empty()) n="Intersection"; + solidA = Build(theIntersection->getOpA()); + solidB = Build(theIntersection->getOpB()); + theSolid = new G4IntersectionSolid(n, solidA, solidB); + } + // + // GeoShapeSubtraction + // + else if (geoShape->typeID() == GeoShapeSubtraction::getClassTypeID() ) + { + const GeoShapeSubtraction* theSubtraction = dynamic_cast<const GeoShapeSubtraction*>(geoShape); + if (nullptr==theSubtraction) throw std::runtime_error("TypeID did not match cast for subtraction"); + if (n.empty()) n="Subtraction"; + solidA = Build(theSubtraction->getOpA()); + solidB = Build(theSubtraction->getOpB()); + theSolid = new G4SubtractionSolid(n, solidA, solidB); + } + // + // Custom Shapes (presently LAr shapes only) + // + // else if(geoShape->typeID() == LArCustomShape::getClassTypeID()) + // { + // const LArCustomShape* customShape = dynamic_cast<const LArCustomShape*> (geoShape); + // if (nullptr==customShape) throw std::runtime_error("TypeID did not match cast for custom shape"); + // std::string customName = customShape->name(); + // customSolidMap::const_iterator it = customSolids.find(customName); + // if(it!=customSolids.end()) + // theSolid = it->second; + // else + // { + // theSolid = nullptr; + // // if(customName.find("Slice") != std::string::npos){ + // // theSolid = createLArWheelSliceSolid(customShape); + // // } else { + // // theSolid = createLArWheelSolid(customName, s_lwsTypes.at(customName) ); // map.at throws std::out_of_range exception on unknown shape name + // // } + // if ( nullptr == theSolid ) { + // std::string error = std::string("Can't create LArWheelSolid for name ") + customName + " in Geo2G4SolidFactory::Build"; + // throw std::runtime_error(error); + // } + + // if(theSolid != nullptr) customSolids[customName] = theSolid; + // } + // } + // + // Catch All + // + else + { + ATH_MSG_FATAL("Sorry this solid is not yet implemented... "); + ATH_MSG_FATAL(geoShape->type()); + ATH_MSG_FATAL("You will have a core dump..."); + return nullptr; + } + + sharedShapes[geoShape] = theSolid; + return theSolid; +} + +// G4VSolid* Geo2G4SolidFactory::createLArWheelSolid(const std::string& name, const LArWheelSolidDef_t & lwsdef) const { // LArWheelSolid_t wheelType, int zside +// LArWheelSolid_t wheelType = lwsdef.first; +// int zside = lwsdef.second; + +// LArWheelSolid * theLWS = new LArWheelSolid(name, wheelType, zside); + +// LArWheelSolidDDProxy * theLWS_p = new LArWheelSolidDDProxy(theLWS); +// // ownership is passed to detStore +// if ( detStore()->record(theLWS_p, name).isFailure() ) { +// ATH_MSG_WARNING("Can't store proxy for LArWheelSolid to the DetectorStore"); +// delete theLWS_p; +// } +// return theLWS; +// } + +// G4VSolid* Geo2G4SolidFactory::createLArWheelSliceSolid(const LArCustomShape* customShape) const +// { +// LArWheelSliceSolid *theLWS = new LArWheelSliceSolid(customShape->name(), customShape->calculator()); + +// LArWheelSolidDDProxy *theLWS_p = new LArWheelSolidDDProxy(theLWS); +// // ownership is passed to detStore +// if(detStore()->record(theLWS_p, theLWS->GetName()).isFailure()){ +// ATH_MSG_WARNING("Can't store proxy for LArWheelSolid to the DetectorStore"); +// delete theLWS_p; +// } +// return theLWS; +// } diff --git a/Simulation/G4Utilities/Geo2G4/src/Geo2G4SolidFactory.h b/Simulation/G4Utilities/Geo2G4/src/Geo2G4SolidFactory.h new file mode 100644 index 0000000000000000000000000000000000000000..97c5d13016e4e5e35b7273c03c177eaa8d80f23a --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/src/Geo2G4SolidFactory.h @@ -0,0 +1,56 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef GEO2G4_Geo2G4SolidFactory_h +#define GEO2G4_Geo2G4SolidFactory_h + +#include <map> +#include <string> + +#include "GaudiKernel/ServiceHandle.h" +//#include "GaudiKernel/StatusCode.h" + +#include "AthenaKernel/MsgStreamMember.h" +#include "StoreGate/StoreGateSvc.h" +// #include "LArWheelSolid_type.h" + +class G4VSolid; +class GeoShape; +// class LArCustomShape; + +class Geo2G4SolidFactory +{ +public: + typedef ServiceHandle<StoreGateSvc> StoreGateSvc_t; + // typedef std::pair<LArWheelSolid_t, int> LArWheelSolidDef_t; + // typedef std::map<std::string, LArWheelSolidDef_t> LArWheelSolid_typemap; + + Geo2G4SolidFactory(); + G4VSolid* Build(const GeoShape*, std::string name=std::string("")) const; + /// Log a message using the Athena controlled logging system + MsgStream& msg( MSG::Level lvl ) const { return m_msg << lvl; } + /// Check whether the logging system is active at the provided verbosity level + bool msgLvl( MSG::Level lvl ) const { return m_msg.get().level() <= lvl; } + + /** @brief The standard @c StoreGateSvc/DetectorStore + * Returns (kind of) a pointer to the @c StoreGateSvc + */ + StoreGateSvc_t& detStore() const; +private: + // G4VSolid* createLArWheelSolid(const std::string& name, const LArWheelSolidDef_t & lwsdef) const; + // G4VSolid* createLArWheelSliceSolid(const LArCustomShape* ) const; + + // static const LArWheelSolid_typemap s_lwsTypes; + + /// Private message stream member + mutable Athena::MsgStreamMember m_msg; + /// Pointer to StoreGate (detector store by default) + mutable StoreGateSvc_t m_detStore; +}; + +inline ServiceHandle<StoreGateSvc>& Geo2G4SolidFactory::detStore() const { + return m_detStore; +} + +#endif diff --git a/Simulation/G4Utilities/Geo2G4/src/Geo2G4Svc.cxx b/Simulation/G4Utilities/Geo2G4/src/Geo2G4Svc.cxx new file mode 100644 index 0000000000000000000000000000000000000000..39435689a5ed4085f3282b6da87f083bc83d98f9 --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/src/Geo2G4Svc.cxx @@ -0,0 +1,121 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#include "Geo2G4Svc.h" +#include "VolumeBuilder.h" +#include "ExtParameterisedVolumeBuilder.h" + +void InitializeBuilders(Geo2G4AssemblyFactory*); + +Geo2G4Svc::Geo2G4Svc(const std::string& name, ISvcLocator* svcLocator) + : base_class(name,svcLocator) + , m_defaultBuilder(nullptr) + , m_getTopTransform(true) + , m_G4AssemblyFactory(nullptr) +{ + ATH_MSG_VERBOSE ("Creating the Geo2G4Svc."); + declareProperty("GetTopTransform", m_getTopTransform); +} +Geo2G4Svc::~Geo2G4Svc() +{;} + +StatusCode Geo2G4Svc::initialize() +{ + static int initialized=0; + if (initialized) + { + ATH_MSG_VERBOSE (" Geo2G4Svc already initialized."); + return StatusCode::SUCCESS; + } + ATH_MSG_VERBOSE ("Initializing the Geo2G4Svc."); + ATH_MSG_VERBOSE ("Creating all builders available."); + m_G4AssemblyFactory = std::make_unique<Geo2G4AssemblyFactory>(); + InitializeBuilders(m_G4AssemblyFactory.get()); // separate function not part of this class + + const std::string nameBuilder = "Extended_Parameterised_Volume_Builder"; //TODO Configurable property?? + this->SetDefaultBuilder(nameBuilder); + ATH_MSG_VERBOSE (nameBuilder << " --> set as default builder" ); + ATH_MSG_VERBOSE (nameBuilder << " --> ParamOn flag = " << m_defaultBuilder->GetParam()); + initialized=1; + if(msgLvl(MSG::VERBOSE)) + { + this->ListVolumeBuilders(); + } + return StatusCode::SUCCESS; +} + +StatusCode Geo2G4Svc::finalize() +{ + ATH_MSG_VERBOSE ("Finalizing the Geo2G4Svc."); + + // clear builders... + // TODO: replace with std::unique_ptr + for (auto &x : m_builders) { + if (x.second) + delete x.second; + } + + return StatusCode::SUCCESS; +} + +void Geo2G4Svc::handle(const Incident& ) +{ +} + +void Geo2G4Svc::RegisterVolumeBuilder(VolumeBuilder* vb) +{ + std::string key(vb->GetKey()); + if (m_builders.find(key)!=m_builders.end()) + { + ATH_MSG_DEBUG ("Trying to set an already existing builder "<<key); + ATH_MSG_DEBUG ("\t request ignored, nothing done "); + } + else + { + m_builders[key]=vb; + ATH_MSG_DEBUG ("Volume builder registered "<<key); + } +} + +void Geo2G4Svc::ListVolumeBuilders() const +{ + ATH_MSG_INFO("---- List of all Volume Builders registered with Geo2G4Svc ----"); + ATH_MSG_INFO("---------------------------------------------------------------"); + for (const auto& builder : m_builders) + { + ATH_MSG_INFO(" Volume Builder: "<<builder.second->GetKey()); + } + ATH_MSG_INFO("---------------------------------------------------------------"); + ATH_MSG_INFO(" default builder is "<<m_defaultBuilder->GetKey()); +} + +void Geo2G4Svc::UnregisterVolumeBuilder(VolumeBuilder* vb) +{ + const std::string key(vb->GetKey()); + if (m_builders.find(key)!=m_builders.end()) + { + ATH_MSG_DEBUG ("Removing builder "<<key<<" from the list"); + m_builders.erase(key); + } + else + { + ATH_MSG_ERROR ("Trying to remove a not-existing builder "<<key); + ATH_MSG_ERROR ("\t request ignored, nothing done "); + } +} + +VolumeBuilder* Geo2G4Svc::GetVolumeBuilder(std::string s) const +{ + const auto builderItr(m_builders.find(s)); + if (builderItr!=m_builders.end()) + { + return builderItr->second; + } + else + { + ATH_MSG_ERROR ("Trying to retrieve a not existing builder "<<s); + ATH_MSG_ERROR ("\treturning Default Builder"); + } + return m_defaultBuilder; +} diff --git a/Simulation/G4Utilities/Geo2G4/src/Geo2G4Svc.h b/Simulation/G4Utilities/Geo2G4/src/Geo2G4Svc.h new file mode 100644 index 0000000000000000000000000000000000000000..f32f0fdd04cd640d07185158dcdbe80fe25aea17 --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/src/Geo2G4Svc.h @@ -0,0 +1,50 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef GEO2G4_Geo2G4Svc_H +#define GEO2G4_Geo2G4Svc_H + +#include "G4AtlasInterfaces/IGeo2G4Svc.h" + +#include "AthenaBaseComps/AthService.h" +#include "GaudiKernel/IIncidentListener.h" + +#include "Geo2G4AssemblyFactory.h" +#include "Geo2G4AssemblyVolume.h" + +#include <string> +#include <map> +#include <memory> + +class VolumeBuilder; +typedef std::map< std::string, VolumeBuilder*,std::less<std::string> > BuilderMap; + +/// @todo NEEDS DOCUMENTATION +class Geo2G4Svc: public extends<AthService, IGeo2G4Svc, IIncidentListener> +{ +public: + Geo2G4Svc(const std::string& , ISvcLocator *); + virtual ~Geo2G4Svc(); + /// AthService methods + virtual StatusCode initialize() override final; + virtual StatusCode finalize() override final; + /// IIncidentListener methods - FIXME does this service actually need to listen for Incidents? + virtual void handle(const Incident&) override final; + /// Geo2G4SvcBase methods + virtual void RegisterVolumeBuilder(VolumeBuilder* vb) override final; + virtual void UnregisterVolumeBuilder(VolumeBuilder* vb) override final; + virtual void SetDefaultBuilder(VolumeBuilder *vb) override final {m_defaultBuilder=vb;} + virtual void SetDefaultBuilder(std::string n) override final {this->SetDefaultBuilder(this->GetVolumeBuilder(n));} + virtual VolumeBuilder* GetVolumeBuilder(std::string s) const override final; + virtual VolumeBuilder* GetDefaultBuilder() const override final {return m_defaultBuilder;} + virtual bool UseTopTransforms() const override final {return m_getTopTransform;} + virtual void ListVolumeBuilders() const override final; +private: + VolumeBuilder *m_defaultBuilder; + BuilderMap m_builders ; + bool m_getTopTransform; + std::unique_ptr<Geo2G4AssemblyFactory> m_G4AssemblyFactory; +}; + +#endif diff --git a/Simulation/G4Utilities/Geo2G4/src/Geo2G4SvcAccessor.h b/Simulation/G4Utilities/Geo2G4/src/Geo2G4SvcAccessor.h new file mode 100644 index 0000000000000000000000000000000000000000..70a5956a653b1fa758a2aa44fbdef5d9feb838bd --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/src/Geo2G4SvcAccessor.h @@ -0,0 +1,34 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef GEO2G4_Geo2G4SvcAccessor_H +#define GEO2G4_Geo2G4SvcAccessor_H + +#include "G4AtlasInterfaces/Geo2G4SvcBase.h" +#include "G4AtlasInterfaces/IGeo2G4Svc.h" + +#include "GaudiKernel/ISvcLocator.h" +#include "GaudiKernel/Bootstrap.h" + +class Geo2G4SvcAccessor { +public: + Geo2G4SvcBase* GetGeo2G4Svc() const; +}; + +inline Geo2G4SvcBase* Geo2G4SvcAccessor::GetGeo2G4Svc() const +{ + IService* g2gSvc; + ISvcLocator* svcLocator = Gaudi::svcLocator(); // from Bootstrap + StatusCode result = svcLocator->service("Geo2G4Svc",g2gSvc); + + if(result.isSuccess()) + { + Geo2G4SvcBase* temp=dynamic_cast<Geo2G4SvcBase*>(g2gSvc); + return temp; + } + else + return 0; +} + +#endif diff --git a/Simulation/G4Utilities/Geo2G4/src/GeoDetectorTool.cxx b/Simulation/G4Utilities/Geo2G4/src/GeoDetectorTool.cxx new file mode 100644 index 0000000000000000000000000000000000000000..53ea204182191f9c76e8a4d8a526a0d06f576367 --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/src/GeoDetectorTool.cxx @@ -0,0 +1,117 @@ +/* + Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +*/ + +// Base class +#include "G4AtlasTools/DetectorGeometryBase.h" +#include "GeoDetectorTool.h" +#include "Geo2G4Builder.h" +#include "VolumeBuilder.h" + +#include "G4NistManager.hh" +#include "G4LogicalVolume.hh" +#include "G4PVPlacement.hh" +#include "G4GDMLParser.hh" + +// Geant4 includes used in functions + +GeoDetectorTool::GeoDetectorTool(const std::string& type, const std::string& name, const IInterface* parent) + : DetectorGeometryBase(type,name,parent),m_blParamOn(false),m_blGetTopTransform(true),m_geoDetectorName("") +{ + m_topTransform.setIdentity(); + ATH_MSG_DEBUG( "GeoDetectorTool constructor for " << name ); + declareProperty("GeoDetectorName",m_geoDetectorName, "Name of the detector in GeoModel, if different from G4."); + declareProperty("GDMLFileOut",m_dumpGDMLFile,"File name where the GDML description for the detector will be dumped."); + +} + +StatusCode GeoDetectorTool::initialize() +{ + ATH_MSG_VERBOSE( name() << " GeoDetectorTool::initialize(): Starting" ); + if(m_detectorName.empty()) + { + m_detectorName = this->name(); + // re-initialize m_detectorName in order to take the real detector name rather than the path to it + size_t ipos=m_detectorName.find_last_of("."); + size_t length=m_detectorName.size(); + if (ipos<length) + { + ATH_MSG_VERBOSE( "m_detectorName: " << m_detectorName << " needs to be reset."); + m_detectorName=m_detectorName.substr(ipos+1,length-ipos-1); + ATH_MSG_VERBOSE( "m_detectorName default value reset to " << m_detectorName); + } + } + ATH_MSG_DEBUG( name() << "GeoDetectorTool::initialize() : Detector name = " << m_detectorName ); + if(m_geoDetectorName.empty()) + { + m_geoDetectorName = m_detectorName; + } + ATH_MSG_DEBUG( name() << "GeoDetectorTool::initialize() : Geo Detector name = " << m_geoDetectorName ); + + ATH_CHECK(m_geo2G4Svc.retrieve()); + m_builderName = m_geo2G4Svc->GetDefaultBuilder()->GetKey(); + m_blGetTopTransform = m_geo2G4Svc->UseTopTransforms(); + ATH_MSG_VERBOSE( name() << " GeoDetectorTool::initialize(): UseTopTransforms = " << m_blGetTopTransform ); + ATH_MSG_VERBOSE( name() << " GeoDetectorTool::initialize(): Finished" ); + return StatusCode::SUCCESS; +} + + +void GeoDetectorTool::BuildGeometry() +{ + ATH_MSG_VERBOSE( name() << " GeoDetectorTool::BuildGeometry(): Starting" ); + G4LogicalVolume* temp = this->Convert(); + m_envelope.theEnvelope=temp; + + if (this->IsTopTransform()) + { + this->SetInitialTransformation(); + } + ATH_MSG_VERBOSE( name() << " GeoDetectorTool::BuildGeometry(): Finished" ); +} + +void GeoDetectorTool::PositionInParent() +{ + ATH_MSG_DEBUG( name() << " GeoDetectorTool::PositionInParent(): Starting" ); + + DetectorGeometryBase::PositionInParent(); + if (!m_dumpGDMLFile.empty()) { + G4GDMLParser parser; + parser.Write(m_dumpGDMLFile,m_envelope.thePositionedVolume); + } +} + +G4LogicalVolume* GeoDetectorTool::Convert() +{ + ATH_MSG_VERBOSE( name() << " GeoDetectorTool::Convert(): Starting" ); + ATH_MSG_DEBUG( name() << " GeoDetectorTool::Convert(): GeoDetectorName:builderName = "<<m_geoDetectorName<<":"<<m_builderName); + Geo2G4Builder Builder(m_geoDetectorName); + VolumeBuilder *b=Builder.GetVolumeBuilder(m_builderName); + b->SetParam(m_blParamOn); + G4LogicalVolume *temp=Builder.BuildTree(); + if(this->IsTopTransform()) + { + m_topTransform = Builder.GetDetectorTransform(); + } + + ATH_MSG_VERBOSE( name() << " GeoDetectorTool::Convert(): Finished" ); + return temp; +} + +bool GeoDetectorTool::IsTopTransform() +{ + return m_blGetTopTransform; +} + +void GeoDetectorTool::SetInitialTransformation() +{ + ATH_MSG_VERBOSE( name() << " GeoDetectorTool::SetInitialTransformation(): Starting" ); + if (!m_envelope.theRotation) + { + ATH_MSG_VERBOSE( name() << " GeoDetectorTool::SetInitialTransformation(): Creating new G4RotationMatrix" ); + m_envelope.theRotation=new G4RotationMatrix; + } + *(m_envelope.theRotation)=m_topTransform.getRotation().inverse(); + m_envelope.thePosition=m_topTransform.getTranslation(); + ATH_MSG_VERBOSE( name() << " GeoDetectorTool::SetInitialTransformation(): Finished" ); +} diff --git a/Simulation/G4Utilities/Geo2G4/src/GeoDetectorTool.h b/Simulation/G4Utilities/Geo2G4/src/GeoDetectorTool.h new file mode 100644 index 0000000000000000000000000000000000000000..b4eb6489fb42482313c6fe07a7534186adcf2045 --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/src/GeoDetectorTool.h @@ -0,0 +1,61 @@ +/* + Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef GEO2G4_GeoDetectorTool_H +#define GEO2G4_GeoDetectorTool_H + +// Base classes +#include "G4AtlasTools/DetectorGeometryBase.h" +//#include "G4AtlasInterfaces/IDetectorGeometrySvc.h" +#include "G4AtlasInterfaces/IGeo2G4Svc.h" + +#include "G4Transform3D.hh" + +// Members + +// STL library +#include <string> +#include <vector> + +/** @class GeoDetectorTool GeoDetectorTool.h "G4AtlasTools/GeoDetectorTool.h" +* +* Tool for building detectors out of a GeoModel description. Basically a +* carbon copy of GeoDetectorFacility in GeoDetectorPlugins which is supposed +* to replace. +* +* @author Andrea Dell'Acqua +* @date 2015-03-10 +*/ + +class GeoDetectorTool final : public DetectorGeometryBase +{ +public: + // Basic constructor and destructor + GeoDetectorTool(const std::string& type, const std::string& name, const IInterface *parent); + ~GeoDetectorTool() {} + + /** Athena method. called at initialization time, being customized here */ + virtual StatusCode initialize() override final; + + /** virtual methods being implemented here */ + + virtual void BuildGeometry() override final; + + virtual void PositionInParent() override final; + +private: + + std::string m_builderName; + std::string m_dumpGDMLFile=""; + bool m_blParamOn; + bool m_blGetTopTransform; + G4Transform3D m_topTransform; + std::string m_geoDetectorName; + G4LogicalVolume* Convert(); + bool IsTopTransform(); + void SetInitialTransformation(); + ServiceHandle<IGeo2G4Svc> m_geo2G4Svc{this, "Geo2G4Svc", "Geo2G4Svc", ""}; +}; + +#endif diff --git a/Simulation/G4Utilities/Geo2G4/src/InitializeBuilders.cxx b/Simulation/G4Utilities/Geo2G4/src/InitializeBuilders.cxx new file mode 100644 index 0000000000000000000000000000000000000000..7a002c344c9ad0b83da85db40d223ca4f5eeb2b3 --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/src/InitializeBuilders.cxx @@ -0,0 +1,12 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#include "ExtParameterisedVolumeBuilder.h" +#include "Geo2G4AssemblyFactory.h" + +void InitializeBuilders(Geo2G4AssemblyFactory* assemblyFactory) +{ + ExtParameterisedVolumeBuilder *epb __attribute__ ((unused)) = + new ExtParameterisedVolumeBuilder("Extended_Parameterised_Volume_Builder", assemblyFactory); +} diff --git a/Simulation/G4Utilities/Geo2G4/src/SingleLogicalVolumeFactory.cxx b/Simulation/G4Utilities/Geo2G4/src/SingleLogicalVolumeFactory.cxx new file mode 100644 index 0000000000000000000000000000000000000000..24ae0c0d63aaf074142e5dcfcd87789b10a13496 --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/src/SingleLogicalVolumeFactory.cxx @@ -0,0 +1,44 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#include "SingleLogicalVolumeFactory.h" +#include "Geo2G4SolidFactory.h" +#include "GeoMaterial2G4/Geo2G4MaterialFactory.h" +#include "GeoModelKernel/GeoLogVol.h" +#include "SimHelpers/ServiceAccessor.h" +#include "AthenaBaseComps/AthMsgStreamMacros.h" +#include "G4LogicalVolume.hh" +#include "G4Material.hh" + +SingleLogicalVolumeFactory::SingleLogicalVolumeFactory(): m_msg("SingleLogicalVolumeFactory") +{ +} + +typedef std::map<std::string, G4LogicalVolume*, std::less<std::string> > vMap; + +G4LogicalVolume *SingleLogicalVolumeFactory::Build(const GeoLogVol* theLog) const +{ + static Geo2G4SolidFactory theSolidFactory; + static Geo2G4MaterialFactory theMaterialFactory; + static vMap volumeList; + // + // Get Material from GeoModel + // + std::string n= theLog->getName(); + if (volumeList.find(n) == volumeList.end()) { + G4LogicalVolume *theG4Log=0; + G4Material* theG4Mat=theMaterialFactory.Build(theLog->getMaterial()); + + G4VSolid * theG4Solid = theSolidFactory.Build(theLog->getShape()); + + ATH_MSG_DEBUG("Building logical volume (single) "<<theLog->getName()<< " " << theG4Mat); + theG4Log = new G4LogicalVolume(theG4Solid, + theG4Mat, + theLog->getName(), + 0,0,0); + volumeList[n] = theG4Log; + return theG4Log; + } + return volumeList[n]; +} diff --git a/Simulation/G4Utilities/Geo2G4/src/SingleLogicalVolumeFactory.h b/Simulation/G4Utilities/Geo2G4/src/SingleLogicalVolumeFactory.h new file mode 100644 index 0000000000000000000000000000000000000000..7a089ee90146d5ce2cfeb9acc38ee129cc429fe2 --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/src/SingleLogicalVolumeFactory.h @@ -0,0 +1,29 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef GEO2G4_SingleLogicalVolumeFactory_h +#define GEO2G4_SingleLogicalVolumeFactory_h + +#include "AthenaKernel/MsgStreamMember.h" + +class G4LogicalVolume; +class GeoLogVol; + +#include <string> +#include <map> + +class SingleLogicalVolumeFactory { +public: + SingleLogicalVolumeFactory(); + G4LogicalVolume* Build(const GeoLogVol*) const; + /// Log a message using the Athena controlled logging system + MsgStream& msg( MSG::Level lvl ) const { return m_msg << lvl; } + /// Check whether the logging system is active at the provided verbosity level + bool msgLvl( MSG::Level lvl ) const { return m_msg.get().level() <= lvl; } + private: + /// Private message stream member + mutable Athena::MsgStreamMember m_msg; +}; + +#endif diff --git a/Simulation/G4Utilities/Geo2G4/src/VolumeBuilder.h b/Simulation/G4Utilities/Geo2G4/src/VolumeBuilder.h new file mode 100644 index 0000000000000000000000000000000000000000..afc5195d060f948e035c0df0ac4e9cf02b1205e8 --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/src/VolumeBuilder.h @@ -0,0 +1,52 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef GEO2G4_VolumeBuilder_H +#define GEO2G4_VolumeBuilder_H + +#include "G4LogicalVolume.hh" +#include "Geo2G4SvcAccessor.h" + +#include "GeoModelUtilities/GeoOpticalPhysVol.h" + +#include "G4VPhysicalVolume.hh" + +#include <string> +#include <iostream> +#include <map> + +typedef std::map< const GeoOpticalPhysVol*, G4VPhysicalVolume*,std::less< const GeoOpticalPhysVol*> > OpticalVolumesMap; + +class VolumeBuilder +{ + public: + VolumeBuilder(std::string k): m_paramOn(false), m_key(k) + { + Geo2G4SvcAccessor accessor; + Geo2G4SvcBase *g=accessor.GetGeo2G4Svc(); + g->RegisterVolumeBuilder(this); + } + + virtual ~VolumeBuilder() + { + Geo2G4SvcAccessor accessor; + Geo2G4SvcBase *g=accessor.GetGeo2G4Svc(); + g->UnregisterVolumeBuilder(this); + } + + std::string GetKey() const {return m_key;} + + // flag controlling Parameterization to Parameterization translation + void SetParam(bool flag){m_paramOn = flag;} + bool GetParam(){return m_paramOn;} + + virtual G4LogicalVolume* Build(PVConstLink pv, OpticalVolumesMap* optical_volumes = 0) = 0; + + protected: + bool m_paramOn; + + private: + std::string m_key; +}; +#endif diff --git a/Simulation/G4Utilities/Geo2G4/src/components/Geo2G4_entries.cxx b/Simulation/G4Utilities/Geo2G4/src/components/Geo2G4_entries.cxx new file mode 100644 index 0000000000000000000000000000000000000000..103fd872909a4bc9ed59052c8f7bc1213a8ff215 --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/src/components/Geo2G4_entries.cxx @@ -0,0 +1,7 @@ +#include "../Geo2G4Svc.h" +#include "../GeoDetectorTool.h" +#include "../GDMLDetectorTool.h" + +DECLARE_COMPONENT( Geo2G4Svc ) +DECLARE_COMPONENT( GeoDetectorTool ) +DECLARE_COMPONENT( GDMLDetectorTool ) diff --git a/Simulation/G4Utilities/Geo2G4/src/lcg_dict/selection.xml b/Simulation/G4Utilities/Geo2G4/src/lcg_dict/selection.xml new file mode 100644 index 0000000000000000000000000000000000000000..98e02df07a2c48bf657c52b7f5c1c1b3f31810af --- /dev/null +++ b/Simulation/G4Utilities/Geo2G4/src/lcg_dict/selection.xml @@ -0,0 +1,3 @@ +<lcgdict> + <class name="LArWheelSolidDDProxy" /> +</lcgdict> diff --git a/Simulation/README.md b/Simulation/README.md new file mode 100644 index 0000000000000000000000000000000000000000..14718f6d7eccf8841b1d01100ac080269f3fff93 --- /dev/null +++ b/Simulation/README.md @@ -0,0 +1,10 @@ +To generate Calypso MC data from an installation (run) directory: + +1) edit the G4FaserApp/test/runG4.py file to setup the job +....the default generator is particle-gun; it can also read EVNT files but note that the Veto is far away from (0,0,0) where most ATLAS generators put things by default +....read the comments carefully as a few other things have to be changed in the job options to switch between internal generator and generator data-file + +2) source ./setup.sh +3) runG4.py + +(setup.sh will put the script in your path) diff --git a/graphics/VTI12/README.md b/graphics/VTI12/README.md new file mode 100644 index 0000000000000000000000000000000000000000..48657faa65a350efd6e421506ac61be7058056b4 --- /dev/null +++ b/graphics/VTI12/README.md @@ -0,0 +1,9 @@ +To run on Calypso MC data (from an installation (run) directory): + +% source ./setup.sh + +% export VP1PLUGINPATH=./lib + +% vti12 -mc -noautoconf <input HITS or EVNT file> + +Note that VP1PLUGINPATH can be ninja-changed by asetup, and if it does not include the installation library folder, nothing will work \ No newline at end of file diff --git a/graphics/VTI12/VTI12Algs/CMakeLists.txt b/graphics/VTI12/VTI12Algs/CMakeLists.txt new file mode 100644 index 0000000000000000000000000000000000000000..6c233e64599de09ac0b29b08f209612f30fdc942 --- /dev/null +++ b/graphics/VTI12/VTI12Algs/CMakeLists.txt @@ -0,0 +1,62 @@ +################################################################################ +# Package: VTI12Algs +################################################################################ + +# Declare the package name: +atlas_subdir( VTI12Algs ) + +# Declare the package's dependencies: +atlas_depends_on_subdirs( PUBLIC + Control/AthenaBaseComps + GaudiKernel + PRIVATE + Event/EventInfo + Tools/PathResolver + graphics/VTI12/VTI12Gui + graphics/VTI12/VP1UtilsBase ) + +# "Externals" dependencies - They are needed at runtime, only +find_package( libxkbcommon ) +find_package( glib ) +find_package( libffi ) + +# Component(s) in the package: +atlas_add_component( VTI12Algs + src/*.cxx + src/components/*.cxx + LINK_LIBRARIES AthenaBaseComps GaudiKernel EventInfo PathResolver + PRIVATE_LINK_LIBRARIES VTI12Gui VP1UtilsBase ) + +# Install files from the package: +atlas_install_headers( VTI12Algs ) +atlas_install_python_modules( python/*.py ) +atlas_install_joboptions( share/*.py ) +atlas_install_scripts( share/vti12 ) +atlas_install_scripts( share/clear-bash-hash-table-vp1 ) + +#---------------------------------------------------------- +# CONFIGURING THE ENVIRONMENT VARIABLES FOR THE PACKAGE # +# +#message( "CMAKE_BINARY_DIR path:" ${CMAKE_BINARY_DIR} ) +#message( "ATLAS_PLATFORM path:" ${ATLAS_PLATFORM} ) +# set a variable to be used in the 'Config' script. +# The variable will be substituted with the path when file is 'configured' +# and copied from 'source' to 'binary' +set( BUILD_DIR ${CMAKE_BINARY_DIR}/${ATLAS_PLATFORM} ) +# Configure the environment setup module. +# The 'configure_file' command here below copies the input file in the 'source' dir +# to the output file in 'binary' dir, e.g. in ../build/graphics/VP1/VP1Algs/ +configure_file( + ${CMAKE_CURRENT_SOURCE_DIR}/VTI12AlgsEnvironmentConfig.cmake.in + ${CMAKE_CURRENT_BINARY_DIR}/VTI12AlgsEnvironmentConfig.cmake + @ONLY ) +# Set the folder where CMake can find the 'Config' file for the dummy package +set( VTI12AlgsEnvironment_DIR ${CMAKE_CURRENT_BINARY_DIR} + CACHE PATH "Location of VTI12AlgsEnvironmentConfig.cmake" + FORCE + ) +# And now "find" it! It will set the env vars defined in the package's 'Config' file. +find_package( VTI12AlgsEnvironment ) +# message( "VP1PLUGINPATH has been set to: " $ENV{VP1PLUGINPATH} ) + + diff --git a/graphics/VTI12/VTI12Algs/VTI12AlgsEnvironmentConfig.cmake.in b/graphics/VTI12/VTI12Algs/VTI12AlgsEnvironmentConfig.cmake.in new file mode 100644 index 0000000000000000000000000000000000000000..f91e98774641c5a808911a272215fe40b1faa7ff --- /dev/null +++ b/graphics/VTI12/VTI12Algs/VTI12AlgsEnvironmentConfig.cmake.in @@ -0,0 +1,13 @@ +# --- Set the environment variables need by the package VP1Algs --- +# rbianchi@cern.ch - Nov 2016, Feb 2018 + +# Set the environment variables + + +set( VP1ALGSENVIRONMENT_ENVIRONMENT + FORCESET VP1PLUGINPATH \${@CMAKE_PROJECT_NAME@_DIR}/lib + ) + +# Silently declare the module found +set( VP1ALGSENVIRONMENT_FOUND TRUE ) + diff --git a/graphics/VTI12/VTI12Algs/share/vti12 b/graphics/VTI12/VTI12Algs/share/vti12 new file mode 100644 index 0000000000000000000000000000000000000000..803466b4e18a0e5c2de706db1e774f717c11c7fa --- /dev/null +++ b/graphics/VTI12/VTI12Algs/share/vti12 @@ -0,0 +1,1216 @@ +#!/bin/bash + +# Script for constructing command which launches athena on vp1.py, with appropriate options (in the -c flag). +# +# Author: Thomas.Kittelmann@cern.ch +# First useful version: July 2007 +# +# Modified: Manuel.Proissl@cern.ch, March 2012 +# Riccardo.Maria.Bianchi@cern.ch, multiple times +# Edward.Moyse@cern.ch, multiple times +# +# Current Maintainers: +# - Riccardo.Maria.Bianchi@cern.ch +# - Edward.Moyse@cern.ch +# +# Questions: Riccardo.Maria.Bianchi@cern.ch +# +# + + +#fixme/todo: option to start cruise mode (event/second) +#fixme/todo: MULTINP_CPY should not be allowed to exist beforehand! + + +### TERMINAL COLORS ### +GREEN='\033[1;32m' +YELLOW='\033[1;33m' +LIGHTBLUE='\033[1;34m' +RED='\033[0;31m' +WHITE='\033[0;97m' +UNDERLINED='\033[4m' +BOLD='\033[1m' +NC='\033[0m' # No Color +# then use: +# - printf "I ${RED}love${NC} Stack Overflow\n" +# - echo -e "I ${RED}love${NC} Stack Overflow" + + + +echo +echo "******************************************" +echo +echo "Launching VTI12 - the FASER 3D event display" +echo +echo "******************************************" +echo +echo + +################################################## +# Workaraound for LD_PRELOAD # +# # +# Details: # +# https://its.cern.ch/jira/browse/ATLASVPONE-228 # +# # +################################################## +echo -e "${LIGHTBLUE}*** VP1 NOTE ***${NC} setting LD_PRELOAD=/usr/lib64/libGL.so.1 env var, to correctly load OpenGL before all other TLS libs. That is caused by a bug in Red Hat 6. For details, see: https://its.cern.ch/jira/browse/ATLASVPONE-228" +export LD_PRELOAD=/usr/lib64/libGL.so.1 +################################################## + +################################################## +# Workaraound for keyboard input issue on LXPLUS # +# # +# Details: # +# https://its.cern.ch/jira/browse/ATLASVPONE-380 # +# # +################################################## +if [ "$(expr substr $(uname -s) 1 5)" == "Linux" ]; then + # We are on a GNU/Linux platform machine + if [[ $(hostname) == lxplus* ]]; then + # We are on a LXPLUS machine + echo "uname: " "$(expr substr $(uname -s) 1 5)" + echo "hostname: " "$(hostname)" + echo -e "${LIGHTBLUE}*** VP1 NOTE ***${NC} you are running VP1 remotely on a LXPLUS machine. Hence, we set the 'QT_XKB_CONFIG_ROOT environment variable to fix the problem LXPLUS machine have with the new Qt5 framework, which prevent a proper detection of keyboard events. For details, see: https://its.cern.ch/jira/browse/ATLASVPONE-380." + export QT_XKB_CONFIG_ROOT=/usr/share/X11/xkb + fi # closes "lxplus" +fi # closes "Linux" +################################################## + + + +APP=`basename $0` + +which athena.py > /dev/null 2>&1 +if [ $? != 0 ]; then + echo "Error: athena.py not found in path. Please setup atlas release before running" + exit 1 +fi + + +####################################### +## Warning Messages ## +####################################### +MUSTQUIT=0 +if [ -z ${Athena_VERSION+x} ]; then + echo "ERROR! The variable 'Athena_VERSION' is unset! Apparently Athena is not properly set. Quitting..." + MUSTQUIT=1 +else + if [[ ${Athena_VERSION} =~ ^21\. ]]; then + echo; echo -e " ${RED}${BOLD} *** WARNING! Release 21 detected! *** ${NC}"; echo + echo -e " Apparently, you are using the Release 21 of the Athena environment. Unfortunately, VP1 does not work in rel. 21. ${UNDERLINED}Please use a release >= 22, or the 'master' release${NC}. By using them, you can still access and visualize data produced with rel. 21, if you need that." + echo; echo -e " ${RED}${BOLD}--->${NC} Please refer to the instructions published at: ${NC}${BOLD}${UNDERLINED} http://atlas-vp1.web.cern.ch/atlas-vp1/home/documentation/running-the-latest-vp1-version/${NC} ${RED}${BOLD}<---${NC}"; echo; echo + MUSTQUIT=1 + fi +fi + +if [ $MUSTQUIT -eq 1 ]; then + exit 1; +fi + + + + +####################################### +## Init config variables ## +####################################### + +LIVEDEFAULTDETDESCR="ATLAS-GEO-10-00-00" +LIVEDEFAULTGLOBCOND="COMCOND-BLKPST-004-01" +LIVEDEFAULTEVENTSRC="https://atlas-live.cern.ch/event_files/L1MinBias/vp1fileinfo.txt" +LIVELOCALDEFAULTEVENTSRC="/VP1_events/" +LIVEBOOTSTRAPSRC="http://atlas-vp1.web.cern.ch/atlas-vp1/live-bootstrap/vp1fileinfo.txt" + +declare -a FILES_POOLROOT +declare -a FILES_VP1CFG +declare -a FILES_EXTRAJOBOPT +declare -a LOCALEVENTSRC_AVAILDIRS +FLAG_HELP=0 +FLAG_DATA=0 +FLAG_TEST=0 +ERRORS="" +DETDESCRTAG="" +GLOBCONDTAG="" +SKIPEVENTS="" +CRUISEWITHTIME="" +LOGFILE="" +FILTEREVENTS="" +FLAG_BATCH=0 +FLAG_BATCH_RANDOM_CONFIG=0 +FLAG_BATCH_ALL_EVENTS=0 +FLAG_BATCH_N_EVENTS=0 +FLAG_BATCH_OUT_FOLDER="" +FLAG_LARHV=0 +# FLAG_FULLTOROIDS=0 +FLAG_DONTCLEANUPEVTCPY=0 +FLAG_LIVE=0 +FLAG_LIVELOCAL=0 +FLAG_NOAUTOCONF=0 +FLAG_TRIG=0 +FLAG_NOCALO=0 +FLAG_NOID=0 +FLAG_NOSORTDBREPLICAS=0 +FLAG_NOMUON=0 +FLAG_LUCID=0 +FLAG_ONLINE=0 +FLAG_ALFA=0 +FLAG_FORWARD_REGION=0 +FLAG_ZDC=0 +FLAG_CAVERN=0 +FLAG_TOYDETECTOR=0 +FLAG_GEOMODELSTATS=0 +FLAG_EXTRAPOLATOR=0 +FLAG_NOEXTRAPOLATOR=0 +FLAG_FITTER=0 +FLAG_MC=0 +FLAG_FATRAS=0 +FLAG_NOGUI=0 +FLAG_CGAL=0 +FLAG_NSW=0 +FLAG_SLHC=0 +#FLAG_CUSTOMGEOMETRY=0 # currently not used +FLAG_ADVANCED_ANTIALIASING=0 +MULTINP_SRC="" +MULTINP_CPY="" +TRIGDEC="" +FATRAS_TRUTHKEY="" +ATHENAOPTS="" + +####################################### +## Decode command line options ## +####################################### + +#echo -e "\nnumber of positional parameters (args): " $# # for DEBUG only + +# index init +i=1 + +# start looping over the number of positional parameters ($#) +while [ $i -le $# ]; do + + # get the i-positional parameter + arg=${!i} + + #echo -e "\nevaluating arg: " $arg # for DEBUG only + + ################ + # HELP / USAGE # + ################ + if [ "x${arg}" == "x-h" -o "x${arg}" == "x-help" -o "x${arg}" == "x--help" ]; then + FLAG_HELP=1 + + + ######################## + # COMMAND-LINE OPTIONS # + ######################## + + elif [ "x${arg}" == "x-larhv" ]; then + FLAG_LARHV=1 + # elif [ "x${arg}" == "x-fulltoroids" ]; then + # FLAG_FULLTOROIDS=1 + elif [ "x${arg}" == "x-live" ]; then + FLAG_LIVE=1 + elif [ "x${arg}" == "x-livelocal" ]; then + FLAG_LIVELOCAL=1 + # + # + # + #----------- + # BATCH MODE + #----------- + # check if the user provided config files with -batch/-b options + elif [ "x${arg}" == "x-batch" -o "x${arg}" == "x-b" ]; then + if [[ "$*" == *.vp1* ]] + then + FLAG_BATCH=1 + # text in bold, note in bold and red. at the end we reset the text style + echo "" + echo -e "\e[1m\e[31m\e[4mNote!\e[24m You chose to run VP1 in 'batch-mode' ('${arg}').\e[39m" + echo -e "Thus, the main VP1 window will be not shown, but in the end you will get a PNG file with the rendered image of the 3D window, based on the configuration file you provided.\e[0m" + echo "" + else + ERRORS="$ERRORS\nBatch mode needs at least one configuration file ('.vp1')" + fi + elif [ "x${arg}" == "x-batch-all-events" ]; then + FLAG_BATCH_ALL_EVENTS=1 + elif [ "x${arg}" == "x-batch-random-config" ]; then + FLAG_BATCH_RANDOM_CONFIG=1 + elif [ "x${arg:0:21}" == "x-batch-output-folder=" ]; then + FLAG_BATCH_OUT_FOLDER=${arg:21:$((${#arg}-21))} + if [ "x$FLAG_BATCH_OUT_FOLDER" == "x" ]; then + ERRORS="$ERRORS\nNeed argument to -batch-output-folder. Ex: -batch-output-folder=myFolder" + fi + elif [ "x${arg:0:21}" == "x-batch-output-folder" ]; then # catch arg without '=' character + FLAG_BATCH_OUT_FOLDER_2=${arg:20:$((${#arg}-20))} + if [ "x$FLAG_BATCH_OUT_FOLDER_2" == "x" ]; then + ERRORS="$ERRORS\nNeed argument to -batch-output-folder. Ex: -batch-output-folder=path/to/myFolder" + fi + elif [ "x${arg:0:16}" == "x-batch-n-events=" ]; then + FLAG_BATCH_N_EVENTS=${arg:16:$((${#arg}-16))} + echo -e "\e[1m\e[31m\e[4mNote!\e[24m You chose to run VP1 in 'batch-mode' over ${FLAG_BATCH_N_EVENTS} events ('${arg}'). VP1 will exit after having processed the given number of events.\e[39m" + if [ "x$FLAG_BATCH_N_EVENTS" == "x" ]; then + ERRORS="$ERRORS\nNeed a numeric argument to -batch-n-events" + else + #check it is integer: + echo "$FLAG_BATCH_N_EVENTS" | grep '^[0-9][0-9]*$' > /dev/null 2>&1 || \ + ERRORS="$ERRORS\nArgument to -batch-n-events must be an integer!" + fi + #echo "(sleeping for 2 secs...)" + echo "" + sleep 2s # to let the user read the warning messages about the batch mode + ### end of batch mode settings + # + # + elif [ "x${arg}" == "x-noautoconf" ]; then + FLAG_NOAUTOCONF=1 + elif [ "x${arg}" == "x-nocleanupeventcpy" ]; then + FLAG_DONTCLEANUPEVTCPY=1 + elif [ "x${arg}" == "x-data" ]; then + FLAG_DATA=1 + elif [ "x${arg}" == "x-test" ]; then + FLAG_TEST=1 + elif [ "x${arg}" == "x-trig" ]; then + FLAG_TRIG=1 + elif [ "x${arg}" == "x-nocalo" ]; then + FLAG_NOCALO=1 + elif [ "x${arg}" == "x-noid" ]; then + FLAG_NOID=1 + elif [ "x${arg}" == "x-nomuon" ]; then + FLAG_NOMUON=1 + elif [ "x${arg}" == "x-nosortdbreplicas" ]; then + FLAG_NOSORTDBREPLICAS=1 + elif [ "x${arg}" == "x-lucid" ]; then + FLAG_LUCID=1 + elif [ "x${arg}" == "x-online" ]; then + FLAG_ONLINE=1 + elif [ "x${arg}" == "x-alfa" ]; then + FLAG_ALFA=1 + elif [ "x${arg}" == "x-forwardregion" ]; then + FLAG_FORWARD_REGION=1 + elif [ "x${arg}" == "x-zdc" ]; then + FLAG_ZDC=1 + elif [ "x${arg}" == "x-cavern" ]; then + FLAG_CAVERN=1 + elif [ "x${arg}" == "x-toy-detector" ]; then + FLAG_TOYDETECTOR=1 + elif [ "x${arg}" == "x-geomodel-stats" ]; then + FLAG_GEOMODELSTATS=1 + elif [ "x${arg}" == "x-extrapolator" ]; then + FLAG_EXTRAPOLATOR=1 + elif [ "x${arg}" == "x-noextrapolator" ]; then + FLAG_NOEXTRAPOLATOR=1 + elif [ "x${arg}" == "x-refit" ]; then + FLAG_FITTER=1 + elif [ "x${arg}" == "x-fatras" ]; then + FLAG_FATRAS=1 + elif [ "x${arg}" == "x-nogui" ]; then + FLAG_NOGUI=1 + elif [ "x${arg}" == "x-cgal" ]; then + FLAG_CGAL=1 + elif [ "x${arg}" == "x-nsw" ]; then + FLAG_NSW=1 + elif [ "x${arg}" == "x-slhc" ]; then + echo "SLHC" + FLAG_SLHC=1 + #elif [ "x${arg}" == "x-customgeom" ]; then + # FLAG_CUSTOMGEOMETRY=1 + elif [ "x${arg}" == "x-advanced-aa" ]; then + FLAG_ADVANCED_ANTIALIASING=1 + export VP1_ADVANCED_ANTIALIASING=1 + elif [ "x${arg}" == "x-mc" ]; then + FLAG_MC=1 + elif [ "x${arg}" == "x-multinp" ]; then + echo "IGNORING OBSOlETE FLAG -multinp" + elif [ "x${arg:0:10}" == "x-detdescr=" ]; then + DETDESCRTAG=${arg:10:$((${#arg}-10))} + if [ "x$DETDESCRTAG" == "x" ]; then + ERRORS="$ERRORS\nNeed argument to -detdescr" + fi + elif [ "x${arg:0:10}" == "x-detdescr" ]; then + DETDESCRTAG_2=${arg:9:$((${#arg}-9))} + if [ "x$DETDESCRTAG_2" == "x" ]; then + ERRORS="$ERRORS\nNeed argument to -detdescr. Example: -detdescr=ATLAS-GEO-20-00-01" + fi + elif [ "x${arg:0:10}" == "x-globcond=" ]; then + GLOBCONDTAG=${arg:10:$((${#arg}-10))} + if [ "x$GLOBCONDTAG" == "x" ]; then + ERRORS="$ERRORS\nNeed argument to -globcond" + fi + elif [ "x${arg:0:10}" == "x-eventsrc=" ]; then + MULTINP_SRC=${arg:10:$((${#arg}-10))} + if [ "x$MULTINP_SRC" == "x" ]; then + ERRORS="$ERRORS\nNeed argument to -eventsrc" + fi + elif [ "x${arg:0:10}" == "x-eventcpy=" ]; then + MULTINP_CPY=${arg:10:$((${#arg}-10))} + if [ "x$MULTINP_CPY" == "x" ]; then + ERRORS="$ERRORS\nNeed argument to -eventcpy" + fi + elif [ "x${arg:0:9}" == "x-logfile=" ]; then + LOGFILE=${arg:9:$((${#arg}-9))} + if [ "x$LOGFILE" == "x" ]; then + ERRORS="$ERRORS\nNeed argument to -logfile" + fi + elif [ "x${arg:0:9}" == "x-trigdec=" ]; then + TRIGDEC=${arg:9:$((${#arg}-9))} + if [ "x$TRIGDEC" == "x" ]; then + ERRORS="$ERRORS\nNeed argument to -trigdec" + fi + elif [ "x${arg:0:11}" == "x-fatraskey=" ]; then + FATRAS_TRUTHKEY=${arg:11:$((${#arg}-11))} + if [ "x$FATRAS_TRUTHKEY" == "x" ]; then + ERRORS="$ERRORS\nNeed argument to -fatraskey" + fi + elif [ "x${arg:0:12}" == "x-skipevents=" ]; then + SKIPEVENTS=${arg:12:$((${#arg}-12))} + if [ "x$SKIPEVENTS" == "x" ]; then + ERRORS="$ERRORS\nNeed argument to -skipevents" + else + #check it is integer: + echo "$SKIPEVENTS" | grep '^[0-9][0-9]*$' > /dev/null 2>&1 || \ + ERRORS="$ERRORS\nArgument to -skipevents must be an integer!" + fi + elif [ "x${arg:0:11}" == "x-evtfilter=" ]; then + FILTEREVENTS=${arg:11:$((${#arg}-11))} + if [ "x$FILTEREVENTS" == "x" ]; then + ERRORS="$ERRORS\nNeed argument to -evtfilter" + fi + elif [ "x${arg:0:8}" == "x-cruise=" ]; then + CRUISEWITHTIME=${arg:8:$((${#arg}-8))} + if [ "x$CRUISEWITHTIME" == "x" ]; then + ERRORS="$ERRORS\nNeed argument to -cruise" + else + #check it is integer: + echo "$CRUISEWITHTIME" | grep '^[0-9][0-9]*$' > /dev/null 2>&1 || \ + ERRORS="$ERRORS\nArgument to -cruise must be an integer!" + if [ "x$CRUISEWITHTIME" == "x0" ]; then + ERRORS="$ERRORS\nArgument to -cruise must be positive!" + fi + fi + elif [ "x${arg:0:12}" == "x-athenaopts=" ]; then + ATHENAOPTS=${arg:12:$((${#arg}-12))} + if [ "x$ATHENAOPTS" == "x" ]; then + ERRORS="$ERRORS\nNeed argument to -athenaopts" + fi + elif [ "x${arg:0:16}" == "x-extraevtsrcdir=" ]; then + EXTRADIR=${arg:16:$((${#arg}-16))} + if [ "x$EXTRADIR" == "x" ]; then + ERRORS="$ERRORS\nNeed argument to -extraevtsrcdir" + else + if [ ! -d $EXTRADIR ]; then + ERRORS="$ERRORS\nExtra event source directory $EXTRADIR does not exist" + else + LOCALEVENTSRC_AVAILDIRS[${#LOCALEVENTSRC_AVAILDIRS[@]}]="$EXTRADIR" + fi + fi + + + ################### + # VP1 CONFIG FILE # + ################### + elif [ ${#arg} -gt 4 -a ${arg:$((${#arg}-4)):4} == ".vp1" ]; then + FILES_VP1CFG[${#FILES_VP1CFG[@]}]="${arg}" + + + ##################### + # EXTRA JOB OPTIONS # + ##################### + elif [ ${#arg} -gt 3 -a ${arg:$((${#arg}-3)):3} == ".py" ]; then + FILES_EXTRAJOBOPT[${#FILES_EXTRAJOBOPT[@]}]="${arg}" + + + ######################## + # EOS / LFN INPUT DATA # + ######################## + + # NOTES: + # - about reg-exp matching: https://its.cern.ch/jira/browse/ATLASVPONE-314 + # - 'elif' first checks if argument length is > 3 and if not begins with "-", + # then it checks the match with the reg-exp + + elif [[ ${#arg} -gt 3 && ${arg:0:1} != "-" && ( "${arg}" =~ ^LFN: ) ]]; then + echo -e "\n\e[1;94mOpening a file through the \e[4m'LFN:'\e[24m protocol...\e[0m" + FILES_POOLROOT[${#FILES_POOLROOT[@]}]="${arg}" + echo -e "\e[94mOpening the file: " $FILES_POOLROOT "\e[0m\n" + + elif [[ ${#arg} -gt 3 && ${arg:0:1} != "-" && ( "${arg}" =~ ^root: ) ]]; then + echo -e "\n\e[1;94mOpening a file through the \e[4m'root:'\e[24m protocol...\e[0m" + FILES_POOLROOT[${#FILES_POOLROOT[@]}]="${arg}" + echo -e "\e[94mOpening the file: " $FILES_POOLROOT "\e[0m\n" + + #################### + # LOCAL INPUT DATA # + #################### + + # NOTES: + # - 'elif' first checks if argument length is > 3 and if not begins with "-", + # then it checks if the file exists + + elif [[ ${#arg} -gt 3 && ${arg:0:1} != "-" && ( -f "${arg}" ) ]]; then + FILES_POOLROOT[${#FILES_POOLROOT[@]}]="${arg}" + echo -e "\n\e[94mOpening the local file: " $FILES_POOLROOT "\e[0m\n" + + + ################### + # DEFAULT (ERROR) # + ################### + else + ERRORS="$ERRORS\nUnknown argument: ${arg}" + fi + + # INCREMENT THE INDEX + i=$((i+1)) +done + + + + + +######################## +### SETTINGS ### +######################## + + +# batch mode +if [ "x$FLAG_BATCH_N_EVENTS" != "x0" -a "x$FLAG_BATCH" == "x0" ]; then + ERRORS="$ERRORS\nOption '-batch-n-events' can't be used without '-batch'..." +fi +if [ "x$FLAG_BATCH_N_EVENTS" != "x0" -a "x$FLAG_BATCH_ALL_EVENTS" == "x1" ]; then + ERRORS="$ERRORS\nOption '-batch-n-events' can't be used together with '-batch-all-events'... Please choose one or the other." +fi +if [ "x$FLAG_BATCH_ALL_EVENTS" == "x1" -a "x$FLAG_BATCH" == "x0" ]; then + ERRORS="$ERRORS\nOption '-batch-all-events' can't be used without '-batch'..." +fi +if [ "x$FLAG_BATCH_RANDOM_CONFIG" == "x1" -a "x$FLAG_BATCH" == "x0" ]; then + ERRORS="$ERRORS\nOption '-batch-random-config' can't be used without '-batch'..." +fi +if [ "x$FLAG_BATCH_RANDOM_CONFIG" == "x1" ]; then + echo -e "\e[1m\e[31m\e[4mNote!\e[24m You chose the option '-batch-random-config'.\e[39m" + echo -e "Thus, for each event a different configuration file will be used, randomly picked from the configuration files (.vp1) you provided:\e[0m" + printf "["; printf '"%s", ' "${FILES_VP1CFG[@]}"; printf "]\n"; echo +fi +if [ "x$FLAG_BATCH_OUT_FOLDER" != "x" -a "x$FLAG_BATCH" == "x0" ]; then + ERRORS="$ERRORS\nOption '-batch-output-folder' can't be used without '-batch'..." +fi + + +#live & noautoconf flags (AutoConfiguration is disabled in live and livelocal modes) + +if [ "x$FLAG_LIVE" == "x1" ]; then + if [ "x$FLAG_MC" == "x1" ]; then + echo "Notice: -mc flag is ignored when -live is present" + fi + FLAG_MC=0 + if [ "x$FLAG_NOAUTOCONF" == "x1" ]; then + echo "Notice: -noautoconf flag is redundant when -live is present" + fi + FLAG_NOAUTOCONF=1 + if [ "x$MULTINP_SRC" == "x" ]; then + MULTINP_SRC="$LIVEDEFAULTEVENTSRC" + fi + if [ "x$DETDESCRTAG" == "x" ]; then + DETDESCRTAG="$LIVEDEFAULTDETDESCR" + fi + if [ "x$GLOBCONDTAG" == "x" ]; then + GLOBCONDTAG="$LIVEDEFAULTGLOBCOND" + fi +elif [ "x$FLAG_LIVELOCAL" == "x1" ]; then + if [ "x$FLAG_MC" == "x1" ]; then + echo "Notice: -mc flag is ignored when -livelocal is present" + fi + FLAG_MC=0 + if [ "x$FLAG_NOAUTOCONF" == "x1" ]; then + echo "Notice: -noautoconf flag is redundant when -livelocal is present" + fi + FLAG_NOAUTOCONF=1 + if [ "x$MULTINP_SRC" == "x" ]; then + MULTINP_SRC="$LIVELOCALDEFAULTEVENTSRC" + fi + if [ "x$DETDESCRTAG" == "x" ]; then + DETDESCRTAG="$LIVEDEFAULTDETDESCR" + fi + if [ "x$GLOBCONDTAG" == "x" ]; then + GLOBCONDTAG="$LIVEDEFAULTGLOBCOND" + fi +elif [ "x$FLAG_NOAUTOCONF" == "x0" -a ${#FILES_POOLROOT[@]} != 0 ]; then + if [ "x$FLAG_MC" == "x1" ]; then + echo "Notice: -mc flag is ignored when autoconfiguration is ON" + fi + FLAG_MC=0 +fi + +if [ "x$FLAG_LIVE" == "x1" -a "x$FLAG_LIVELOCAL" == "x1" ]; then + ERRORS="$ERRORS\nDon't specify both -live and -livelocal" +fi + +#default: +if [ "x$MULTINP_SRC" != "x" -a "x$MULTINP_CPY" == "x" ]; then + MULTINP_CPY="/tmp/$USER/vp1events/$RANDOM" +fi + +# Sanity checks: +if [ "x$MULTINP_SRC" == "x" -a "x$FLAG_DONTCLEANUPEVTCPY" == "x1" ]; then + ERRORS="$ERRORS\nOption -nocleanupeventcpy can't be set without -eventsrc=..." +fi +if [ "x$MULTINP_CPY" != "x" -a "x$MULTINP_SRC" == "x" ]; then + ERRORS="$ERRORS\nOption -eventcpy=... can't be set without -eventsrc=..." +fi + +if [ "x$FLAG_NOID" == "x1" -a "x$FLAG_FATRAS" == "x1" ]; then + ERRORS="$ERRORS\nOptions -fatras and -noid can not be applied simultaneously" +fi + +if [ "x$FLAG_LIVE" == "x1" -a "x$FLAG_FATRAS" == "x1" ]; then + ERRORS="$ERRORS\nOptions -fatras and -live can not be applied simultaneously" +fi + +if [ "x$FLAG_LIVELOCAL" == "x1" -a "x$FLAG_FATRAS" == "x1" ]; then + ERRORS="$ERRORS\nOptions -fatras and -livelocal can not be applied simultaneously" +fi + +if [ "x$FLAG_NOID" == "x1" -a "x$FLAG_NOMUON" == "x1" -a "x$FLAG_EXTRAPOLATOR" == "x1" ]; then + ERRORS="$ERRORS\nOptions -extrapolator can not be used when both -noid and -nomuon are specified" +fi + +if [ "x$FLAG_EXTRAPOLATOR" == "x1" -a "x$FLAG_NOEXTRAPOLATOR" == "x1" ]; then + ERRORS="$ERRORS\nOptions -extrapolator and -noextrapolator are incompatible" +fi + +if [ "x$FLAG_NOID" == "x1" -a "x$FLAG_NOMUON" == "x1" -a "x$FLAG_FITTER" == "x1" ]; then + ERRORS="$ERRORS\nOptions -refit can not be used when both -noid and -nomuon are specified" +fi + +if [ "x$MULTINP_CPY" != "x" -a -f "$MULTINP_CPY" ]; then + ERRORS="$ERRORS\n-eventcpy directory set to point to a file" +fi + +# TODO: Check this "bootstrap": what is it? Is it still needed? +BOOTSTRAPNAME="bootstrapevent.pool.root" +BOOTSTRAPFILE="${MULTINP_CPY}/${BOOTSTRAPNAME}" +BOOTSTRAP_HTTPFILEINFO="${MULTINP_CPY}/bootstrap_fileinfo.txt" +HTTPMODE=0 +if [ "x$MULTINP_SRC" != "x" ]; then + if [ ${#FILES_POOLROOT[@]} != 0 ]; then + #cant have input files. + ERRORS="$ERRORS\nPlease don't specify input files when running with -live, -livelocal or -eventsrc=..." + else + FILES_POOLROOT[${#FILES_POOLROOT[@]}]="${BOOTSTRAPFILE}" + fi + HTTPMODE=1 + echo $MULTINP_SRC|grep '^https://..*/..*' > /dev/null || HTTPMODE=0 + echo $MULTINP_SRC|grep '/$' > /dev/null && HTTPMODE=0 + if [ "x$HTTPMODE" == "x0" ]; then + if [ "x$MULTINP_SRC" != "x" -a ! -d "$MULTINP_SRC" ]; then + ERRORS="$ERRORS\n-eventsrc directory does not exists" + fi + elif [ "x$MULTINP_CPY" == "x$MULTINP_SRC" ]; then + #Fixme: Could probably cheat this check by presense of trailing '/', symlinks, etc. + ERRORS="$ERRORS\n-eventsrc and -eventcpy directories must be different" + fi +fi + +if [ ${#LOCALEVENTSRC_AVAILDIRS[@]} != 0 ]; then + if [ "x$MULTINP_SRC" == "x" ]; then + ERRORS="$ERRORS\n-extraevtsrcdir can not be specified without the -eventsrc flag" + fi + if [ "x$HTTPMODE" != "x0" ]; then + ERRORS="$ERRORS\n-extraevtsrcdir can not be used when -eventsrc is not a local directory" + fi +fi + +if [ "x$FLAG_EXTRAPOLATOR" == "x0" -a "x$FLAG_EXTRAPOLATOR" == "x0" ]; then + if [ "x$FLAG_NOID" == "x1" -a "x$FLAG_NOMUON" == "x1" ]; then + FLAG_NOEXTRAPOLATOR=1 + else + FLAG_EXTRAPOLATOR=1 + fi +fi + + +####################################### +## Possibly print out errors/usage ## +####################################### + +if [ "x$ERRORS" != "x" ]; then + echo "=================================================================" + echo "Errors found in commandline options!!!:" + echo -e "$ERRORS" + echo + echo "Run 'vp1 -h' for more information" + echo "=================================================================" + echo + exit 1 +fi + +if [ "x$FLAG_HELP" != "x0" ]; then + echo "The $APP script serves as a frontend which runs athena with vp1.py and appropriate options." + echo + echo "Usage: " + echo + echo "$APP [inputfiles] [configfiles] [jobopt fragments] [options]" + echo + echo "Config files must have the .vp1 extension, joboption fragments the .py extension," + echo "and any other argument which doesn't start with '-' is assumed to be an input file if such a file exists." + echo + echo " -h, -help, --help : Display this help (with examples) and exit." + echo + echo " -batch : Run VP1 in 'batch' mode with a given configuration file." + echo + echo " -batch-all-events : Process all events in the input data file in '-batch' mode. Use this together with '-batch'." + echo + echo " -batch-n-events=N : Process 'N' events in the input data file in '-batch' mode. Use this together with '-batch'." + echo + echo " -batch-output-folder : Specify an output folder to store the event displays produced with the '-batch' option." + echo + echo " -batch-random-config : Run VP1 in 'batch' mode; for each single event a configuration file will be randomly picked out of the configuration files provided by the user. Use this together with '-batch'." + echo + echo " -larhv : Access current LAr HV data in the DCS_OFL database via VP1 CaloReadout system." + echo + echo " -data : Input files are data [default assumption is simulation]. " + echo + echo " -detdescr=TAG : Set global geometry tag. Overrides autoconfiguration" + echo + echo " -globcond=TAG : Set global conditions tag. Overrides autoconfiguration" + echo + echo " -skipevents=N : Skip the first N events" + echo + echo " -evtfilter=FILTER : Only process the events in the FILTER list." + echo " Format is a comma separated list of event numbers, where each event number" + echo " can optionally be preceeded by a run number and a semicolon." + echo " Prepend the list with an \"%\" to instead exclude the events." + echo " For instance select a few nice events like: -evtfilter=7,13,5300:26,54" + echo " Or exclude a few bad events like: -evtfilter=%7,13,5300:26,54" + echo + echo " It is also possible to specify one or more files with run/evt numbers" + echo " specified on each line: -evtfilter=%7,13,5300:26,54,myevents1.txt" + echo + echo " -cruise=N : Start in cruise mode, changing events after N seconds" + echo + echo " -logfile=mylogfile.txt : Leave a copy of the output in mylogfile.txt (both stdout and stderr)" + echo + echo " -trig : Init trigger information to be displayed with the Trigger Plugin" + echo + echo " -nocalo : Don't init geometry and converters for calorimeter systems." + echo " -noid : Don't init geometry and converters for the inner detector." + echo " -nomuon : Don't init geometry and converters for muon systems." + # echo " -fulltoroids : Build complete and rather heavyweight description of muon dead materials." + # echo " A lightweight version is built by default" + echo " -lucid : Init geometry and converters for the LUCID forward detector." + echo " -alfa : Init geometry and converters for the ALFA forward detector." + echo " -forwardregion : Init geometry and converters for the FrwardRegion." + echo " -zdc : Init geometry and converters for the ZDC forward detector." + echo " -cavern : Init geometry for the cavern infrastructure." + echo + echo " -toy-detector : Let VP1 visualize the "ToyDetector" volumes of GeoModelExamples (as 'Other unrecognized volumes.' in the Geo system)" + echo + echo " -geomodel-stats : Write GeoModel stats to a file." + echo + echo " -extrapolator : Whether to configure an extrapolator for more precise track representation." + echo " -noextrapolator Default is -extrapolator unless both -nomuon and -noid are specified." + echo + echo " -refit : Allows VP1-controlled refit from PrepRawData." + echo + echo " -online : Use this flag for running VP1 at P1." + echo + echo " -mc : Tell VP1 that it is running over MC data. The flag is ignored when autoconfiguration is ON" + echo " (default mode when running over data files)" + echo + echo " -fatras : Use Fatras (in single-track-simulation mode if no input file with generated event)" + echo " -fatraskey=KEY : Optionally override truth key used by Fatras (typical values are GEN_EVENT or TruthEvent)" + echo + echo " -eventsrc=DIR : Directory to take single event files from (do not specify input files in this case)." + echo " To get files from a web server (i.e. live events), put instead the url to the file" + echo " residing in the same directory (most users should just use the -live option instead)." + echo + echo " -extraevtsrcdir=DIR : Directory to add to the menu to allow user to change eventsrc on the fly." + echo " This argument can appear several times and should only be used when eventsrc is" + echo " a local directory" + echo + echo " -eventcpy=DIR : Directory to keep local copies of processed event files." + echo " If -eventsrc is set, then -eventcpy will default to /tmp/$USER/vp1events/$RANDOM " + echo " -nocleanupeventcpy : Prevent removal of eventcpy directory after athena process finishes." + echo + echo " -live : Run on live events from point 1. This is a convenience option which implies" + echo " other options [unless explicitly set]:" + echo " -noautoconf" + echo " -eventsrc=$LIVEDEFAULTEVENTSRC" + echo " -detdescr=$LIVEDEFAULTDETDESCR" + echo " -globcond=$LIVEDEFAULTGLOBCOND" + echo + echo " -livelocal : Run on live events from point 1 in local directory. This is a convenience option" + echo " which implies other options [unless explicitly set]:" + echo " -noautoconf" + echo " -eventsrc=$LIVELOCALDEFAULTEVENTSRC" + echo " -detdescr=$LIVEDEFAULTDETDESCR" + echo " -globcond=$LIVEDEFAULTGLOBCOND" + echo + echo " -noautoconf : Disable AutoConfiguration. VP1 runs in the 'data' mode by default" + echo " use '-mc' flag for switching to the MC mode" + echo + echo " -nosortdbreplicas : Do not attempt to sort DB replicas according to geographical proximity." + echo + echo " -trigdec=file.xml : Use file.xml as source of trigger decision category data." + echo " -trigdec=embedded : Trigger decision category data is embedded in the input file(s)." + echo " -trigdec=someserver.cern.ch : Trigger decision category data is available from the server someserver.cern.ch." + echo + echo " -athenaopts=<options> : Pass <options> onto athena invocation (type 'athena.py -h' to see available options)." + echo " NB: You can not use the -c option." + echo + echo " -cgal : Use CGAL boolean instead of vp1 boolean." + echo + echo " -nsw : Enable the Muon New Small Wheel geometry (and disable the existing small wheel)." + echo + echo " -slhc : Enable special configurations for SLHC studies." + echo + echo " -customgeom : Enable a custom geometry." + echo + echo " -advanced-aa : Enable advanced anti-aliasing for crisper, higher-quality images. DOES NOT WORK ON LXPLUS MACHINES!!!" + echo + echo " -test : Show the athena command instead of executing it." + echo + echo "Note that the order of specified files/options is not important, and that they can in general be mixed quite" + echo "liberally (when it makes sense - of course dont put e.g. both -trigdec=file.xml and -trigdec=embedded)" + echo + echo + echo "*********" + echo "Examples:" + echo + echo " * Simply run on the input files myevents1.pool.root and myevents2.pool.root" + echo + echo " \$>$APP myevents1.pool.root myevents2.pool.root" + echo + echo " * Simply run on the input file myevents.pool.root and have the joboption fragments myopts1.py and myopts2.py" + echo " included after the standard vp1 setup" + echo + echo " \$>$APP myevents.pool.root myopts1.py myopts2.py" + echo + echo " * Run on myevents1.pool.root, and use a file, mytrigger.xml, as source of trigger decision data:" + echo + echo " \$>$APP myevents1.pool.root -trigdec=mytrigger.xml" + echo + echo " * Run on myevents1.pool.root, don't init geometry and converters for the calorimeter systems:" + echo + echo " \$>$APP myevents1.pool.root -nocalo" + echo + echo " * Run on myevents1.pool.root, and use detector description tag \"ATLAS-GEO-10-00-00\":" + echo + echo " \$>$APP myevents1.pool.root -detdescr=ATLAS-GEO-10-00-00" + echo + echo " * Run on myevents1.pool.root, and pass on a couple of options to the athena invocation (in this case" + echo " we want to run with a debugger and also set the loglevel to WARNING):" + echo + echo " \$>$APP myevents1.pool.root -athenaopts='-d -l WARNING'" + echo + echo " * Run on myevents1.pool.root, and preload the tab/channel configuration files myconfig1.vp1 and myconfig2.vp1:" + echo + echo " \$>$APP myevents1.pool.root myconfig1.vp1 myconfig2.vp1" + echo + echo " * Run on myevents1.pool.root, and preload two tab/channel configuration files: myconfig1.vp1 and myconfig2.vp1; at start, VP1 will create multiple tabs, from the pieces of configuration information contained in both files:" + echo + echo " \$>$APP myevents1.pool.root myconfig1.vp1 myconfig2.vp1" + echo + echo " * Run in 'batch mode' on 'myevents1.pool.root' with the configuration file 'myconfig1.vp1'." + echo " No graphical window will appear, but in the end you will get the PNG file containing the render of the 3D window." + echo + echo " \$>$APP -batch myevents.pool.root myconfig1.vp1" + echo + echo " * Some more advanced examples, using several options at once:" + echo + echo " \$>$APP -detdescr=ATLAS-GEO-10-00-00 myevents1.pool.root myevents2.pool.root myconfig1.vp1 -athenaopts='-d'" + echo " \$>$APP -detdescr=ATLAS-GEO-10-00-00 myevents1.pool.root myconfig1.vp1 -nocalo -nomuon -trigdec=embedded" + echo + exit 0 +fi + +######################################## +## Setup & run according to options ## +######################################## + +if [ "x$FLAG_DONTCLEANUPEVTCPY" != "x1" -a "x$MULTINP_CPY" != "x" ]; then + if [ ${#MULTINP_CPY} -lt 8 -o "x$MULTINP_CPY" == "$HOME" -o "x$MULTINP_CPY" == "$HOME/" ]; then + echo "NOTICE: Turning off removal of ${MULTINP_CPY} since it seems to be too short or pointing at $HOME." + FLAG_DONTCLEANUPEVTCPY=1 + fi +fi + +if [ "x$FLAG_DATA" != "x0" ]; then + echo "Error: Support for the -data flag is actually not implemented yet!" + exit 1 +fi + +PYTHONFILES="" +i=0 +while [ $i -le $((${#FILES_VP1CFG[@]}-1)) ]; do + if [ "x$PYTHONFILES" == "x" ]; then + PYTHONFILES='vp1CfgFiles=["'"${FILES_VP1CFG[$i]}"'"' + else + PYTHONFILES="${PYTHONFILES}"',"'"${FILES_VP1CFG[$i]}"'"' + fi + i=$((i+1)) +done +if [ "x$PYTHONFILES" != "x" ]; then + PYTHONFILES="${PYTHONFILES}"']' +fi + + +POOLROOTFILES="" +i=0 +while [ $i -le $((${#FILES_POOLROOT[@]}-1)) ]; do + if [ "x$POOLROOTFILES" == "x" ]; then + POOLROOTFILES='vp1InputFiles=["'"${FILES_POOLROOT[$i]}"'"' + else + POOLROOTFILES="${POOLROOTFILES}"',"'"${FILES_POOLROOT[$i]}"'"' + fi + i=$((i+1)) +done +if [ "x$POOLROOTFILES" != "x" ]; then + POOLROOTFILES="${POOLROOTFILES}"']' +fi + +EXTRAINPUTDIRS="" +i=0 +while [ $i -le $((${#LOCALEVENTSRC_AVAILDIRS[@]}-1)) ]; do + if [ "x$EXTRAINPUTDIRS" == "x" ]; then + EXTRAINPUTDIRS='vp1MultiAvailableSrcDirs=["'"${LOCALEVENTSRC_AVAILDIRS[$i]}"'"' + else + EXTRAINPUTDIRS="${EXTRAINPUTDIRS}"',"'"${LOCALEVENTSRC_AVAILDIRS[$i]}"'"' + fi + i=$((i+1)) +done +if [ "x$EXTRAINPUTDIRS" != "x" ]; then + EXTRAINPUTDIRS="${EXTRAINPUTDIRS}"']' +fi + +EXTRAJOBOPT="" +i=0 +while [ $i -le $((${#FILES_EXTRAJOBOPT[@]}-1)) ]; do + if [ "x$EXTRAJOBOPT" == "x" ]; then + EXTRAJOBOPT="${FILES_EXTRAJOBOPT[$i]}" + else + EXTRAJOBOPT="${EXTRAJOBOPT} ${FILES_EXTRAJOBOPT[$i]}" + fi + i=$((i+1)) +done + +JOBOPT="VTI12Algs/vti12.py" +if [ -f vti12.py ]; then + JOBOPT=vti12.py +fi + +OPTS="$PYTHONFILES" +if [ "x$POOLROOTFILES" != "x" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}$POOLROOTFILES" +fi +if [ "x$EXTRAINPUTDIRS" != "x" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}$EXTRAINPUTDIRS" +fi +if [ "x$DETDESCRTAG" != "x" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}DetDescrVersion=\"$DETDESCRTAG\"" +fi +if [ "x$GLOBCONDTAG" != "x" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}vp1GlobCond=\"$GLOBCONDTAG\"" +fi +if [ "x$SKIPEVENTS" != "x" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}skipEvents=$SKIPEVENTS" +fi +if [ "x$FILTEREVENTS" != "x" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}vp1FilterEvents=\"$FILTEREVENTS\"" +fi +if [ "x$CRUISEWITHTIME" != "x" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}vp1CruiseTime=$CRUISEWITHTIME" +fi +if [ "x$FLAG_TRIG" != "x0" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}vp1Trig=True" +fi +if [ "x$FLAG_NOCALO" != "x0" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}vp1Calo=False" +fi +if [ "x$FLAG_NOID" != "x0" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}vp1ID=False" +fi +if [ "x$FLAG_NOMUON" != "x0" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}vp1Muon=False" +fi +if [ "x$FLAG_NOSORTDBREPLICAS" != "x0" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}vp1NoSortDBReplicas=True" +fi +if [ "x$FLAG_BATCH" != "x0" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}vp1Batch=True" +fi +if [ "x$FLAG_BATCH_ALL_EVENTS" != "x0" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}vp1BatchAllEvents=True" +fi +if [ "x$FLAG_BATCH_N_EVENTS" != "x0" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}vp1BatchNEvents=$FLAG_BATCH_N_EVENTS" +fi +if [ "x$FLAG_BATCH_OUT_FOLDER" != "x" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}vp1BatchOutFolder=\"$FLAG_BATCH_OUT_FOLDER\"" +fi +if [ "x$FLAG_BATCH_RANDOM_CONFIG" != "x0" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}vp1BatchRandomConfiguration=True" +fi +if [ "x$FLAG_LARHV" != "x0" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}vp1LarHvData=True" +fi +# if [ "x$FLAG_FULLTOROIDS" != "x0" ]; then +# if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi +# OPTS="${OPTS}vp1FullToroids=True" +# fi +if [ "x$FLAG_ONLINE" != "x0" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}vp1Online=True" +fi +if [ "x$FLAG_LUCID" != "x0" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}vp1LUCID=True" +fi +if [ "x$FLAG_ALFA" != "x0" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}vp1ALFA=True" +fi +if [ "x$FLAG_FORWARD_REGION" != "x0" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}vp1ForwardRegion=True" +fi +if [ "x$FLAG_ZDC" != "x0" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}vp1ZDC=True" +fi +if [ "x$FLAG_CAVERN" != "x0" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}vp1Cavern=True" +fi +if [ "x$FLAG_TOYDETECTOR" != "x0" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}vp1ToyDetector=True" +fi +if [ "x$FLAG_GEOMODELSTATS" != "x0" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}vp1GeoModelStats=True" +fi +if [ "x$FLAG_EXTRAPOLATOR" != "x0" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}vp1Extrapolator=True" +fi +if [ "x$FLAG_NOEXTRAPOLATOR" != "x0" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}vp1Extrapolator=False" +fi +if [ "x$FLAG_NOAUTOCONF" != "x0" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}vp1NoAutoConf=True" +fi +if [ "x$FLAG_FITTER" != "x0" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + ERRORS="$ERRORS\nOption -refit is not currently supported." +fi +if [ "x$FLAG_FATRAS" != "x0" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}vp1Fatras=True" +fi +if [ "x$FLAG_NSW" != "x0" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}vp1NSW=True" +fi +if [ "x$FLAG_SLHC" != "x0" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}vp1SLHC=True" +fi +#if [ "x$FLAG_CUSTOMGEOMETRY" != "x0" ]; then +# if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi +# OPTS="${OPTS}vp1CustomGeometry=True" +#fi +#if [ "x$FLAG_ADVANCED_ANTIALIASING" != "x0" ]; then +# if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi +# OPTS="${OPTS}vp1AdvancedAntialiasing=True" +#fi +if [ "x$FLAG_NOGUI" != "x0" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}vp1NoGui=True" +fi +if [ "x$FLAG_MC" != "x0" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}vp1Mc=True" +fi +if [ "x$MULTINP_SRC" != "x" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}vp1Multinp=True" +fi +if [ "x$MULTINP_SRC" != "x" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}vp1Multinpsrc=\"$MULTINP_SRC\"" +fi +if [ "x$MULTINP_CPY" != "x" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}vp1Multinpcpy=\"$MULTINP_CPY\"" +fi +if [ "x$TRIGDEC" != "x" ]; then + if [ ${#TRIGDEC} -gt 5 -a ${TRIGDEC:$((${#TRIGDEC}-4)):4} == ".xml" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}vp1TrigDecXML=\"$TRIGDEC\"" + else + echo "Error: Support for the -trigdec flag for embedded or server is actually not implemented in this script yet! So far only .xml sources work" + exit 1 + fi +fi +if [ "x$FATRAS_TRUTHKEY" != "x" ]; then + if [ "x$OPTS" != "x" ]; then OPTS="$OPTS;"; fi + OPTS="${OPTS}vp1FatrasTruthKey=\"$FATRAS_TRUTHKEY\"" +fi + +if [ "x$LOGFILE" != "x" ]; then + #Fixme: Check that this actually redirects stderr correctly!! + CMD="$CMD 2>&1|tee $LOGFILE" +fi +#Test mode: +if [ "x$FLAG_TEST" != "x0" ]; then + if [ "x$HTTPMODE" == "x1" ]; then + echo "--> Start by downloading a fresh file from $MULTINP_SRC to $BOOTSTRAPFILE" + fi + if [ "x$MULTINP_CPY" != "x" -a ! -d "$MULTINP_CPY" ]; then + echo mkdir -p $MULTINP_CPY + fi + if [ "x$LOGFILE" != "x" ]; then + echo athena.py $ATHENAOPTS -c "'$OPTS'" $JOBOPT $EXTRAJOBOPT "2>&1|tee $LOGFILE" + else + echo athena.py $ATHENAOPTS -c "'$OPTS'" $JOBOPT $EXTRAJOBOPT + fi + exit 0 +fi + +################################################## +## Possibly get boot-strap file for http mode ## +################################################## + +if [ "x$MULTINP_CPY" != "x" -a ! -d "$MULTINP_CPY" ]; then + mkdir -p $MULTINP_CPY + if [ $? != 0 ]; then + echo + echo "Failed to create $MULTINP_CPY" + echo + exit 1 + fi +fi + + +if [ "x$HTTPMODE" == "x1" ]; then + if [ -f $BOOTSTRAPFILE ]; then + echo + echo + echo "Using existing $BOOTSTRAPFILE as first event." + echo + echo "In case of problems, try first to remove this file and then restart" + echo + echo + else + echo "Need to acquire $BOOTSTRAPFILE" + while [ 1 ]; do + rm -f $BOOTSTRAP_HTTPFILEINFO + echo + echo "Executing wget $LIVEBOOTSTRAPSRC --output-document=$BOOTSTRAP_HTTPFILEINFO" + wget $LIVEBOOTSTRAPSRC --output-document=$BOOTSTRAP_HTTPFILEINFO + if [ $? != 0 ]; then + echo + echo "Download failed!" + echo + rm -f $BOOTSTRAP_HTTPFILEINFO + exit 1 + fi + echo "Download succesful" + #Check integrity of downloaded file: + OK=1 + grep '^vp1_.*_.*_.*.pool.root' $BOOTSTRAP_HTTPFILEINFO |grep -v "copy " > /dev/null || OK=0 + grep 'begin_checksums' $BOOTSTRAP_HTTPFILEINFO > /dev/null || OK=0 + grep 'end_checksums' $BOOTSTRAP_HTTPFILEINFO > /dev/null || OK=0 + if [ "x$OK" == "x1" ]; then + echo "Downloaded info file content seems sane." + break + else + echo "Problems with content of downloaded info file. Will retry in 5 seconds." + sleep 5 + fi + done + #Decode to find recent file: + FILELINE=`grep '^vp1_.*_.*_.*.pool.root' $BOOTSTRAP_HTTPFILEINFO |grep -v "copy "|head -1|tr '\t' ' '` + FILE=`echo $FILELINE|awk '{print $1}'` + SUM=`echo $FILELINE|awk '{print $2}'` + FILEURL=`echo $LIVEBOOTSTRAPSRC|sed 's#http://\(.*\)/.*$#http://\1/#'`$FILE + echo FILE=$FILE + echo FILEURL=$FILEURL + echo SUM=$SUM + OK=1 + BOOTSTRAPFILE_SUMFILE=$BOOTSTRAPFILE.md5sum + rm -f $BOOTSTRAPFILE $BOOTSTRAPFILE_SUMFILE + echo "Executing wget ${FILEURL} --output-document=$BOOTSTRAP_HTTPFILEINFO" + wget ${FILEURL} --output-document=$BOOTSTRAPFILE || OK=0 + if [ $? != 0 ]; then + echo + echo "Download failed!" + echo + rm -f $BOOTSTRAPFILE $BOOTSTRAPFILE_SUMFILE + exit 1 + fi + echo "$SUM $BOOTSTRAPFILE" > $BOOTSTRAPFILE_SUMFILE + if [ $? != 0 ]; then + echo + echo "Could not create md5sum check file" + echo + rm -f $BOOTSTRAPFILE $BOOTSTRAPFILE_SUMFILE + exit 1 + fi + md5sum --status --check $BOOTSTRAPFILE_SUMFILE + if [ $? != 0 ]; then + echo + echo "md5sum check of downloaded bootstrap event file failed!" + echo + rm -f $BOOTSTRAPFILE $BOOTSTRAPFILE_SUMFILE + exit 1 + fi + echo "Checksum of downloaded Bootstrap event file is OK. Proceeding to launch athena." + fi +elif [ "x$MULTINP_SRC" != "x" ]; then + NEWEST=`ls -1rt $MULTINP_SRC/*_*_*.pool.root |tail -1` + if [ ! -f $NEWEST ]; then + echo + echo "Could not find event file in $MULTINP_SRC to use to bootstrap athena. " + echo + exit 1 + fi + cp $NEWEST -f $BOOTSTRAPFILE + if [ $? != 0 -o ! -f $BOOTSTRAPFILE ]; then + echo + echo "Could not copy newest event file $BOOTSTRAPFILE!" + echo + rm -f $BOOTSTRAPFILE + exit 1 + fi +fi + +if [ "x$LOGFILE" != "x" ]; then + athena.py $ATHENAOPTS -c "$OPTS" $JOBOPT $EXTRAJOBOPT 2>&1|tee $LOGFILE +else + athena.py $ATHENAOPTS -c "$OPTS" $JOBOPT $EXTRAJOBOPT +fi + +if [ "x$FLAG_DONTCLEANUPEVTCPY" != "x1" -a "x$MULTINP_CPY" != "x" ]; then + if [ -d "${MULTINP_CPY}" -a -f "${MULTINP_CPY}/${BOOTSTRAPNAME}" ]; then + rm -rf "${MULTINP_CPY}" + fi +fi diff --git a/graphics/VTI12/VTI12Algs/share/vti12.py b/graphics/VTI12/VTI12Algs/share/vti12.py new file mode 100644 index 0000000000000000000000000000000000000000..6acbbac5863bc91018907351bbe95465fb0707bd --- /dev/null +++ b/graphics/VTI12/VTI12Algs/share/vti12.py @@ -0,0 +1,455 @@ +if not 'vp1InputFiles' in dir(): vp1InputFiles = [] +if not 'vp1CfgFiles' in dir(): vp1CfgFiles = [] +if not 'vp1ID' in dir(): vp1ID=False +if not 'vp1Calo' in dir(): vp1Calo=False +if not 'vp1Muon' in dir(): vp1Muon=False +if not 'vp1LUCID' in dir(): vp1LUCID=False +if not 'vp1ALFA' in dir(): vp1ALFA=False +if not 'vp1ForwardRegion' in dir(): vp1ForwardRegion=False +if not 'vp1ZDC' in dir(): vp1ZDC=False +if not 'vp1Extrapolator' in dir(): vp1Extrapolator=True +# if not 'vp1Fitter' in dir(): vp1Fitter=False +if not 'vp1Fatras' in dir(): vp1Fatras=False +if not 'vp1FatrasMuon' in dir(): vp1FatrasMuon=(vp1Fatras and vp1Muon) +if not 'vp1FatrasCalo' in dir(): vp1FatrasCalo=(vp1Fatras and vp1Calo) +if not 'vp1FatrasTruthKey' in dir(): vp1FatrasTruthKey="" +if not 'vp1Online' in dir(): vp1Online=False +if not 'vp1Mc' in dir(): vp1Mc=False +if not 'vp1Multinp' in dir(): vp1Multinp=False +if not 'vp1Multinpsrc' in dir(): vp1Multinpsrc="" +if not 'vp1Multinpcpy' in dir(): vp1Multinpcpy="" +if not 'vp1MultiAvailableSrcDirs' in dir(): vp1MultiAvailableSrcDirs = [] +if not 'vp1TrigDecXML' in dir(): vp1TrigDecXML="" +if not 'vp1Batch' in dir(): vp1Batch=False +if not 'vp1BatchAllEvents' in dir(): vp1BatchAllEvents=False +if not 'vp1BatchNEvents' in dir(): vp1BatchNEvents=0 +if not 'vp1BatchOutFolder' in dir(): vp1BatchOutFolder="" +if not 'vp1BatchRandomConfiguration' in dir(): vp1BatchRandomConfiguration=False +if not 'vp1LarHvData' in dir(): vp1LarHvData=False +# if not 'vp1FullToroids' in dir(): vp1FullToroids=False +if not 'vp1CruiseTime' in dir(): vp1CruiseTime=0 +if not 'vp1NoSortDBReplicas' in dir(): vp1NoSortDBReplicas=False +if not 'vp1FilterEvents' in dir(): vp1FilterEvents="" +if not 'vp1NoGui' in dir(): vp1NoGui=False +if not 'vp1SpacePoints' in dir(): vp1SpacePoints=False +if not 'vp1Cavern' in dir(): vp1Cavern=False +if not 'vp1NoAutoConf' in dir(): vp1NoAutoConf=False +if not 'vp1Trig' in dir(): vp1Trig=False +if not 'vp1NSW' in dir(): vp1NSW=False + +def vp1CfgErr(s): print "VP1 CONFIGURATION ERROR: %s" % s + +if (vp1Fatras and not vp1ID): + vp1CfgErr("Fatras can not be enabled without inner detector. Turning off Fatras.") + vp1Fatras=False +if (vp1FatrasMuon and not vp1Fatras): + vp1CfgErr("FatrasMuon can not be enabled without Fatras enabled. Turning off FatrasMuon.") + vp1FatrasMuon=False +if (vp1FatrasMuon and not vp1Muon): + vp1CfgErr("FatrasMuon can not be enabled without muon systems. Turning off FatrasMuon.") + vp1FatrasMuon=False +if (vp1FatrasCalo and not vp1Fatras): + vp1CfgErr("FatrasCalo can not be enabled without Fatras enabled. Turning off FatrasCalo.") + vp1FatrasCalo=False +if (vp1FatrasCalo and not vp1Calo): + vp1CfgErr("FatrasCalo can not be enabled without calo systems. Turning off FatrasCalo.") + vp1FatrasCalo=False +if ( vp1FatrasTruthKey != "" and not vp1Fatras ): + vp1CfgErr("FatrasTruthKey set but Fatras not enabled. Unsetting FatrasTruthKey.") + vp1FatrasTruthKey="" + +if (vp1NSW and not vp1Muon): + vp1CfgErr("Muon New Small Wheel (NSW) turned on, but no Muon geometry. Disabling NSW.") + vp1NSW=False + + + + +print "*** VP1 NOTE *** setting COIN_GLXGLUE env vars to make screenshots working remotely..." +print "*** VP1 NOTE *** COIN_GLXGLUE_NO_GLX13_PBUFFERS=1 - " + "COIN_GLXGLUE_NO_PBUFFERS=1" +os.putenv("COIN_GLXGLUE_NO_GLX13_PBUFFERS","1") +os.putenv("COIN_GLXGLUE_NO_PBUFFERS","1") + + + +#Set VP1ATLREL integer so we can do e.g. "if VP1ATLREL>=160002:" +include('VP1Algs/vp1FragmentConstructVP1ATLREL.py') + +#Disable FPE checks :-( +from RecExConfig.RecFlags import rec +rec.doFloatingPointException.set_Value_and_Lock(False) + +if (vp1InputFiles == []): + # Create an event selector: + import AthenaCommon.AtlasUnixGeneratorJob + # Configure GlobalFlags + from AthenaCommon.GlobalFlags import globalflags +# from CalypsoCommon.GlobalFlags import globalflags + globalflags.DetGeo.set_Value_and_Lock('atlas') + globalflags.DataSource.set_Value_and_Lock('geant4') + + # Set geometry version + if (not "DetDescrVersion" in dir()): + DetDescrVersion = "FASER-00" + globalflags.DetDescrVersion = DetDescrVersion + + # Set conditions tag + if not 'vp1GlobCond' in dir(): + vp1GlobCond="OFLCOND-SDR-BS7T-05-14" + from IOVDbSvc.CondDB import conddb + conddb.setGlobalTag(vp1GlobCond) + + + ### NEW FOR REL. >= 22 + + # Conditions Service for reading conditions data in serial and MT Athena + from IOVSvc.IOVSvcConf import CondSvc + svcMgr += CondSvc() + + from AthenaCommon.AlgSequence import AthSequencer + condSeq = AthSequencer("AthCondSeq") + + # Conditions data access infrastructure for serial and MT Athena + from IOVSvc.IOVSvcConf import CondInputLoader + condSeq += CondInputLoader( "CondInputLoader") + + import StoreGate.StoreGateConf as StoreGateConf + svcMgr += StoreGateConf.StoreGateSvc("ConditionStore") + +else: + if(vp1NoAutoConf): + # AutoConfiguration disabled + import AthenaCommon.AtlasUnixStandardJob + + if(vp1Online): + from AthenaCommon.AthenaCommonFlags import athenaCommonFlags + athenaCommonFlags.isOnline = True + + from AthenaCommon.GlobalFlags import globalflags +# from CalypsoCommon.GlobalFlags import globalflags + globalflags.DetGeo.set_Value_and_Lock('atlas') + if(vp1Mc): + globalflags.DataSource.set_Value_and_Lock('geant4') + else: + globalflags.DataSource.set_Value_and_Lock('data') + globalflags.InputFormat.set_Value_and_Lock('pool') + globalflags.Luminosity.set_Value_and_Lock('zero') + from AthenaCommon.BeamFlags import jobproperties + jobproperties.Beam.beamType="collisions" + + # Set geometry version + if (not "DetDescrVersion" in dir()): + DetDescrVersion = "FASER-00" + globalflags.DetDescrVersion = DetDescrVersion + + # Set conditions tag + if not 'vp1GlobCond' in dir(): + if (vp1Mc): + vp1GlobCond="OFLCOND-SIM-BS7T-02" + else: + vp1GlobCond="COMCOND-BLKPST-004-01" + + from IOVDbSvc.CondDB import conddb + conddb.setGlobalTag(vp1GlobCond) + + import AthenaPoolCnvSvc.ReadAthenaPool #sets up reading of any POOL files (but POOL is slow) + svcMgr.EventSelector.InputCollections = vp1InputFiles + + ### NEW FOR REL. >= 22 + + # Conditions Service for reading conditions data in serial and MT Athena + from IOVSvc.IOVSvcConf import CondSvc + svcMgr += CondSvc() + + from AthenaCommon.AlgSequence import AthSequencer + condSeq = AthSequencer("AthCondSeq") + + # Conditions data access infrastructure for serial and MT Athena + from IOVSvc.IOVSvcConf import CondInputLoader + condSeq += CondInputLoader( "CondInputLoader") + + import StoreGate.StoreGateConf as StoreGateConf + svcMgr += StoreGateConf.StoreGateSvc("ConditionStore") + + else: + # AutoConfiguration enabled + from AthenaCommon.AthenaCommonFlags import athenaCommonFlags + athenaCommonFlags.FilesInput=vp1InputFiles + + from RecExConfig.RecFlags import rec + rec.AutoConfiguration=['everything'] + rec.doAOD.set_Value_and_Lock(False) + rec.doESD.set_Value_and_Lock(False) + + # Override geometry tag from command line + if("DetDescrVersion" in dir()): + from AthenaCommon.GlobalFlags import globalflags +# from CalypsoCommon.GlobalFlags import globalflags + globalflags.DetDescrVersion = DetDescrVersion + #globalflags.DetDescrVersion.set_Value_and_Lock(DetDescrVersion) + + athenaCommonFlags.EvtMax=-1 + include('RecExCond/RecExCommon_flags.py') + + # Override global conditions tag from command line + if('vp1GlobCond' in dir()): + from IOVDbSvc.CondDB import conddb + conddb.setGlobalTag(vp1GlobCond) + + + ### NEW FOR REL. >= 22 + + # Conditions Service for reading conditions data in serial and MT Athena + from IOVSvc.IOVSvcConf import CondSvc + svcMgr += CondSvc() + + from AthenaCommon.AlgSequence import AthSequencer + condSeq = AthSequencer("AthCondSeq") + + # Conditions data access infrastructure for serial and MT Athena + from IOVSvc.IOVSvcConf import CondInputLoader + condSeq += CondInputLoader( "CondInputLoader") + + import StoreGate.StoreGateConf as StoreGateConf + svcMgr += StoreGateConf.StoreGateSvc("ConditionStore") + +if vp1FilterEvents: + import VP1Algs.VP1EvtFilter + vp1FilterEvents = VP1Algs.VP1EvtFilter.parseFilterString(vp1FilterEvents) + VP1Algs.VP1EvtFilter.installEventFilter(vp1FilterEvents) + +from AthenaCommon.AlgSequence import AlgSequence +topSequence = AlgSequence() + + +#BATCH-MODE +# If "vp1Batch" is TRUE, then set the corresponding env var. +# The GUI of VP1 will not be shown, but the config file will be taken +# and in the end a render of the 3D window will be saved as PNG file. +# +# Moreover, if "vp1BatchAllEvents" is TRUE, then all the events +# in the provided data file will be processed with the same configuration +# file provided by the user. +# +if vp1Batch: + os.putenv("VP1_BATCHMODE","1") +if vp1BatchAllEvents: + os.putenv("VP1_BATCHMODE_ALLEVENTS","1") +if vp1BatchNEvents > 0: + os.putenv("VP1_BATCHMODE_NEVENTS", str(vp1BatchNEvents) ) +if (vp1BatchOutFolder != ""): + os.putenv("VP1_BATCHMODE_OUT_FOLDER", vp1BatchOutFolder) +if vp1BatchRandomConfiguration: + os.putenv("VP1_BATCHMODE_RANDOMCONFIG","1") + + + +#Detector setup: +from AthenaCommon.DetFlags import DetFlags +#from CalypsoCommon.DetFlags import DetFlags +if (vp1ID): DetFlags.ID_setOn() +else: vp1Extrapolator = False + +#watch LAr HV: +if ( vp1LarHvData ): + from time import time + svcMgr.AthenaSealSvc.CheckDictionary = TRUE + svcMgr.EventSelector.InitialTimeStamp = int (time()) + svcMgr.EventSelector.TimeStampInterval = 1 + from IOVDbSvc.CondDB import conddb + conddb.addFolder("DCS_OFL","/LAR/DCS/HV/BARREl/I16") + conddb.addFolder("DCS_OFL","/LAR/DCS/HV/BARREL/I8") +#------------ + +if (vp1Fatras): + include( "FatrasExample/Fatras_jobOptions.py" ) + +if (vp1TrigDecXML!=""): + include( "TrigConfigSvc/jobOptions_commonSetup.py" ) + include( "TrigConfigSvc/jobOptions_setupLVL1Svc.py" ) + include( "TrigConfigSvc/jobOptions_setupHLTSvc.py" ) + HLTConfigSvc.XMLMenuFile = vp1TrigDecXML + from TrigDecisionTool.TrigDecisionToolConf import Trig__TrigDecisionTool + ToolSvc += Trig__TrigDecisionTool("TrigDecisionTool") + +if (vp1Calo): + from AthenaCommon.GlobalFlags import globalflags +# from CalypsoCommon.GlobalFlags import globalflags + if globalflags.DataSource() == 'data' : + include ("LArConditionsCommon/LArIdMap_comm_jobOptions.py") + else: + include ("LArConditionsCommon/LArConditionsCommon_MC_jobOptions.py") + include ("LArConditionsCommon/LArIdMap_MC_jobOptions.py") + +#Extrapolator: +if vp1Extrapolator and (vp1ID or vp1Muon): + # Force tool initializations needed by the extrapolator + from VP1TrkAuxAlgs.VP1TrkAuxAlgsConf import VP1TrkInitializer + VP1TrkInitializer = VP1TrkInitializer() + VP1TrkInitializer.ForceExtrapolatorTools = True + topSequence += VP1TrkInitializer + + if not vp1Fatras and vp1Mc: + include ('TrkDetDescrSvc/AtlasTrackingGeometrySvc.py') + + from TrkExTools.AtlasExtrapolator import AtlasExtrapolator + VP1ExtraPolatorName='VP1Extrapolator'; + VP1Extrapolator = AtlasExtrapolator(name=VP1ExtraPolatorName) + + from TrkExEngine.AtlasExtrapolationEngine import AtlasExtrapolationEngine + ExtrapolationEngine = AtlasExtrapolationEngine(name='Extrapolation', nameprefix='Atlas', ToolOutputLevel=INFO) + ToolSvc += ExtrapolationEngine + + # Previous config from SetupFitters.py + # from TrkExTools.TrkExToolsConf import Trk__Extrapolator as Extrapolator + # VP1Extrapolator = Extrapolator(name='VP1Extrapolator', + # Navigator = VP1Navigator, + # MaterialEffectsUpdators = [ VP1MaterialUpdator ], + # Propagators = [ VP1Propagator ] ) + + ToolSvc += VP1Extrapolator + #We should append to variable instead: + os.putenv("VP1_JOBCFG_EXTRA_VP1_EXTRAPOLATORS","Trk::Extrapolator/"+VP1ExtraPolatorName) + +#Fitter: +# if vp1Fitter and vp1Extrapolator and (vp1ID or vp1Muon): +# VP1TrkInitializer.ForceFitterTools = True +# os.putenv("VP1_DEVEL_ENABLEREFIT","1") +# ########################################################## +# # The Extrapolator +# include('TrkDetDescrSvc/AtlasTrackingGeometrySvc.py') +# +# from TrkExRungeKuttaPropagator.TrkExRungeKuttaPropagatorConf import Trk__RungeKuttaPropagator as Propagator +# VP1Propagator = Propagator(name = 'VP1Propagator') +# ToolSvc += VP1Propagator +# +# # the Navigator has to get this one +# from TrkExTools.TrkExToolsConf import Trk__Navigator +# VP1Navigator = Trk__Navigator(name = 'VP1Navigator') +# VP1Navigator.TrackingGeometrySvc = svcMgr.AtlasTrackingGeometrySvc +# ToolSvc += VP1Navigator +# +# from TrkExTools.TrkExToolsConf import Trk__MaterialEffectsUpdator as MatUpdator +# VP1MaterialUpdator = MatUpdator(name='VP1MaterialEffectsUpdator') +# ToolSvc += VP1MaterialUpdator +# +# from TrkMeasurementUpdator_xk.TrkMeasurementUpdator_xkConf import Trk__KalmanUpdator_xk +# VP1Updator = Trk__KalmanUpdator_xk(name = 'VP1Updator') +# ToolSvc += VP1Updator +# +# from TrkDynamicNoiseAdjustor.TrkDynamicNoiseAdjustorConf import Trk__InDetDynamicNoiseAdjustment +# VP1DNAdjustor = Trk__InDetDynamicNoiseAdjustment(name = 'VP1DNAdjustor') +# #yminmax = 100.0) +# ToolSvc += VP1DNAdjustor +# from TrkKalmanFitter.TrkKalmanFitterConf import Trk__ForwardKalmanFitter as PublicFKF +# VP1FKF = PublicFKF(name = 'VP1FKF', +# StateChi2PerNDFPreCut = 25.0) +# ToolSvc += VP1FKF +# +# from TrkKalmanFitter.TrkKalmanFitterConf import Trk__KalmanSmoother as PublicBKS +# VP1BKS = PublicBKS(name = 'VP1BKS', +# InitialCovarianceSeedFactor = 200.) +# ToolSvc += VP1BKS +# +# from TrkKalmanFitter.TrkKalmanFitterConf import Trk__KalmanOutlierLogic as PublicKOL +# VP1KOL = PublicKOL(name = 'VP1KOL', +# StateChi2PerNDFCut = 12.5) +# ToolSvc += VP1KOL +# +# #FIXME! Only do this for Muons? +# from MuonRecExample import MuonRecTools +# MdtTubeHitOnTrackCreator = MuonRecTools.getPublicTool("MdtTubeHitOnTrackCreator") +# +# from TrkRIO_OnTrackCreator.TrkRIO_OnTrackCreatorConf import Trk__RIO_OnTrackCreator +# VP1RotCreator = Trk__RIO_OnTrackCreator(name = 'VP1RotCreator', +# ToolMuonDriftCircle = MdtTubeHitOnTrackCreator , +# Mode = 'all') +# ToolSvc += VP1RotCreator +# print VP1RotCreator +# print MdtTubeHitOnTrackCreator +# +# from TrkKalmanFitter.TrkKalmanFitterConf import Trk__KalmanFitter as ConfiguredKalmanFitter +# VP1KalmanFitter = ConfiguredKalmanFitter(name = 'VP1KalmanFitter', +# ExtrapolatorHandle = VP1Extrapolator, +# RIO_OnTrackCreatorHandle = VP1RotCreator, +# MeasurementUpdatorHandle = VP1Updator, +# ForwardKalmanFitterHandle = VP1FKF, +# KalmanSmootherHandle = VP1BKS, +# KalmanOutlierLogicHandle = VP1KOL, +# DynamicNoiseAdjustorHandle = None, +# AlignableSurfaceProviderHandle = None) +# +# ToolSvc += VP1KalmanFitter +# +# print VP1KalmanFitter +# os.putenv("VP1_JOBCFG_EXTRA_VP1_FITTERS",VP1KalmanFitter.name()) +# +# +# VP1KalmanFitterDNA = ConfiguredKalmanFitter(name = 'VP1KalmanFitterDNA', +# ExtrapolatorHandle = VP1Extrapolator, +# RIO_OnTrackCreatorHandle = VP1RotCreator, +# MeasurementUpdatorHandle = VP1Updator, +# ForwardKalmanFitterHandle = VP1FKF, +# KalmanSmootherHandle = VP1BKS, +# KalmanOutlierLogicHandle = VP1KOL, +# DynamicNoiseAdjustorHandle = VP1DNAdjustor, +# AlignableSurfaceProviderHandle = None) +# +# ToolSvc += VP1KalmanFitterDNA +# os.putenv("VP1_JOBCFG_EXTRA_VP1_FITTERS",VP1KalmanFitterDNA.name()) +# +# +# from TrkGlobalChi2Fitter.TrkGlobalChi2FitterConf import Trk__GlobalChi2Fitter +# VP1GlobalChi2Fitter = Trk__GlobalChi2Fitter(name = 'VP1GlobalChi2Fitter', +# ExtrapolationTool = VP1Extrapolator, +# NavigatorTool = VP1Navigator, +# PropagatorTool = VP1Propagator, +# RotCreatorTool = VP1RotCreator, +# MeasurementUpdateTool = VP1Updator, +# StraightLine = False, +# OutlierCut = 3.0, +# SignedDriftRadius = True, +# RecalculateDerivatives= True +# ) +# print VP1GlobalChi2Fitter +# ToolSvc += VP1GlobalChi2Fitter +# +# VP1GlobalChi2Fitter.OutputLevel=DEBUG +# +# os.putenv("VP1_JOBCFG_EXTRA_VP1_FITTERS","Trk::KalmanFitter/"+VP1KalmanFitter.name()+";"+"Trk::KalmanFitter/"+VP1KalmanFitterDNA.name()+";"+"Trk::GlobalChi2Fitter/"+VP1GlobalChi2Fitter.name()) + +#On a machine where the hostname does not indicate domain, pool will +#fail if trying to find nearest replica. In any case, dblookup.xml +#needs to be patched when running on real data: +include('VP1Algs/vp1FragmentFixDBReplica.py') + +if vp1NoSortDBReplicas: + PoolSvc = Service( "PoolSvc" ) + PoolSvc.SortReplicas = False + +from FaserGeoModel import SetGeometryVersion +from FaserGeoModel import GeoModelInit + +from GeoModelSvc.GeoModelSvcConf import GeoModelSvc +GeoModelSvc = GeoModelSvc() +GeoModelSvc.PrintMaterials = True +GeoModelSvc.GeoExportFile = "faserGeo.db" + +#Finally, the VP1 algorithm itself: +from VTI12Algs.VTI12AlgsConf import VTI12Alg +topSequence += VTI12Alg("VTI12Alg") + +VTI12Alg.NoGui=vp1NoGui + +if vp1CruiseTime > 0: + VTI12Alg.InitialCruiseMode = "EVENT" + VTI12Alg.InitialCruiseModePeriod = vp1CruiseTime + +VTI12Alg.InitiallyLoadedVP1Files = vp1CfgFiles +if (vp1Multinp): + VTI12Alg.MultipleFilesON = True + VTI12Alg.MFSourceDir = vp1Multinpsrc + VTI12Alg.MFLocalCopyDir = vp1Multinpcpy + VTI12Alg.MFAvailableLocalInputDirectories = vp1MultiAvailableSrcDirs + +topSequence.TimeOut=0 diff --git a/graphics/VTI12/VTI12Algs/src/VTI12Alg.cxx b/graphics/VTI12/VTI12Algs/src/VTI12Alg.cxx new file mode 100644 index 0000000000000000000000000000000000000000..09a6e312ee78ca55bfb404cf45ac8c52172bdc9b --- /dev/null +++ b/graphics/VTI12/VTI12Algs/src/VTI12Alg.cxx @@ -0,0 +1,268 @@ +/* + Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +*/ + +#include "VTI12Alg.h" + +#include "VTI12Gui/VP1Gui.h" +#include "VP1UtilsBase/VP1FileUtilities.h" + +#include "EventInfo/EventInfo.h" +#include "EventInfo/TriggerInfo.h" +#include "EventInfo/EventID.h" +#include "PathResolver/PathResolver.h" + +#include "GaudiKernel/IToolSvc.h" +#include "GaudiKernel/FileIncident.h" +#include "GaudiKernel/ServiceHandle.h" +#include "GaudiKernel/IEvtSelector.h" +#include "GaudiKernel/IIncidentSvc.h" + +#include <vector> +#include <stdexcept> +#include <iostream> +#include <iomanip> +#include <cstdint> // for uint64_t (unsigned long long) +#include <cstdlib> //For setenv + + +//____________________________________________________________________ +VTI12Alg::VTI12Alg(const std::string& name, ISvcLocator* svcLocator): + AthAlgorithm(name, svcLocator), + m_toolSvc(0),m_vp1gui(0) +{ + declareProperty("InitiallyLoadedVP1Files",m_initialvp1files); + declareProperty("InitialCruiseMode",m_initialCruiseMode="NONE"); + declareProperty("InitialCruiseModePeriod",m_initialCruiseSeconds=10); + + declareProperty("NoGui",m_noGui=false); + + // **** MF **** + declareProperty("MultipleFilesON",m_mfOn=false); + declareProperty("MFNumFileLimit",m_mfLimit=10); + declareProperty("MFSourceDir",m_mfSourceDir=""); + declareProperty("MFLocalCopyDir",m_mfLocalCopyDir=""); + declareProperty("MFAvailableLocalInputDirectories",m_mfAvailableLocalInputDirectories); + + + // Two ways of running in multiple files mode: + // + // 1) Source is directory on filesystem (e.g. for use in the control room). + // * MFSourceDir indicates the directory where files can be found. + // * MFLocalCopyDir indicates the temporary directory where + // files are copied before we tell pool to get them there. + // 2) Source is web directory + // * MFSourceDir indicates http url to small text file (to be + // parsed by VP1Gui/VP1EvtsOnServerInfo), with a list of + // available files (assumed to be in the same dir). + // Example value: "http://pcatdwww.cern.ch/atlas-point1/vp1events/fileinfo.txt" + // * MFLocalCopyDir has same meaning as before, but this time a + // subdirectory of it, "active_downloads", will be used to + // download files before they are subsequently moved to + // MFLocalCopyDir itself. + + // **** MF **** + + // Pick up patched Coin + ::setenv("LCGPATCH_COINMULTISELECT","1",1); +} + +//____________________________________________________________________ +VTI12Alg::~VTI12Alg() +{ +} + +//____________________________________________________________________ +StatusCode VTI12Alg::initialize() +{ + msg(MSG::INFO) << " in initialize() " << endmsg; + + //ToolSvc + StatusCode status = service("ToolSvc",m_toolSvc); + if (status.isFailure()||!m_toolSvc) { + msg(MSG::ERROR) << " Unable to get ToolSvc!" << endmsg; + return status; + } + + std::vector<std::string>::iterator it, itE = m_initialvp1files.end(); + for (it = m_initialvp1files.begin();it!=itE;++it) { + std::string file = PathResolver::find_file (*it, "DATAPATH"); + if (file=="") + file = PathResolver::find_file (*it+".vp1", "DATAPATH"); + if (file!="") + *it = file; + } + + // use the incident service to register a handler + IIncidentSvc* incsvc = 0; + status = service("IncidentSvc", incsvc, true); + + if(status.isFailure() || incsvc==0) { + msg(MSG::WARNING) << "Unable to get IncidentSvc! MF mechanism is disabled" << endmsg; + return StatusCode::SUCCESS; + } + + std::string endfilekey("EndTagFile"); + incsvc->addListener(this, endfilekey, 0); + msg(MSG::DEBUG) << "Added listener on "<<endfilekey << endmsg; + + //Create VP1 gui object and see if it considers settings to be valid. + m_vp1gui = new VP1Gui(&(*evtStore()),&(*detStore()),serviceLocator(),m_toolSvc, + m_initialvp1files, + m_initialCruiseMode,m_initialCruiseSeconds, + (m_mfOn ? m_mfSourceDir : ""), + (m_mfOn ? m_mfLocalCopyDir : ""), + m_mfLimit, + ( m_mfOn ? m_mfAvailableLocalInputDirectories : std::vector<std::string>() ) ); + if (!m_vp1gui->argumentsAreValid()) { + delete m_vp1gui; + m_vp1gui = 0; + exit(1);//Should we do this? It is kind of nice to not have to dig through the logfile to find the failure. + return StatusCode::FAILURE; + } + return StatusCode::SUCCESS; +} + +//____________________________________________________________________ +StatusCode VTI12Alg::execute() +{ + msg(MSG::DEBUG) <<" in execute() " << endmsg; + + if (!m_vp1gui) + return StatusCode::FAILURE; + + if (!m_noGui&&!m_vp1gui->hasBeenInitialised()) { + m_vp1gui->init();//Launch! + } + + const EventInfo* evt; + StatusCode status = evtStore()->retrieve(evt); + if(status.isSuccess()) { + // Get run/event number: + const uint64_t eventNumber = evt->event_ID()->event_number(); + int runNumber = evt->event_ID()->run_number(); + msg(MSG::DEBUG) << " Got run number = " << runNumber + << ", event number = " << eventNumber << endmsg; + // Get time stamp: + unsigned time = evt->event_ID()->time_stamp();//0 means no info. + + // Get L1 trigger type + const TriggerInfo* trig = evt->trigger_info(); + unsigned int trigType = trig ? trig->level1TriggerType() : 0; + + if (m_noGui||m_vp1gui->executeNewEvent(runNumber,eventNumber,trigType,time)) { + return StatusCode::SUCCESS; + } else { + msg(MSG::INFO) << " Ending application gracefully." << endmsg; + return StatusCode::FAILURE; + } + }; + + msg(MSG::WARNING) << " Unable to retrieve EventInfo from StoreGate. Skipping" << endmsg; + return StatusCode::SUCCESS; + +} + +//____________________________________________________________________ +StatusCode VTI12Alg::finalize() +{ + msg(MSG::INFO) <<" in finalize() " << endmsg; + + if (!m_vp1gui) + return StatusCode::FAILURE; + + if (!m_noGui) + m_vp1gui->cleanup(); + delete m_vp1gui; + + return StatusCode::SUCCESS; +} + +//____________________________________________________________________ +void VTI12Alg::handle(const Incident& inc) +{ + msg(MSG::INFO) << "Handling incident '" << inc.type() << "'" << endmsg; + + if (!m_vp1gui) { + msg(MSG::INFO) << "Aborting due to null VP1Gui pointer." << endmsg; + return; + } + + const FileIncident* fileInc = dynamic_cast<const FileIncident*>(&inc); + if(fileInc == 0) { + msg(MSG::WARNING) << " Unable to cast to file incident" << endmsg; + return; + } + else + msg(MSG::DEBUG) << " Casting to file incident successful" << endmsg; + + // Locate the EventSelector + ServiceHandle<IEvtSelector> pEvtSelector("EventSelector", this->name()); + StatusCode sc = pEvtSelector.retrieve(); + + if(!sc.isSuccess() || 0 == pEvtSelector) { + msg(MSG::WARNING) << "Could not find EventSelector" << endmsg; + return; + } + else + msg(MSG::DEBUG) << " Got EventSelector" << endmsg; + + IProperty* propertyServer = dynamic_cast<IProperty*>(pEvtSelector.operator->()); + if (!propertyServer) { + msg(MSG::WARNING) << "Could not get propertyServer" << endmsg; + return; + } + + std::vector<std::string> vect; + StringArrayProperty inputCollections("InputCollections", vect); + + sc = propertyServer->getProperty(&inputCollections); + if(!sc.isSuccess()) { + msg(MSG::INFO) << "Could not get InputCollections property" << endmsg; + return; + } + else + msg(MSG::DEBUG) << " Got InputCollections property" << endmsg; + + std::vector<std::string>::const_iterator iter = inputCollections.value().begin(); + std::vector<std::string>::const_iterator last = inputCollections.value().end(); + for(; iter != last; iter++) { + if(*iter != fileInc->fileName()) + vect.push_back(*iter); + } + + if(m_mfOn) { + std::string strNewFileName = m_vp1gui->nextRequestedEventFile(); + + if (strNewFileName.empty()) + return; + if (!VP1FileUtilities::fileExistsAndReadable(strNewFileName)) { + msg(MSG::WARNING) << " File requested by VP1 does not exists or is not readable: "<<strNewFileName<<". Ending." << endmsg; + return; + } + + vect.push_back(strNewFileName); + msg(MSG::INFO) << " Setting next event file: " << strNewFileName<< endmsg; + } + else { + std::vector<std::string> strNewFileNames = m_vp1gui->userRequestedFiles(); + for(unsigned i=0; i<strNewFileNames.size(); ++i) { + const std::string& strNewFileName = strNewFileNames[i]; + if (strNewFileName.empty()) + continue; + if (!VP1FileUtilities::fileExistsAndReadable(strNewFileName)) { + msg(MSG::WARNING) << " File requested by VP1 does not exists or is not readable: " << strNewFileName << endmsg; + continue; + } + vect.push_back(strNewFileName); + msg(MSG::INFO) << " Setting next event file: " << strNewFileName<< endmsg; + } + } + + StringArrayProperty newInputCollections("InputCollections", vect); + + if(propertyServer->setProperty(newInputCollections)!=StatusCode::SUCCESS) + msg(MSG::WARNING) << "Could not set new InputCollections property" << endmsg; + else + msg(MSG::DEBUG) << " InputCollections property set" << endmsg; +} diff --git a/graphics/VTI12/VTI12Algs/src/VTI12Alg.h b/graphics/VTI12/VTI12Algs/src/VTI12Alg.h new file mode 100644 index 0000000000000000000000000000000000000000..9de2bbe4a0aa7fe59d810553ebd4c4abb500f6f0 --- /dev/null +++ b/graphics/VTI12/VTI12Algs/src/VTI12Alg.h @@ -0,0 +1,59 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +///////////////////////////////////////////////////////////// +// // +// Header file for class VP1Alg // +// // +// update: Riccardo-Maria BIANCHI <rbianchi@cern.ch> // +// 23 May 2014 // +// // +// This is the Athena algorithm starting a VP1 GUI // +// // +///////////////////////////////////////////////////////////// + + +#ifndef VP1ALGS_VP1ALG +#define VP1ALGS_VP1ALG + +#include "AthenaBaseComps/AthAlgorithm.h" +#include "GaudiKernel/IIncidentListener.h" + +#include <string> +#include <vector> + +class VP1Gui; + +class VTI12Alg: public AthAlgorithm, + public IIncidentListener +{ + public: + VTI12Alg(const std::string& name, ISvcLocator* pSvcLocator); + ~VTI12Alg(); + + StatusCode initialize(); + StatusCode execute(); + StatusCode finalize(); + + void handle(const Incident& inc); + + private: + IToolSvc* m_toolSvc; + VP1Gui * m_vp1gui; + + std::vector<std::string> m_initialvp1files; + std::string m_initialCruiseMode;//"NONE", "EVENT", "TAB", "BOTH". + unsigned m_initialCruiseSeconds; + + bool m_noGui;//For testing job-options in RTT + + // Properties for multiple input files (mf) + bool m_mfOn; // Flag to turn multiple files ON/OFF. Default OFF + std::string m_mfSourceDir; // Directory to take event files from + std::string m_mfLocalCopyDir; // Directory to keep local copies of processed events. Default "." + int m_mfLimit; // Maximum number of local copies to keep + std::vector<std::string> m_mfAvailableLocalInputDirectories;//Will only be used if sourcedir is set and local +}; + +#endif diff --git a/graphics/VTI12/VTI12Algs/src/components/VTI12Algs_entries.cxx b/graphics/VTI12/VTI12Algs/src/components/VTI12Algs_entries.cxx new file mode 100644 index 0000000000000000000000000000000000000000..1b2319b4ede1f2c84f0b84b1255f9354cdd7ded2 --- /dev/null +++ b/graphics/VTI12/VTI12Algs/src/components/VTI12Algs_entries.cxx @@ -0,0 +1,4 @@ +#include "../VTI12Alg.h" + +DECLARE_COMPONENT( VTI12Alg ) + diff --git a/graphics/VTI12/VTI12Gui/CMakeLists.txt b/graphics/VTI12/VTI12Gui/CMakeLists.txt new file mode 100644 index 0000000000000000000000000000000000000000..08a7234d7eca6c4921b8f5f257a20a20022425ae --- /dev/null +++ b/graphics/VTI12/VTI12Gui/CMakeLists.txt @@ -0,0 +1,43 @@ +################################################################################ +# Package: VTI12Gui +################################################################################ +# Author: Thomas Kittelmann <Thomas.Kittelmann@cern.ch> +# Author: Riccardo Maria BIANCHI <rbianchi@cern.ch> +################################################################################ + +# Declare the package name: +atlas_subdir( VTI12Gui ) + +# Declare the package's dependencies: +atlas_depends_on_subdirs( + PUBLIC Event/xAOD/xAODBase + PUBLIC graphics/VP1/VP1Base + PUBLIC graphics/VP1/VP1UtilsBase + ) + +# External dependencies: +find_package( Qt5 COMPONENTS Core OpenGL Gui Network PrintSupport Widgets ) +find_package( Coin3D ) +find_package( SoQt ) + +# Generate UI files automatically: +set( CMAKE_AUTOUIC TRUE ) +# Generate MOC files automatically: +set( CMAKE_AUTOMOC TRUE ) +# Generate resource files automatically: +set( CMAKE_AUTORCC TRUE ) + +# Component(s) in the package: +atlas_add_library( VTI12Gui VTI12Gui/*.h src/*.h src/*.cxx src/*.qrc + PUBLIC_HEADERS VTI12Gui + PRIVATE_INCLUDE_DIRS ${COIN3D_INCLUDE_DIRS} ${SOQT_INCLUDE_DIRS} + ${CMAKE_CURRENT_BINARY_DIR} + LINK_LIBRARIES VP1Base Qt5::Core Qt5::OpenGL Qt5::Gui VP1UtilsBase + Qt5::PrintSupport + PRIVATE_LINK_LIBRARIES ${COIN3D_LIBRARIES} ${SOQT_LIBRARIES} PathResolver xAODBase + xAODRootAccess xAODEventInfo xAODRootAccessInterfaces Qt5::Network ) + +# Install files from the package: +##atlas_install_scripts( share/* ) # installs into bin/ +atlas_install_runtime( share/* ) # install into share/ //TODO: check if we still need this! + diff --git a/graphics/VTI12/VTI12Gui/VTI12Gui/VP1AODSelection.h b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1AODSelection.h new file mode 100644 index 0000000000000000000000000000000000000000..4c8bc0faefac1ddaab443c64841baad8d2360706 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1AODSelection.h @@ -0,0 +1,54 @@ +/* + Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +*/ + +////////////////////////////////////////////////////////////////////////// +// // +// Header file for class VP1AODSelection // +// // +// Description: Dialog for the selection of a xAOD file // +// // +// Author: Sebastian Andreas Merkt (sebastian.andreas.merkt@cern.ch) // +// Initial version: November 2017 // +// // +////////////////////////////////////////////////////////////////////////// + +#ifndef VP1AODSELECTION_H +#define VP1AODSELECTION_H + +#include <QDialog> +#include <QComboBox> +#include <QPushButton> +#include <QDialogButtonBox> + +class VP1AODSelection : public QDialog +{ + Q_OBJECT +public: + explicit VP1AODSelection(QWidget *parent = 0); + +private slots: + //Open the file selection dialog + void on_browseButton_clicked(); + + //Check and Save the settings + void loadDatabase(); + +public slots: + +private: + QString m_fileName; + QComboBox *m_directoryComboBox; + QPushButton *m_browseButton; + QPushButton *m_openButton; + QPushButton *m_cancelButton; + QDialogButtonBox *m_buttonBox; + + //Animate the click + void animateFindClick(); + + //Method to create the drop down combobox + QComboBox *createComboBox(const QString &text = QString()); +}; + +#endif // VP1AODSELECTION_H diff --git a/graphics/VTI12/VTI12Gui/VTI12Gui/VP1Authenticator.h b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1Authenticator.h new file mode 100644 index 0000000000000000000000000000000000000000..6d5b5952911d1c8253fc00a0bc8209d33dc4f78f --- /dev/null +++ b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1Authenticator.h @@ -0,0 +1,59 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class VP1Authenticator // +// // +// Description: ... // +// // +//////////////////////////////////////////////////////////////// + +#ifndef VP1AUTHENTICATOR_H +#define VP1AUTHENTICATOR_H + +#include "../src/ui_vp1authenticator.h" + +#include <QObject> +#include <QDialog> +#include <QNetworkReply> + + + +class QNetworkAccessManager; +class QSslError; + +class VP1Authenticator : public QDialog, public Ui::dlgAuthentication +{ + Q_OBJECT + +public: + + VP1Authenticator(QWidget*,QString); + virtual ~VP1Authenticator(); + + bool connectToServer(); + QNetworkAccessManager* networkAccessManager(); + +signals: + void authenticationSuccessful(QNetworkAccessManager*); + +private slots: + // ---- Https/SSL slots ---- + // Slots of the QNetworkReply + void finished(); + void error(QNetworkReply::NetworkError); + void sslErrors(const QList<QSslError>&); + + // GUI slots + void loginClicked(); + +private: + class Imp; + Imp* m_d; +}; + +#endif + diff --git a/graphics/VTI12/VTI12Gui/VTI12Gui/VP1AvailEvents.h b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1AvailEvents.h new file mode 100644 index 0000000000000000000000000000000000000000..73fd54582f6747eee063ed685013dd6f2d58a726 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1AvailEvents.h @@ -0,0 +1,83 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class VP1AvailEvents // +// // +// Description: Class for keeping track of available events // +// when running VP1 in single-file-per-event // +// mode. // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: May 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef IVP1AVAILEVENTS_H +#define IVP1AVAILEVENTS_H +#include <QObject> +#include <QList> +#include "VTI12Gui/VP1EventFile.h" + +class VP1AvailEvents : public QObject { + + Q_OBJECT + +public: + + VP1AvailEvents(int timeCutForNew, QString tmpdir, int maxLocalFilesToKeep = -1, QObject * parent = 0);//maxLocalFilesToKeep<=2 means keep all. + //timeCutForNew: <0 : no time Cut; + // 0 : only newest is fresh + // >0 : time cut in seconds. + virtual void init() = 0;//Forbidden to do any real work before init is called (in particular emit signals!). + + virtual ~VP1AvailEvents(); + + //Next two returns ordered lists such that first means newer. + QList<VP1EventFile> allLocalEvents() const;//All events copied to tmp directory + QList<VP1EventFile> freshEvents() const;//Events that are considered "new", and which have not been investigated yet. + VP1EventFile newestEvent() const;//The newest event. Might have been investigated. + + void setCurrentEvent(int run,int event);//Call on every new event to update the history. + int maxLocalFilesToKeep() const; + +protected: + void cleanupAndCheckForEventListChanges();//Call from derived classes to ensure proper emission of XXXEventsChanged() signals. + void invalidateDirCache(const QString& dir);//Call from derived classes after making changes to files in directory. + bool inHistory(int run, int event) const; + QList<VP1EventFile> allEventFilesInDir(const QString& dir) const; + QList<VP1EventFile> freshEvents(VP1EventFile newestEvt, const QList<VP1EventFile>&) const;//Given timecut and newestEvt, trim down + //list so we only get the "fresh events" left. + QString tmpDir() const; + QString tmpLocalFileDir() const; + QString tmpActiveRetrievalDir();//attempts to create temporary subdirectory in tmpCopyDir which + //can be used for temporary files while downloading/copying, etc. + //returns an empty string in case of problems. + + //Definition of fresh events: + int timeCutForNew() const; + bool requireNewestRunNumber() const { return false; /*fixme*/ } + //Convenience: + bool isConsideredFresh ( const VP1EventFile& evt, const VP1EventFile& newestEvt ) const; + + void messageDebug(const QString&) const;//Messages to appear on output. +signals: + void allLocalEventsChanged(); + void freshEventsChanged(); + void message(const QString&) const;//Messages to appear in GUI. + +private slots: + void actualCleanup(); + void actualCheckForEventListChanges(); + +private: + + class Imp; + Imp * m_d; + +}; + +#endif diff --git a/graphics/VTI12/VTI12Gui/VTI12Gui/VP1AvailEvtsHttp.h b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1AvailEvtsHttp.h new file mode 100644 index 0000000000000000000000000000000000000000..6c1e79b3089d761ec075f11ecfa1a82e66e53f62 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1AvailEvtsHttp.h @@ -0,0 +1,55 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class VP1AvailEvtsHttp // +// // +// Description: Implementation of VP1AvailEvents which // +// monitors and retrieves events from a web // +// directory (mainly from point1) // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: May 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef VP1AVAILEVTSHTTP_H +#define VP1AVAILEVTSHTTP_H + +#include "VTI12Gui/VP1AvailEvents.h" + +class VP1AvailEvtsHttp : public VP1AvailEvents { + + Q_OBJECT + +public: + + VP1AvailEvtsHttp( QString fileinfoUrl, + int updateInterval, + int timeCutForNew, + QString tmpcopydir, + int maxLocalFilesToKeep = -1, + QObject * parent = 0 ); + virtual ~VP1AvailEvtsHttp(); + + virtual void init(); + +private slots: + void fileInfoChanged(); + void fileInfoDownloadSuccessful( const QString& urltofile, const QString& localtargetfile ); + void fileInfoDownloadFailed( const QString& error, const QString& urltofile,const QString& localtargetfile ); + void eventFileDownloadSuccessful( const QString& urltofile, const QString& localtargetfile, const QString& data ); + void eventFileDownloadFailed( const QString& error, const QString& urltofile,const QString& localtargetfile ); + void examineEvtsOnServer(); + +private: + + class Imp; + Imp * m_d; + +}; + +#endif diff --git a/graphics/VTI12/VTI12Gui/VTI12Gui/VP1AvailEvtsHttps.h b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1AvailEvtsHttps.h new file mode 100644 index 0000000000000000000000000000000000000000..b7ae66c55a04f866eca85f8982dbdd47f57c1aa0 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1AvailEvtsHttps.h @@ -0,0 +1,66 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class VP1AvailEvtsHttps // +// // +// Description: ... // +// // +//////////////////////////////////////////////////////////////// + +#ifndef VP1AVAILEVTSHTTPS_H +#define VP1AVAILEVTSHTTPS_H + +// include C++ +//#include <stddef.h> // this to fix the 'ptrdiff_t' does not name a type error with Qt (http://qt-project.org/forums/viewthread/16992) + +#include <QObject> +#include <QNetworkReply> + +#include "VTI12Gui/VP1AvailEvents.h" + +class QNetworkAccessManager; + +class VP1AvailEvtsHttps : public VP1AvailEvents +{ + Q_OBJECT + +public: + + VP1AvailEvtsHttps(QString fileinfoUrl, + int updateInterval, + int timeCutForNew, + QString tmpcopydir, + int maxLocalFilesToKeep = -1, + QObject * parent = 0); + virtual ~VP1AvailEvtsHttps(); + + virtual void init(); + + QString fileinfoLocation(); + +public slots: + void start(QNetworkAccessManager* netmanager); + +private slots: + // ---- Https/SSL slots ---- + // Slots of the QNetworkReply + void finished(); + void error(QNetworkReply::NetworkError); + void sslErrors(const QList<QSslError>&); + void dataReadProgress(qint64,qint64); + void checkForStall(); + + // Timer slot + void generateHttpsRequest(); + +private: + class Imp; + Imp* m_d; +}; + +#endif + diff --git a/graphics/VTI12/VTI12Gui/VTI12Gui/VP1AvailEvtsLocalDir.h b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1AvailEvtsLocalDir.h new file mode 100644 index 0000000000000000000000000000000000000000..6bd8e69f296f7871997b68438e90efd840c97ee7 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1AvailEvtsLocalDir.h @@ -0,0 +1,53 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class VP1AvailEvtsLocalDir // +// // +// Description: Implementation of VP1AvailEvents which // +// monitors events as they appear in a local // +// directory. // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: May 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef VP1AVAILEVTSLOCALDIR_H +#define VP1AVAILEVTSLOCALDIR_H + +#include "VTI12Gui/VP1AvailEvents.h" + +class VP1AvailEvtsLocalDir : public VP1AvailEvents { + + Q_OBJECT + +public: + + friend class VP1LocalEvtRetriever; + + VP1AvailEvtsLocalDir( int timeCutForNew, + QString sourcedir, + QString tmpcopydir, + int maxLocalFilesToKeep = -1, + QObject * parent = 0 ); + void setSourceDir(QString); + QString currentSourceDir() const; + + //Just to let this class transport the info around: + void setAvailableSourceDirectories(QStringList); + QStringList availableSourceDirectories() const; + + virtual ~VP1AvailEvtsLocalDir(); + + virtual void init(); + +private: + class Imp; + Imp * m_d; +}; + +#endif diff --git a/graphics/VTI12/VTI12Gui/VTI12Gui/VP1ChannelManager.h b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1ChannelManager.h new file mode 100644 index 0000000000000000000000000000000000000000..cd0bcfd355470b1a165da54d5d38940e253fe9d4 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1ChannelManager.h @@ -0,0 +1,86 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +///////////////////////////////////////////////////////////// +// // +// Header file for class VP1ChannelManager // +// // +// Author: Thomas Kittelmann <Thomas.Kittelmann@cern.ch> // +// // +// Initial version: April 2007 // +// // +///////////////////////////////////////////////////////////// + +#ifndef VP1CHANNELMANAGER_H +#define VP1CHANNELMANAGER_H + +// channel manager - manages channel plugins, and knows which are +// available. (also creates/deletes/clones channels, + manages channels ids.) + +class IVP1ChannelWidget; +class VP1ExecutionScheduler; +class VP1MainWindow; +#include <QObject> +#include <QStringList> + +class VP1ChannelManager : public QObject { + + Q_OBJECT + +public: + VP1ChannelManager(VP1ExecutionScheduler*,VP1MainWindow*); + ~VP1ChannelManager(); + + QString loadPluginFile(QString filename); + //This does not actually instantiate any channel widgets - it merely + //instantiates the widget factory from the plugin file (if possible, + //otherwise it returns an error messages), and notices which + //channels are provided by this factor (if 0 channels are provided, + //it also returns an error message). If an empty string was + //returned, there were no errors. + bool unloadPluginFile(QString filename); + + QStringList currentPluginFiles() const; + + QStringList channelsInPluginFile(QString filename) const;//An empty returned stringlist is probably because 'filename' never was loaded succesfully. + + QStringList basename2UniqueNames(QString basename) const; + + bool deleteChannel(QString channeluniquename); + + IVP1ChannelWidget * getChannel( QString channelbasename, QString& err );//returns 0 if unsuccesful. Otherwise, 'err' contains an error message. + unsigned nActive( QString channelbasename ) const; + + IVP1ChannelWidget* uniqueName2Channel(QString uniquename) const; + + bool hasRefreshingSystem(const QString& uniquename) const; + + QStringList uniquenames() const; + + bool uniqueNameExists(QString) const; + bool baseNameExists(QString) const; + bool channelWithBasenameIsLoaded(QString basename) const; + + QStringList serializePluginInfo() const; + + QWidget* getController(IVP1ChannelWidget*); + + QString getIconLocation(const QString& channelname, const bool& isbasename=true);//Returns empty string if channelname is not recognised. + + QStringList availableChannelList(); + +signals: + void uniquename_channelListChanged(QStringList);//gives a list of channel unique_name's. + void availableChannelListChanged(QStringList);//gives a list of channel base_name's. + void availableUnusedChannelListChanged(QStringList);//gives a list of channel base_name's (only the one's that dont appear anywhere). + void newChannelCreated(IVP1ChannelWidget*); + void channelUncreated(IVP1ChannelWidget*); + +private: + class Imp; + Imp * m_d; +}; + +#endif + diff --git a/graphics/VTI12/VTI12Gui/VTI12Gui/VP1DockWidget.h b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1DockWidget.h new file mode 100644 index 0000000000000000000000000000000000000000..cbd07e529f1162455c2c1c031c0cc3ff36c9e332 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1DockWidget.h @@ -0,0 +1,58 @@ +/* + Copyright (C) 2002-2018 CERN for the benefit of the ATLAS collaboration +*/ + +///////////////////////////////////////////////////////////// +// // +// Header file for class VP1DockWidget // +// // +// Author: Thomas Kittelmann <Thomas.Kittelmann@cern.ch> // +// // +// Initial version: April 2007 // +// // +///////////////////////////////////////////////////////////// + +#ifndef VP1DOCKWIDGET_H +#define VP1DOCKWIDGET_H + +#include <QDockWidget> + +class IVP1ChannelWidget; +class VP1TabManager; +class QResizeEvent; + +class VP1DockWidget : public QDockWidget { + + Q_OBJECT + +public: + + VP1DockWidget ( IVP1ChannelWidget * cw, VP1TabManager* tm ); + virtual ~VP1DockWidget(); + + void setSelected(); + void setUnselected(); + bool isSelected() const; + + IVP1ChannelWidget * channelWidget() const; + + //For dropping in and out of fullscreen: + void ensureCWHasNoParent(); + void ensureCWHasParent(); + + static QString highlightStyle();//Here so that other parts of the gui can use the same style for highlighting. + +signals: + void wasSelected(VP1DockWidget*); +private slots: + void systemRefreshInfoChanged(QString sysrefreshing, int nsysOn, int nsysOnRefreshed); + void updateTitle(); +protected: + void contextMenuEvent ( QContextMenuEvent * event ); + void resizeEvent ( QResizeEvent * event ); +protected: + class Imp; + Imp * m_d; +}; + +#endif diff --git a/graphics/VTI12/VTI12Gui/VTI12Gui/VP1EventDisplayEditor.h b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1EventDisplayEditor.h new file mode 100644 index 0000000000000000000000000000000000000000..368e6138f9bce50a249ce6fb0cc0519d75a35045 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1EventDisplayEditor.h @@ -0,0 +1,93 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class VP1EventDisplayEditor // +// // +// Description: Event display editor. // +// // +// Author: Riccardo-Maria BIANCHI (rbianchi@cern.ch) // +// Initial version: September 2013 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef VP1CUSTOMTOUREDITOR_H +#define VP1CUSTOMTOUREDITOR_H + +#include "VTI12Gui/VP1EventDisplaySceneView.h" + +#include "VP1Base/IVP1ChannelWidget.h" +#include "VP1Base/VP1Msg.h" + +#include <QWidget> +#include <QGraphicsView> +#include <QGraphicsScene> +#include <QGraphicsPixmapItem> +#include <QSplitter> + +class VP1MainWindow; + + +class VP1EventDisplayEditor : public QWidget { + + Q_OBJECT + +public: + + VP1EventDisplayEditor(VP1MainWindow* mainWindow, QList<unsigned long long> listRunEventNumberTimestamp); + virtual ~VP1EventDisplayEditor(); + +// QGraphicsView* getView(); + + void addPixmapList(QList<QPixmap>& list, QStringList& listNames); + void setTabsList(QStringList listNames); + + // void setState(QByteArray); + // QByteArray state() const; + + +protected: + void closeEvent(QCloseEvent*); + +private slots: + // void buttonClicked(); + void setTextLabel(); + void removeObject(); + void addLogo(); + void setBackgroundColor(); + void savePicture(); + void printPicture(); + void getTabSnapshot(); + void enableCustomTextField(bool checked); + +private: + + QString getEventDetailsLabel(); + void addTextLabel(QString text, QFont font); + + class Imp; + Imp * m_d; + QGraphicsScene* m_scene; +// QGraphicsScene* scene_preview; + QList< QGraphicsItem* > m_sceneItems; +// QGraphicsItem *itemPreview; + + VP1EventDisplaySceneView* m_preview; + + QStringList m_listTabNames; + QList<IVP1ChannelWidget*> m_allTabs; + + VP1MainWindow* m_mainWindow; + + int m_runNumber; + unsigned long long m_eventNumber; + unsigned m_eventTimestamp; + +// QSplitter *h1Splitter; +// QSplitter *h2Splitter; +}; + +#endif diff --git a/graphics/VTI12/VTI12Gui/VTI12Gui/VP1EventDisplaySceneView.h b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1EventDisplaySceneView.h new file mode 100644 index 0000000000000000000000000000000000000000..37825e4a9addb78da0deaa79af60f8746cbdaf1d --- /dev/null +++ b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1EventDisplaySceneView.h @@ -0,0 +1,116 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +/* + * jira_1 + * VP1EventDisplaySceneView.h + * + * Created on: Sep 26, 2013 + * Author: rbianchi <Riccardo.Maria.Bianchi@cern.ch> + * + */ + +#ifndef VP1EVENTDISPLAYSCENEVIEW_H_ +#define VP1EVENTDISPLAYSCENEVIEW_H_ + + +#include <QtGui> +#include <QFrame> +#include <QHBoxLayout> +#include <QVBoxLayout> +#include <QGraphicsView> + +QT_FORWARD_DECLARE_CLASS(QLabel) +QT_FORWARD_DECLARE_CLASS(QSlider) +QT_FORWARD_DECLARE_CLASS(QToolButton) + +class VP1EventDisplaySceneView; + + +/* + * we create a new class inheriting from QGraphicsView, + * to reimplement the wheel event in order to use the wheel + * to zoom the image, when used over the zoom sliders + */ +class GraphicsView : public QGraphicsView +{ + Q_OBJECT +public: + GraphicsView(VP1EventDisplaySceneView *v) : QGraphicsView(), m_view(v) { } + +protected: + void wheelEvent(QWheelEvent *); + +private: + VP1EventDisplaySceneView *m_view; +}; + + + +/* + * The QFrame which contains the graphicsView and all other widgets. + * + * If the 'preview' argument is set to true, then a 'preview' view is built + * without rotation sliders and the zoom set to see the whole scene. + */ +class VP1EventDisplaySceneView : public QFrame +{ + Q_OBJECT +public: + VP1EventDisplaySceneView(const QString &name, bool preview = false, QWidget *parent = 0); + ~VP1EventDisplaySceneView(); + + QGraphicsView *view() const; + void setPreviewZoom(qreal xx); + void addRenderingFrame(); + void showRenderingFrame(); + void hideRenderingFrame(); + + public slots: + void zoomIn(int level = 1); + void zoomOut(int level = 1); + void print(); + + private slots: + void resetView(); + void setResetButtonEnabled(); + void setupMatrix(); + void togglePointerMode(); + void toggleOpenGL(); + void toggleAntialiasing(); + void rotateLeft(); + void rotateRight(); + + private: + GraphicsView *m_graphicsView; + + bool m_preview; + + QGraphicsRectItem* m_frame; + QGraphicsLineItem * m_line; + + QLabel *m_label; + QLabel *m_label2; + + QToolButton *m_selectModeButton; + QToolButton *m_dragModeButton; + QToolButton *m_openGlButton; + QToolButton *m_antialiasButton; + QToolButton *m_printButton; + QToolButton *m_resetButton; + + QVBoxLayout *m_zoomSliderLayout; + QSlider *m_zoomSlider; + QToolButton *m_zoomInIcon; + QToolButton *m_zoomOutIcon; + + QHBoxLayout *m_rotateSliderLayout; + QSlider *m_rotateSlider; + QToolButton *m_rotateLeftIcon; + QToolButton *m_rotateRightIcon; + +}; + + +#endif /* VP1EVENTDISPLAYSCENEVIEW_H_ */ diff --git a/graphics/VTI12/VTI12Gui/VTI12Gui/VP1EventFile.h b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1EventFile.h new file mode 100644 index 0000000000000000000000000000000000000000..a9c99dde27f178970943b09cc50eaa3265b5141d --- /dev/null +++ b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1EventFile.h @@ -0,0 +1,56 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class VP1EventFile // +// // +// Description: Class describing single-event files // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: May 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef VP1EVENTFILE_H +#define VP1EVENTFILE_H + +#include <QString> +#include <QDateTime> + +class VP1EventFile { +public: + //The interesting bits: + //Event identity: + int runNumber() const; + unsigned long long eventNumber() const; + unsigned rawTime() const; + QDateTime time() const; + + //Where it is: + QString fileName() const;//base file name only. No '/' allowed! + QString md5Sum() const; + + bool isValid() const;//Internally, invalid instances are those with rawTime()==0. + QString print() const; + + //The boring bits: + VP1EventFile();//constructs invalid instance. + ~VP1EventFile(); + bool operator<(const VP1EventFile &) const;//Newer means "smaller". + bool operator==(const VP1EventFile &) const; + bool operator!=(const VP1EventFile &) const; + VP1EventFile(const VP1EventFile & ); + VP1EventFile & operator= (const VP1EventFile & ); + VP1EventFile(const QString& filename,const QString& md5sum, + int runnumber, unsigned long long eventnumber,unsigned time, bool isvalid = true ); + VP1EventFile(const QString&, const QString& md5sum = 0);//will attempt to decode from file name (e.g. vp1_234_123_1321334.pool.root). Instance becomes invalid if not succesful. +private: + class Imp; + Imp * m_d; + +}; + +#endif diff --git a/graphics/VTI12/VTI12Gui/VTI12Gui/VP1EvtsOnServerInfo.h b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1EvtsOnServerInfo.h new file mode 100644 index 0000000000000000000000000000000000000000..8f278e8e7d4c5e3bf351002d5446b62c6861c097 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1EvtsOnServerInfo.h @@ -0,0 +1,58 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class VP1EvtsOnServerInfo // +// // +// Description: Class for parsing the fileinfo.txt file // +// from the http directory where event files // +// from point 1 are available // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: May 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef VP1EVTSONSERVERINFO_H +#define VP1EVTSONSERVERINFO_H + +#include <QString> +#include <QStringList> +#include "VTI12Gui/VP1EventFile.h" + +class VP1EvtsOnServerInfo { +public: + + VP1EvtsOnServerInfo(const QString& infofile);//the fileinfo.txt file from the server + ~VP1EvtsOnServerInfo(); + + bool isValid() const;//Check if infofile parsed succesfully. + QString error() const;//When !isValid, this gives an explanation. + + QStringList print() const; + + //Access the results: + unsigned long long numberOfEvents() const; + VP1EventFile newestEvent() const; + QList<VP1EventFile> events(int timecut = -1, bool requireNewestRunNumber = false ) const; + //Returns events in order of increasing time. + // + // * If timecut>0, only events within timecut seconds of newest + // event will be in list. + // * If requireNewestRunNumber is set, only events with same run + // number as the newest event will be in the list. + +private: + + VP1EvtsOnServerInfo( const VP1EvtsOnServerInfo & ); + VP1EvtsOnServerInfo & operator= ( const VP1EvtsOnServerInfo & ); + + class Imp; + Imp * m_d; + +}; + +#endif diff --git a/graphics/VTI12/VTI12Gui/VTI12Gui/VP1ExecutionScheduler.h b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1ExecutionScheduler.h new file mode 100644 index 0000000000000000000000000000000000000000..a959ee95d8113cfe294f4d5d51b43964dceb683e --- /dev/null +++ b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1ExecutionScheduler.h @@ -0,0 +1,149 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +///////////////////////////////////////////////////////////// +// // +// Header file for class VP1ExecutionScheduler // +// // +// Author: Thomas Kittelmann <Thomas.Kittelmann@cern.ch> // +// // +// Initial version: April 2007 // +// // +///////////////////////////////////////////////////////////// + +#ifndef VP1EXECUTIONSCHEDULER_H +#define VP1EXECUTIONSCHEDULER_H + +// include C++ +//#include <stddef.h> // this to fix the 'ptrdiff_t' does not name a type error with Qt (http://qt-project.org/forums/viewthread/16992) + +// include VP1 +#include "VTI12Gui/VP1QtApplication.h" + +// include Qt +#include <QObject> +#include <QStringList> + +#ifdef BUILDVP1LIGHT + #include <TTree.h> + #include "xAODBase/IParticle.h" +#endif // BUILDVP1LIGHT + + +class IVP1System; +class IVP1ChannelWidget; + +class StoreGateSvc; +class IToolSvc; +class ISvcLocator; +class VP1AvailEvents; + +class VP1ExecutionScheduler : public QObject { + + Q_OBJECT + +public: + + //Cruise mode: + enum CruiseMode { NONE, + TAB, //Cycles to a new tab at a fixed interval (when it is loaded - gives soonvisible bonus) + EVENT,//Proceeds to a new event at a fixed interval (counting from when all visible channels are refreshed) + BOTH };//Cycles through all tabs and loads next event when they have all been shown. + + + void setCruiseMode(const CruiseMode&); + + //Fixme: Need shortcut keys for the cruise modes as well as next/prev. tab (for full screen). + + + //init/cleanup: + static VP1ExecutionScheduler* init(StoreGateSvc* eventStore, + StoreGateSvc* detStore, + ISvcLocator* svcLocator, + IToolSvc*toolSvc, + QStringList joboptions, + QString initialCruiseMode = "NONE", + unsigned initialCruiseSeconds = 10, + QString singleEventSource = "", + QString singleEventLocalTmpDir = "", + unsigned localFileCacheLimit = 10, + QStringList availableLocalInputDirectories = QStringList() ); + static void cleanup(VP1ExecutionScheduler*); + + //Call when new event data are available (returns false when the user closes the program) + bool executeNewEvent(const int& runnumber, const unsigned long long& eventnumber, const unsigned& triggerType = 0, const unsigned& time = 0);// + + VP1ExecutionScheduler(QObject * parent, + StoreGateSvc*eventStore,StoreGateSvc*detStore, + ISvcLocator* svcLocator,IToolSvc*toolSvc, + VP1AvailEvents * availEvents); + virtual ~VP1ExecutionScheduler(); + + void bringFromConstructedToReady(IVP1ChannelWidget*); + void uncreateAndDelete(IVP1ChannelWidget*); + + bool isRefreshing() const; + + bool hasAllActiveSystemsRefreshed(IVP1ChannelWidget*) const; + + //For VP1Gui: + QString nextRequestedEventFile() const; + + //For use by whatever logic wants to determine the next event file + //(probably VP1MainWindow): + void setNextRequestedEventFile(const QString&); + + QStringList userRequestedFiles(); + + QString saveSnaphsotToFile(IVP1System* s, bool batch = false); + + + #if defined BUILDVP1LIGHT + void loadEvent(); + QString split(const std::string& input, const std::string& regex); + int getEvtNr(){ return m_evtNr; }; + void setEvtNr(int evtNr){ m_evtNr = evtNr; }; + int getTotEvtNr(){ return m_totEvtNr; }; + #endif // BUILDVP1LIGHT + +signals: + void refreshingStatusChanged(bool); + + + +private: + class Imp; + Imp * m_d; + void refreshSystem(IVP1System*); + void eraseSystem(IVP1System*); + void actualUncreateAndDelete(IVP1ChannelWidget*); + + #if defined BUILDVP1LIGHT + xAOD::TEvent* m_event; + ::TFile* m_ifile; + QList<QStringList> m_list; + int m_evtNr = 0; + int m_totEvtNr = -1; + bool m_goBackFlag = false; + bool firstlaunch = true; + #endif // BUILDVP1LIGHT + +private slots: + void processSystemForRefresh(); + void updateProgressBarDuringRefresh(); + void channelCreated(IVP1ChannelWidget*); + void channelUncreated(IVP1ChannelWidget*); + void startRefreshQueueIfAppropriate(); + void systemNeedErase(); + + void performCruise(); + //OPVASK: void abortCruise(); + //Start + + #if defined BUILDVP1LIGHT + void passEvent(IVP1System*); + #endif // BUILDVP1LIGHT +}; + +#endif diff --git a/graphics/VTI12/VTI12Gui/VTI12Gui/VP1ExpertSettings.h b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1ExpertSettings.h new file mode 100644 index 0000000000000000000000000000000000000000..af550ca00727346dc781fe70777de118581b3f55 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1ExpertSettings.h @@ -0,0 +1,131 @@ +/* + Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +*/ + +////////////////////////////////////////////////////////////////////////// +// // +// Header file for class VP1ExpertSettings // +// // +// Description: Additional VP1 settings // +// // +// Author: Sebastian Andreas Merkt (sebastian.andreas.merkt@cern.ch) // +// Initial version: August 2017 // +// // +////////////////////////////////////////////////////////////////////////// + +#ifndef VP1EXPERTSETTINGS_H +#define VP1EXPERTSETTINGS_H + +#include <QDialog> +#include <QComboBox> +#include <QPushButton> +#include <QDialogButtonBox> +#include <QCheckBox> + +class VP1ExpertSettings : public QDialog +{ + Q_OBJECT +public: + explicit VP1ExpertSettings(QWidget *parent = 0); + +public slots: + void setPluginPath(const QString &path); + void setFileSelectDir(const QString &path); + void setScreenshotDir(const QString &path); + void setAuthLog(const QString &path); + +private: + QString m_pluginPath; + QString m_fileSelectDir; + QString m_screenshotDir; + QString m_authLog; + QDialogButtonBox* m_buttonBox; + QTabWidget* m_tabWidget; + QPushButton* m_okButton; + + bool checkBoxState(); + void closeEvent(QCloseEvent *event); + void keyPressEvent(QKeyEvent *event); + void setExpertSetting(const QString &type, const QString &name); +}; + + + + + + +class GeneralTab : public QWidget +{ + Q_OBJECT + +public: + explicit GeneralTab(QWidget *parent = 0); + +private slots: + #if defined BUILDVP1LIGHT + void setExpertSetting(const QString &type, const QString &name); + #else + void setExpertSetting(const QString &name); + #endif + void on_browseButton1_clicked(); + void slotScreenshotDirChanged(const QString &path); + +signals: + void signalScreenshotDirChanged(const QString &path); + +private: + QCheckBox* m_checkboxVerbose; + QCheckBox* m_checkboxDebug; + QCheckBox* m_checkboxDisallowMultipleChannels; + QCheckBox* m_checkboxDisplayMouseClicks; + QCheckBox* m_checkboxEnableAskOnClose; + QCheckBox* m_checkboxGuidesSphereInsteadOfCoordaxes; + QCheckBox* m_checkboxAntiAliasing; + QPushButton* m_browseButton1; + QLineEdit* m_lineEdit1; +}; + + + + + + +class AdvancedTab : public QWidget +{ + Q_OBJECT + +public: + explicit AdvancedTab(QWidget *parent = 0); + +private slots: + void on_browseButton1_clicked(); + void on_browseButton2_clicked(); + void on_browseButton3_clicked(); + void slotPluginPathChanged(const QString &path); + void slotFileSelectDirChanged(const QString &path); + void slotAuthLogChanged(const QString &path); + #if defined BUILDVP1LIGHT + void setExpertSetting(const QString &type, const QString &name); + #else + void setExpertSetting(const QString &name); + #endif + +signals: + void signalPluginPathChanged(const QString &path); + void signalFileSelectDirChanged(const QString &path); + void signalAuthLogChanged(const QString &path); + +private: + QPushButton* m_browseButton1; + QPushButton* m_browseButton2; + QPushButton* m_browseButton3; + QCheckBox* m_checkboxEnableInformOnEndOfJob; + QCheckBox* m_checkboxHardExitAtEnd; + QCheckBox* m_checkboxDevelShowAllCruiseAndEventControls; + QLineEdit* m_lineEdit1; + QLineEdit* m_lineEdit2; + QLineEdit* m_lineEdit3; +}; + + +#endif // VP1EXPERTSETTINGS_H diff --git a/graphics/VTI12/VTI12Gui/VTI12Gui/VP1GeoDBSelection.h b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1GeoDBSelection.h new file mode 100644 index 0000000000000000000000000000000000000000..f07ef556dc1be9eb6feb01998f9032f0eca25212 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1GeoDBSelection.h @@ -0,0 +1,54 @@ +/* + Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +*/ + +////////////////////////////////////////////////////////////////////////// +// // +// Header file for class VP1GeoDBSelection // +// // +// Description: Dialog for the selection of a geometry database // +// // +// Author: Sebastian Andreas Merkt (sebastian.andreas.merkt@cern.ch) // +// Initial version: August 2017 // +// // +////////////////////////////////////////////////////////////////////////// + +#ifndef VP1GEODBSELECTION_H +#define VP1GEODBSELECTION_H + +#include <QDialog> +#include <QComboBox> +#include <QPushButton> +#include <QDialogButtonBox> + +class VP1GeoDBSelection : public QDialog +{ + Q_OBJECT +public: + explicit VP1GeoDBSelection(QWidget *parent = 0); + +private slots: + //Open the file selection dialog + void on_browseButton_clicked(); + + //Check and Save the settings + void loadDatabase(); + +public slots: + +private: + QString m_fileName; + QComboBox *m_directoryComboBox; + QPushButton *m_browseButton; + QPushButton *m_openButton; + QPushButton *m_cancelButton; + QDialogButtonBox *m_buttonBox; + + //Animate the click + void animateFindClick(); + + //Method to create the drop down combobox + QComboBox *createComboBox(const QString &text = QString()); +}; + +#endif // VP1GEODBSELECTION_H diff --git a/graphics/VTI12/VTI12Gui/VTI12Gui/VP1Gui.h b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1Gui.h new file mode 100644 index 0000000000000000000000000000000000000000..f67d9e6dd0f8b87dfebbaa3d307e37e1ce2d0476 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1Gui.h @@ -0,0 +1,76 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +///////////////////////////////////////////////////////////// +// // +// Header file for class VP1Gui // +// // +// Author: Thomas Kittelmann <Thomas.Kittelmann@cern.ch> // +// // +// Initial version: April 2007 // +// // +///////////////////////////////////////////////////////////// + +#ifndef VP1GUI_H +#define VP1GUI_H + +//NB: There should never be any Qt (or Athena of course) includes in this file!!! + +#include <string> +#include <vector> +#include <cstdint> // for uint64_t (unsigned long long) + +class StoreGateSvc; +class IToolSvc; +class ISvcLocator; + +class VP1Gui { +public: + + VP1Gui(StoreGateSvc* sg, StoreGateSvc* detstore, + ISvcLocator* svclocator,IToolSvc*toolSvc, + const std::vector<std::string>& initialvp1files=std::vector<std::string>(), + const std::string& initialCruiseMode = "NONE", unsigned initialCruiseSeconds = 10, + const std::string& singleEventSource = "", const std::string& singleEventLocalTmpDir = "", + unsigned localFileCacheLimit = 10, + const std::vector<std::string>& availableLocalInputDirectories = std::vector<std::string>() ); + ~VP1Gui(); + + //We can check the validity of the argument already during algorithm initialise: + bool argumentsAreValid() const; + + //Called in the first algorithm refresh to launch the gui: + void init(); + bool hasBeenInitialised(); + + //Called every algorithm refresh: + bool executeNewEvent( const int& run, + const uint64_t & event, + const unsigned& triggerType = 0,//When available + const unsigned& time = 0 //When available (seconds since 1970) + ); + //Called in algorithm finalise: + void cleanup(); + + std::vector<std::string> userRequestedFiles(); + + //Called when handling end-of-file incident (in multi-file mode) + std::string nextRequestedEventFile() const;//When mode where next input + //file is chosen dynamically, + //the choice is reported + //here. If empty is returned, + //the algorithm is expected to + //just take the latest file + //from the directory. +private: + + VP1Gui(const VP1Gui & ); + VP1Gui & operator= (const VP1Gui & ); + + class Imp; + Imp * m_d; + +}; + +#endif diff --git a/graphics/VTI12/VTI12Gui/VTI12Gui/VP1HttpGetFile.h b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1HttpGetFile.h new file mode 100644 index 0000000000000000000000000000000000000000..d5160415460b38cb5f32ae46988f31adb8614c82 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1HttpGetFile.h @@ -0,0 +1,70 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class VP1HttpGetFile // +// // +// Description: Download files in the background and get // +// notified upon completion. Optionally // +// require correct md5sum. // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: May 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef VP1HTTPGETFILE_H +#define VP1HTTPGETFILE_H + +#include <QObject> +#include <QByteArray> + +class VP1HttpGetFile : public QObject { + + Q_OBJECT + +public: + + VP1HttpGetFile(QObject * parent = 0); + virtual ~VP1HttpGetFile(); + + void setMaxNumberOfPendingDownloads(unsigned); + unsigned maxNumberOfPendingDownloads() const;//Default is 8. A value of 0 disables limit. + unsigned numberOfPendingDownloads() const; + + bool isDownloading(const QString& urltofile) const; + bool isDownloadingTo(const QString& localtargetfile) const; + + QString startDownload( const QString& urltofile, + const QString& localtargetfile, + const QString& md5sum = "",//md5sum in hex format (like linux md5sum program outputs) + const QString& data = "" ); + + //Returns non-empty string in case download could not be started + //(too many pending downloads or already downloading to that target). + +signals: + //If download was started succesfully, it will always end with one + //of the following signals being emitted at a later time: + void downloadSuccessful( const QString& urltofile, + const QString& localtargetfile, + const QString& data ); + void downloadFailed( const QString& error, + const QString& urltofile, + const QString& localtargetfile, + const QString& data ); +private: + class Imp; + Imp * m_d; +private slots: + void downloadThreadFinished(); + void downloadThreadTerminated(); +}; + +//Todo: Set accepts-gzip header? + + +#endif diff --git a/graphics/VTI12/VTI12Gui/VTI12Gui/VP1IncomingMessageDialog.h b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1IncomingMessageDialog.h new file mode 100644 index 0000000000000000000000000000000000000000..2a12658cb6bf742826d1bff9f88d149ee9d73ad7 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1IncomingMessageDialog.h @@ -0,0 +1,58 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +///////////////////////////////////////////////////////////// +// // +// Header file for class VP1IncomingMessageDialog // +// // +// Author: Thomas Kittelmann <Thomas.Kittelmann@cern.ch> // +// // +// Initial version: April 2007 // +// // +///////////////////////////////////////////////////////////// + +#ifndef VP1INCOMINGMESSAGEDIALOG_H +#define VP1INCOMINGMESSAGEDIALOG_H + +#include "VP1Base/VP1ExternalRequest.h" + +#include <QDialog> +#include <QQueue> +#include <QList> + +class VP1TabManager; +class VP1ChannelManager; + +class VP1IncomingMessageDialog : public QDialog { + + Q_OBJECT + +public: + + VP1IncomingMessageDialog( const VP1ExternalRequest&, + QQueue<VP1ExternalRequest>*, + bool *blockallmessages, + QList<QString>* messages_blockedsenders, + QList<VP1ExternalRequest>* _messages_blockedexactmessages, + VP1TabManager*, + VP1ChannelManager* , + QWidget *parent = 0 ); + virtual ~VP1IncomingMessageDialog(); + + void updatependinginfo(); +protected slots: + void request_gothere(); + void request_allclear(); + void request_allblock(); + void request_senderclear(); + void request_senderblock(); + void request_messageblock(); + void request_messageclear(); + +private: + class Imp; + Imp * m_d; +}; + +#endif diff --git a/graphics/VTI12/VTI12Gui/VTI12Gui/VP1MD5Sum.h b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1MD5Sum.h new file mode 100644 index 0000000000000000000000000000000000000000..c79c0ab648b71c793388eb39c5ae34155ceb5285 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1MD5Sum.h @@ -0,0 +1,47 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class VP1MD5Sum // +// // +// Description: Calculates md5sum of file without reading // +// entire file into memory at once. // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: May 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef VP1MD5SUM_H +#define VP1MD5SUM_H + +#include <QString> +#include <QByteArray> + +class VP1MD5Sum { +public: + + static QByteArray sum( const QString& filename ); + //Returns empty array in case of errors + + static bool sumMatches( const QString& filename, const QByteArray& md5sum ); + static bool sumMatches( const QString& filename, const QString& md5sum ); + //Returns false in case of errors (missing or unreadable file/empty md5sum) or mismatch. + + //We always assume sums in byte arrays to be raw bits, and sums in + //strings to be in hex format. Here are methods for + //conversion/sanity checking: + static QString sumToString(const QByteArray& ); + static QByteArray sumToByteArray(const QString& ); + static bool validMD5Sum(const QString&);//Does string have correct length and contain no invalid characters? + static QString sumToStandardFormat(const QString&);//Removes spaces converts to lower case. +private: + class Imp; + VP1MD5Sum(); + ~VP1MD5Sum(); +}; + +#endif diff --git a/graphics/VTI12/VTI12Gui/VTI12Gui/VP1MainWindow.h b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1MainWindow.h new file mode 100644 index 0000000000000000000000000000000000000000..ca1bbdc5ded5a0cfbde4245df621b7a09c32347d --- /dev/null +++ b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1MainWindow.h @@ -0,0 +1,270 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +///////////////////////////////////////////////////////////// +// // +// Header file for class VP1MainWindow // +// // +// Author: Thomas Kittelmann <Thomas.Kittelmann@cern.ch> // +// // +// Initial version: April 2007 // +// // +///////////////////////////////////////////////////////////// + +#ifndef VP1MainWindow_H +#define VP1MainWindow_H + +// include the related GUI +#include "../src/ui_vp1mainwindow.h" + +// include VP1 +#include "VTI12Gui/VP1TcpServer.h" +#include "VTI12Gui/VP1EventDisplayEditor.h" + +// include Qt +#include <QQueue> +#include <QStringList> +#include <QMap> + +class VP1ChannelManager; +class VP1TabManager; +class QStringList; +class IVP1ChannelWidget; +//class VP1ConfigForm; +class VP1ExecutionScheduler; +class VP1AvailEvents; +class VP1IncomingMessageDialog; +class VP1PluginDialog; +class QProgressBar; +class QLabel; +class QComboBox; +class VP1StreamMenuUpdater; +class QMutex; + +//#include <QtGlobal> +//#if QT_VERSION > QT_VERSION_CHECK(5, 5, 0) +// class QWebEngineView; // Qt 5.6 +//#else +// class QWebView; +//#endif + + +struct VP1DirStatusData +{ + VP1DirStatusData() + : inputDir() + , dirStatus() + , enabled(true) + , bold(false) + {}; + + VP1DirStatusData(QString the_inputDir + , QString the_dirStatus + , bool the_enabled + , bool the_bold) + : inputDir(the_inputDir) + , dirStatus(the_dirStatus) + , enabled(the_enabled) + , bold(the_bold) + {}; + + QString inputDir; + QString dirStatus; + bool enabled; + bool bold; +}; + +typedef QMap<QAction*,VP1DirStatusData> VP1DirStatuses; + + +class VP1MainWindow : public QMainWindow, public Ui::VP1MainWindow +{ + Q_OBJECT + +public: + VP1MainWindow(VP1ExecutionScheduler*,VP1AvailEvents * availEvents,QWidget *parent = 0); + ~VP1MainWindow(); + + bool okToProceedToNextEvent() const; + + // Set next event to the execution scheduler and updates event controls + // We needed to separate this method from goToNextEvent() in order to be able + // to skip the bootstrap event in the https mode + void nextEvent(); + + QStringList userRequestedFiles(); + +public slots: + void loadPluginFile(QString filename); + + #ifdef BUILDVP1LIGHT + void request_expertSettings(); + #endif + void request_addEmptyTab(); + void request_channelInformation(); + void request_printChannel(); + QString request_saveChannelSnapshot(QString xLabel=""); + void request_cruisemodechange(); + void request_saveasConfig(); + void request_saveConfig(); + void request_loadConfig(); + void request_loadPlugin(); + void unloadPlugin_continue(); + void pluginDialogClosed(); + void saveAllCurrentChannels(); + void makeAllChannelsEventDisplay(); + void getAllChannelsIntoSnapshots(QList<QPixmap>& list, QStringList& listNames); + QPixmap getSingleChannelCustomSnapshot(IVP1ChannelWidget* tab, int width = 0); + QPixmap getSingleChannelCustomSnapshot(QString tabName, int width = 0); + + void tabListChanged(QStringList); + + void selectedChannelChanged(IVP1ChannelWidget*); + + void loadConfigurationFromFile(QString file); + void replaceConfigurationFile(QString file); + + void addToMessageBox( const QString&, const QString& extrastyleopts = "", + const QString& title = "", const QString& titleextrastyleopts = "" ); + void systemAddToMessageBox( const QString& ); + void channelAddToMessageBox( const QString& ); + void helperAddToMessageBox( const QString& ); + void changeFontSize(int); + + //For use when going to a new event (this updates system lists and quit()'s the app): + void goToNextEvent(); + #if defined BUILDVP1LIGHT + void goToPreviousEvent(); + void chooseEvent(); + #endif +public: + void setRunEvtNumber(const int& runnumber, const unsigned long long& eventnumber, const unsigned& triggerType = 0, const unsigned& time = 0, const bool& printmessage = true ); + bool mustQuit() const; + + VP1ChannelManager * channelManager() const { return m_channelmanager; } + VP1TabManager * tabManager() const { return m_tabmanager; } + + bool userRequestedExit() { return m_userRequestedExit; } + + int getRunNumber() { return m_runnumber; } + unsigned long long getEventNumber() { return m_eventnumber; } + int getEventTimestamp() { return m_timestamp; } + +protected: + VP1ChannelManager * m_channelmanager; + VP1TabManager * m_tabmanager; + QString m_currentconfigfile; + int m_runnumber; + unsigned long long m_eventnumber; + unsigned m_timestamp; + bool m_betweenevents; + + void closeEvent(QCloseEvent *event); + bool m_mustquit; + + QWidget* m_dummyemptycontroller; + VP1ExecutionScheduler*m_scheduler; + VP1AvailEvents * m_availEvents; + + VP1TcpServer m_tcpserver; + void listenOnTcp(); + + VP1IncomingMessageDialog* m_currentincomingdialog; + QQueue<VP1ExternalRequest> m_requestqueue; + bool m_blockallmessages; + QList<QString> m_messages_blockedsenders; + QList<VP1ExternalRequest> m_messages_blockedexactmessages; + + void addChannelIconsToComboBox(QComboBox* cb, const bool& isbasenames); + + QStringList m_currentunloadpluginfiles; + VP1PluginDialog*m_plugindialog; + + void setupStatusBar(); + QLabel*m_statusbarlabel; + + QMap<QString,QString> availablePluginFiles() const; + QMap<QString,QString> availableFiles(const QString& extension, + const QString& pathvar, + const QString& instareasubdir, + const QString& extradirenvvar, + bool currentdir = false) const; + +public: + QProgressBar*progressbar; +protected slots: + void receivedExternalRequest(VP1ExternalRequest); + void processEnqueuedRequests(); + void finishedIncomingDialog(); + void updateTcpIcon(); + void postInitUpdates(); + void showMenu_loadPlugin(); + void showMenu_loadPluginItemSelected(); + void showMenu_loadConfFile(); + void showMenu_loadConfFileItemSelected(); + void changeStyleActionTriggered(); + void changeFontSizeActionTriggered(); + void updateCentralStackWidget(); + void quickSetupTriggered(); + void updateEventControls(); + void addEventFile(); + void help_openUserGuide(); + void help_openUserSupport(); + void help_openVP1WebSite(); + void help_openAbout(); + + void updateInputDirectoriesStatus(); + void inputDirectoryActionTriggered(); + + void launch3DstereoEditor(); + + +protected: + QAction * m_action_infoAboutLoadedPlugins; + QMenu * m_menu_loadPlugin; + QMenu * m_menu_loadConfFile; + QMenu * m_menu_changeStyle; + QMenu * m_menu_changeFontSize; + QAction * m_actionAdd_empty_tab; + QAction * m_actionEnableExpertSettings; + QAction * m_actionSave_current_tabs; + QAction* m_action_addEventFile; + QAction* m_action_openUsersGuide; + QAction* m_action_openUsersSupport; + QAction* m_action_openVP1Site; + QAction* m_action_openAbout; + + QList<QAction*> m_inputdiractions; + VP1DirStatuses m_inputdirstatuses; + QString m_currentsaveimagepath; + QString m_currentloadpluginpath; + QString m_currentStream; + + //Fontsize: + QFont m_defaultfont; + double m_defaultfont_pointsize; + int m_defaultfont_pixelsize; + const QString m_settingsfile; + + bool m_userRequestedExit; + + QStringList m_userRequestedFiles; + + VP1StreamMenuUpdater* m_streamMenuUpdater; + QMutex* m_mutex; + +// // Web broser instance to show VP1 documentation +// #if QT_VERSION > QT_VERSION_CHECK(5, 5, 0) +// QWebEngineView *m_view; // Qt 5 +// #else +// QWebView *m_view; +// #endif + + // Event display editor + VP1EventDisplayEditor* m_edEditor; +}; + + +#endif + diff --git a/graphics/VTI12/VTI12Gui/VTI12Gui/VP1PluginDialog.h b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1PluginDialog.h new file mode 100644 index 0000000000000000000000000000000000000000..ce06a1c26cd4d420ff20c43227bdf8c0e534430f --- /dev/null +++ b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1PluginDialog.h @@ -0,0 +1,44 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +///////////////////////////////////////////////////////////// +// // +// Header file for class VP1PluginDialog // +// // +// Author: Thomas Kittelmann <Thomas.Kittelmann@cern.ch> // +// // +// Initial version: April 2007 // +// // +///////////////////////////////////////////////////////////// + +#ifndef VP1PLUGINDIALOG_H +#define VP1PLUGINDIALOG_H + +#include <QDialog> + +class VP1ChannelManager; +class VP1ExecutionScheduler; + +class VP1PluginDialog : public QDialog { + + Q_OBJECT + +public: + + VP1PluginDialog( QWidget*parent, VP1ChannelManager*,VP1ExecutionScheduler*); + virtual ~VP1PluginDialog(); + + QString unloadfile(); +private: + + class Imp; + Imp * m_d; + +private slots: + void pluginSelected(int i); + void unloadclicked(); + void updateRefreshInfo(); +}; + +#endif diff --git a/graphics/VTI12/VTI12Gui/VTI12Gui/VP1Prioritiser.h b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1Prioritiser.h new file mode 100644 index 0000000000000000000000000000000000000000..3164701394271d7a86a1cea3b7bd301474ed7b99 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1Prioritiser.h @@ -0,0 +1,50 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +///////////////////////////////////////////////////////////// +// // +// Header file for class VP1Prioritiser // +// // +// Author: Thomas Kittelmann <Thomas.Kittelmann@cern.ch> // +// // +// Initial version: April 2007 // +// // +///////////////////////////////////////////////////////////// + +#ifndef VP1PRIORITISER_H +#define VP1PRIORITISER_H + +#include <QObject> +class IVP1System; +class IVP1ChannelWidget; + +class VP1Prioritiser : public QObject { + + Q_OBJECT + +public: + + VP1Prioritiser(QObject*parent); + virtual ~VP1Prioritiser(); + + double beginTiming_Refresh(IVP1System*);//Returns an estimate based on earlier measurements + double elapsedTiming_Refresh(); + double endTiming_Refresh();//Returns timing + + IVP1System* nextErasedActiveSystemByPriority();//Returns 0 if there are no systems with (ActiveState,State)==(ON,ERASED) + QList<IVP1System*> getSystemsToEraseByPriority();//Returns all systems in REFRESHED state - in prioritised order. + + double estimateRemainingCalcTime() const; + +public slots: + void visibleChannelsChanged(const QSet<IVP1ChannelWidget*>&vis,const QSet<IVP1ChannelWidget*>&soonvis,const double& soonvisbonus); + void channelCreated(IVP1ChannelWidget*); + void channelUncreated(IVP1ChannelWidget*); +private: + class Imp; + Imp * m_d; + void setupSysItr(IVP1ChannelWidget*cw); +}; + +#endif diff --git a/graphics/VTI12/VTI12Gui/VTI12Gui/VP1QtApplication.h b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1QtApplication.h new file mode 100644 index 0000000000000000000000000000000000000000..35be98bc78b5c0568829f23f04f805f6903f9e37 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1QtApplication.h @@ -0,0 +1,53 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +///////////////////////////////////////////////////////// +// // +// Header file for class VP1QtApplication // +// // +// Author: Riccardo Maria BIANCHI <rbianchi@cern.ch> // +// // +// This class reimplements the basic notify() method // +// of the QApplication class, in order to catch // +// exceptions from C++, and to avoid fatal errors // +// like: // +// "Qt has caught an exception thrown from an event // +// handler. Throwing exceptions from an event handler // +// is not supported in Qt. You must reimplement // +// QApplication::notify() and catch all exceptions // +// there. // +// // +// // +// Initial version: 19 November 2012 // +// // +///////////////////////////////////////////////////////// + +#ifndef VP1QTAPPLICATION_H +#define VP1QTAPPLICATION_H + +// include C++ +//#include <stddef.h> // this to fix the 'ptrdiff_t' does not name a type error with Qt (http://qt-project.org/forums/viewthread/16992) + +// include Qt +#include <QApplication> +#include <QMessageBox> + + + + +/* reimplementaion of the main QApplication class, + * to reimplement the notify() function, + * in order to catch C++ exceptions + */ +class VP1QtApplication: public QApplication { + Q_OBJECT +public: + VP1QtApplication(int &argc, char **argv): QApplication(argc, argv) {}; + virtual ~VP1QtApplication() {}; + virtual bool notify(QObject *rec, QEvent *ev); +}; + +#endif + + diff --git a/graphics/VTI12/VTI12Gui/VTI12Gui/VP1SelectEvent.h b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1SelectEvent.h new file mode 100644 index 0000000000000000000000000000000000000000..e62b0b551b08c4994f65ae59c167e40870cfa73d --- /dev/null +++ b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1SelectEvent.h @@ -0,0 +1,42 @@ +/* + Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +*/ + +////////////////////////////////////////////////////////////////////////// +// // +// Header file for class VP1SelectEvent // +// // +// Description: Dialog for the selection of a specific event in a file // +// // +// Author: Sebastian Andreas Merkt (sebastian.andreas.merkt@cern.ch) // +// Initial version: August 2018 // +// // +////////////////////////////////////////////////////////////////////////// + +#ifndef VP1SELECTEVENT_H +#define VP1SELECTEVENT_H + +#include <QDialog> +#include <QPushButton> +#include <QDialogButtonBox> +#include <QSpinBox> + +class VP1SelectEvent : public QDialog +{ + Q_OBJECT +public: + explicit VP1SelectEvent(int totEvtNr, int evtNr, QWidget *parent = 0); + +public slots: + +private: + void passEvtNr(); + void reject(); + + QPushButton* m_cancelButton; + QPushButton* m_openButton; + QDialogButtonBox* m_buttonBox; + QSpinBox* m_spinBox; +}; + +#endif // VP1SELECTEVENT_H diff --git a/graphics/VTI12/VTI12Gui/VTI12Gui/VP1TabManager.h b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1TabManager.h new file mode 100644 index 0000000000000000000000000000000000000000..8f21ea43185c1561a162776f32188d58ff264449 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1TabManager.h @@ -0,0 +1,112 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +///////////////////////////////////////////////////////////// +// // +// Header file for class VP1TabManager // +// // +// Author: Thomas Kittelmann <Thomas.Kittelmann@cern.ch> // +// // +// Initial version: April 2007 // +// // +///////////////////////////////////////////////////////////// + +#ifndef VP1TABMANAGER_H +#define VP1TABMANAGER_H + +#include <QObject> +#include <QStringList> +#include <QMultiMap> +#include <QPair> +class VP1TabWidget; +class VP1ChannelManager; +class VP1DockWidget; +class IVP1ChannelWidget; +class QPoint; + +//NB: The tab manager is allowed to pop up boxes with warnings, information, etc. + +class VP1TabManager : public QObject { + + Q_OBJECT + +public: + + VP1TabManager(QObject*parent, VP1TabWidget *,VP1ChannelManager*); + ~VP1TabManager(); + + bool hasTab(QString) const; + bool showTab(QString); + bool showFirstChannelWithGivenBasename(QString basename); + QString suggestNewTabName(QString oldtabname) const; + QString currentTab() const; + QString currentChannelUniqueName() const; + IVP1ChannelWidget* selectedChannelWidget() const; + int nTabs() const; + void dropOutOfFullScreen();//Does nothing if not in FS mode. + + QList<IVP1ChannelWidget*> allChannels() const;//No particular order. + const QSet<IVP1ChannelWidget*>& visibleChannels() const; + const QSet<IVP1ChannelWidget*>& soonVisibleChannels() const; + bool isVisible(IVP1ChannelWidget*) const; + //bool isInNextTab(); + + void setTabCruiseMode(const bool&); + + QStringList tabList(); + QString channelToTab(IVP1ChannelWidget*); + + void launchStereoEditorCurrentTab(); +// void setAntiAliasingCurrentTab(bool); + + IVP1ChannelWidget * addChannelToTab( QString channelbasename, QString tabname ); +public slots: + void addNewTab( QString, const int& index = -1 ); + void renameTab( QString tabname, QString newtabname ); + void removeTab( QString tabname );// -> Also removes channels obviously. + void removeChannel(QString channeluniquename); + void moveChannelToTab(QString channeluniquename,QString tabname); + void cloneChannelToTab(QString channeluniquename,QString tabname); + void cloneTab(QString oldtabname,QString newtabname); + void removeAllTabs(); + + + void saveConfigurationToFile(QString filename,const bool& askonoverride=true); + void loadConfigurationFromFile(QString filename,const QMap<QString,QString>& availableplugins); + + void showChannelFullScreen(IVP1ChannelWidget*); + void showCurrentChannelFullScreen(); + void showTabFullScreen(QString tabname); + void showCurrentTabFullScreen(); + + void showNextTab(); + void showPreviousTab(); + + void raiseTabBarContextMenu(int,const QPoint &); + void setSelectedDockWidget(VP1DockWidget*dw=0); + void setSelectedChannelWidget(IVP1ChannelWidget*cw=0);//selects the associated dock widget + + //The next two methods/slots are needed to allow channels to remove themselves: +public: + void removeChannelAfterQueueEmpties(const QString&); +signals: + void tabListChanged(QStringList); + void selectedChannelChanged(IVP1ChannelWidget*);//0 if all were unselected + void visibleChannelsChanged(const QSet<IVP1ChannelWidget*>&vis,const QSet<IVP1ChannelWidget*>&soonvis,const double& soonvisbonus); + +protected: + class Imp; + Imp * m_d; + + bool eventFilter ( QObject *, QEvent * ); + typedef QPair<QByteArray,QMultiMap<QString,QByteArray> > ChanState; + void serializeChannelState(IVP1ChannelWidget*,ChanState&state); + void unserializeChannelState(IVP1ChannelWidget*cw,ChanState tate); + +protected slots: + void currentVisibleChanged(); + void executePendingChannelRemoval(); +}; + +#endif diff --git a/graphics/VTI12/VTI12Gui/VTI12Gui/VP1TcpServer.h b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1TcpServer.h new file mode 100644 index 0000000000000000000000000000000000000000..eba05535177e65d1f04c7c9045633d254ef5f6a9 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1TcpServer.h @@ -0,0 +1,60 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +///////////////////////////////////////////////////////////// +// // +// Header file for class VP1TcpServer // +// // +// Author: Thomas Kittelmann <Thomas.Kittelmann@cern.ch> // +// // +// Initial version: April 2007 // +// // +///////////////////////////////////////////////////////////// + +#ifndef VP1TCPSERVER_H +#define VP1TCPSERVER_H + +#include <QObject> +#include <QAbstractSocket> +#include "VP1Base/VP1ExternalRequest.h" + +class VP1TcpServer : public QObject { + + Q_OBJECT + +public: + + ///////////////////////////////////////////////////////////////////////// + ///////////////////////////////////////////////////////////////////////// + ///////////////////////////////////////////////////////////////////////// + + VP1TcpServer(); + virtual ~VP1TcpServer(); + + bool listen(QString& err, const quint16& port = 4747);//Returns false (and fills the err string) if not successful. + quint16 port() const; + bool isListening(); +public slots: + void close(); + +signals: + void receivedExternalRequest(VP1ExternalRequest); + void listenStateChanged(bool);//Might be emitted up to 2 seconds after the state really changed + + ///////////////////////////////////////////////////////////////////////// + ///////////////////////////////////////////////////////////////////////// + ///////////////////////////////////////////////////////////////////////// + +private: + class Imp; + Imp * m_d; +private slots: + void acceptConnection(); + void readData(); + void handleError(QAbstractSocket::SocketError); + void socketDestroyed(QObject*); + void listenStateMightHaveChanged(); +}; + +#endif diff --git a/graphics/VTI12/VTI12Gui/VTI12Gui/VP1TextBrowser.h b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1TextBrowser.h new file mode 100644 index 0000000000000000000000000000000000000000..4ee31a50dd15e95ae0b51f11d1309a019194f4b4 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1TextBrowser.h @@ -0,0 +1,21 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef VP1TEXTBROWSER_H +#define VP1TEXTBROWSER_H + +#include <QTextBrowser> + +class VP1TextBrowser : public QTextBrowser { +public: + + VP1TextBrowser(QWidget * parent = 0); + virtual ~VP1TextBrowser(); + +protected: + void contextMenuEvent(QContextMenuEvent *); + +}; + +#endif diff --git a/graphics/VTI12/VTI12Gui/VTI12Gui/VP1WebWatcher.h b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1WebWatcher.h new file mode 100644 index 0000000000000000000000000000000000000000..85cfd742161dc20a7b391cf0678987e982624835 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/VTI12Gui/VP1WebWatcher.h @@ -0,0 +1,72 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class VP1WebWatcher // +// // +// Description: Http analogy of QFileSystemWatcher, which // +// uses http HEAD requests (in a subthread) at // +// regular intervals to monitor for changes // +// in files located on a webserver. // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: June 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef VP1WEBWATCHER_H +#define VP1WEBWATCHER_H + +#include <QObject> +#include <QStringList> + + +class QDateTime; + +class VP1WebWatcher : public QObject { + + Q_OBJECT + +public: + + VP1WebWatcher( int recheckInterval_ms = 30000, QObject * parent = 0 ); + VP1WebWatcher( const QStringList& urls, int recheckInterval_ms = 30000, QObject * parent = 0 ); + virtual ~VP1WebWatcher(); + + void addUrl(const QString&); + void addUrls(const QStringList&); + + QStringList urls() const; + bool isWatchingUrl(const QString&) const; + + void removeUrl(const QString&); + void removeUrls(const QStringList&); + + //Get more information: + enum RESULT { UNKNOWN,//Might be because no http request was yet done. + INVALID_URL, + CONNECTION_PROBLEMS,//Various problems (server not found, no net connection, etc.) + NOT_ON_SERVER,//Request returned 404 (file not found on server) + EXISTS };//File was found on server + RESULT lastResult(const QString& url); + QString lastResultToString(const QString& url); + + QDateTime lastModTime(const QString& url);//Always invalid if lastResult(url)!=EXISTS (might be invalid for EXISTS as well). + +signals: + void urlChanged(const QString& url ); + +private slots: + void httpRequestDone(bool); +protected: + void timerEvent(QTimerEvent*); +private: + class Imp; + Imp * m_d; + +}; + +#endif diff --git a/graphics/VTI12/VTI12Gui/src/VP1AODSelection.cxx b/graphics/VTI12/VTI12Gui/src/VP1AODSelection.cxx new file mode 100644 index 0000000000000000000000000000000000000000..6fd07a9e9bf262a4f7a2ef891e7b41869c2880c4 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/VP1AODSelection.cxx @@ -0,0 +1,129 @@ +/* + Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +*/ + +////////////////////////////////////////////////////////////////////////// +// // +// Header file for class VP1AODSelection // +// // +// Description: Dialog for the selection of a xAOD file // +// // +// Author: Sebastian Andreas Merkt (sebastian.andreas.merkt@cern.ch) // +// Initial version: November 2017 // +// // +////////////////////////////////////////////////////////////////////////// + +#include "VTI12Gui/VP1AODSelection.h" + +#include <QPushButton> +#include <QGridLayout> +#include <QLabel> +#include <QComboBox> +#include <QFileInfo> + +#include <QtWidgets> + +VP1AODSelection::VP1AODSelection(QWidget *parent) : QDialog(parent) +{ + //Set default dialog size + int nWidth = 800; + int nHeight = 220; + if (parent != NULL) + setGeometry(parent->x() + parent->width()/2 - nWidth/2, + parent->y() + parent->height()/2 - nHeight/2, + nWidth, nHeight); + else + resize(nWidth, nHeight); + + //Browse button to select database + m_browseButton = new QPushButton(tr("&Browse..."), this); + connect(m_browseButton, &QAbstractButton::clicked, this, &VP1AODSelection::on_browseButton_clicked); + + //Buttonbox to set Open, Cancel buttons + m_buttonBox = new QDialogButtonBox(this); + m_openButton = m_buttonBox->addButton(tr("&Open"), QDialogButtonBox::AcceptRole); + m_cancelButton = m_buttonBox->addButton(tr("&Cancel"),QDialogButtonBox::RejectRole); + connect(m_openButton, &QPushButton::clicked, this, &VP1AODSelection::loadDatabase); + connect(m_cancelButton, &QPushButton::clicked, this, &VP1AODSelection::reject); + + //Open QSettings to store path do database + QSettings settings("ATLAS", "VP1Light"); + QString text; + + //If no xAOD file has been provided via command line argument, the "xaod/path" value is "" + if(settings.value("aod/path").toString()==""){ + m_openButton->setEnabled(false); + text = "(*)"; + } else { //If a xAOD file has been provided show it in the combobox + text = settings.value("aod/path").toString(); + } + //Create the combobox + m_directoryComboBox = createComboBox(text); + + //Create the main layout + QGridLayout *mainLayout = new QGridLayout(this); + mainLayout->addWidget(new QLabel(tr("Select AOD file:")), 0, 0); + mainLayout->addWidget(m_directoryComboBox, 1, 0, 1, 2); + mainLayout->addWidget(m_browseButton, 1, 4); + mainLayout->addWidget(m_buttonBox, 3, 4); + + m_browseButton->setMinimumWidth(200); + m_buttonBox->setMinimumWidth(200); + m_browseButton->setSizePolicy(QSizePolicy::Fixed, QSizePolicy::Fixed); + m_buttonBox->setSizePolicy(QSizePolicy::Fixed, QSizePolicy::Fixed); +} + +//Method to create the drop down combobox +QComboBox *VP1AODSelection::createComboBox(const QString &text) +{ + QComboBox *comboBox = new QComboBox; + comboBox->setMinimumWidth(600); + comboBox->setEditable(false); + comboBox->addItem(text); + comboBox->setSizePolicy(QSizePolicy::Expanding, QSizePolicy::Preferred); + return comboBox; +} + +//Animate the click +void VP1AODSelection::animateFindClick() +{ + m_openButton->animateClick(); +} + +//Open the file selection dialog +void VP1AODSelection::on_browseButton_clicked() +{ + m_fileName = QFileDialog::getOpenFileName(this, + tr("Select AOD file"), QDir::currentPath(), + tr("AOD Files (*)")); + + // Add the selected file to the combobox + if (!m_fileName.isEmpty()) { + if (m_directoryComboBox->findText(m_fileName) == -1) + m_directoryComboBox->addItem(m_fileName); + m_directoryComboBox->setCurrentIndex(m_directoryComboBox->findText(m_fileName)); + + //When valid a database is selected, enable the Open button to confirm + m_openButton->setEnabled(true); + } + +} + +//Check and Save the settings +void VP1AODSelection::loadDatabase(){ + + //Save xAOD path to settings + QSettings settings("ATLAS", "VP1Light"); + settings.setValue("aod/path", m_directoryComboBox->itemText(m_directoryComboBox->currentIndex())); + + //If the selected xAOD does not exists, go back + if (!QFileInfo::exists(m_directoryComboBox->itemText(m_directoryComboBox->currentIndex()))){ + QMessageBox msgBox; + msgBox.setWindowTitle("Virtual TI 12"); + msgBox.setText("AOD file does not exist. Please choose another file."); + msgBox.exec(); + return; + } + VP1AODSelection::setResult(1); + VP1AODSelection::accept(); +} diff --git a/graphics/VTI12/VTI12Gui/src/VP1Authenticator.cxx b/graphics/VTI12/VTI12Gui/src/VP1Authenticator.cxx new file mode 100644 index 0000000000000000000000000000000000000000..16bf6bb96558f9bfcc6bdd707291a149fa39d279 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/VP1Authenticator.cxx @@ -0,0 +1,590 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#include "VTI12Gui/VP1Authenticator.h" + +#include "VP1Base/VP1QtUtils.h" + +#include <QNetworkAccessManager> +#include <QSslError> +#include <QNetworkCookie> +#include <QFile> +#include <QFileInfo> +#include <QUrl> +#include <QBuffer> +#include <QStringMatcher> + +#include <iostream> +#include <QMetaType> + +//______________________ Imp ______________________________ +class VP1Authenticator::Imp { + +public: + Imp(VP1Authenticator*,QString); + ~Imp(); + + // Gets value of the HTML tag attribute. Returns an empty string if attribute not found + QString getTagAttributeVal(const QString& tag, const QString& attribute); + + // Connect signals of the QNetworkReply to slots of the VP1Authenticator + void connectToAuthenticator(VP1Authenticator* authenticator); + + // Display error message in the TextEdit box + void displayError(QString); + + VP1Authenticator* m_theClass; + QNetworkAccessManager* m_netmanager; + QNetworkReply* m_netreply; + QFile* m_log; + + int stage; + QString m_fileInfoUrl; + QString m_loginServer; +}; + +VP1Authenticator::Imp::Imp(VP1Authenticator* theClass + ,QString fileInfoUrl) + : m_theClass(theClass) + , m_netmanager(new QNetworkAccessManager()) + , m_netreply(0) + , m_log(0) + , stage(1) + , m_fileInfoUrl(fileInfoUrl) + , m_loginServer("login.cern.ch") +{ + #if defined BUILDVP1LIGHT + bool checkAuthEnabled = VP1QtUtils::expertSettingIsOn("expert","ExpertSettings/VP1_AUTH_ENABLELOG"); + #else + bool checkAuthEnabled = VP1QtUtils::environmentVariableIsOn("VP1_AUTH_ENABLELOG"); + #endif + + if(checkAuthEnabled) { + QString logname("vp1live-auth.log"); + if(QFileInfo(logname).exists() && !QFile(logname).remove()) + std::cerr << "VP1Authenticator ERROR: Unable to remove old logfile" << std::endl; + else { + m_log = new QFile(logname); + if(!m_log->open(QIODevice::WriteOnly)) { + std::cerr << "VP1Authenticator ERROR: Unable to open new logfile for writing" << std::endl; + delete m_log; + m_log = 0; + } + } + } +} + +VP1Authenticator::Imp::~Imp() +{ + // deleting m_netmanager is not my responsibility :) + delete m_netreply; + + if(m_log) { + m_log->close(); + delete m_log; + } +} + +QString VP1Authenticator::Imp::getTagAttributeVal(const QString& tag, const QString& attribute) +{ + QStringMatcher startMatcher(attribute + "=\"",Qt::CaseInsensitive); + QStringMatcher endMatcher("\""); + + int startPos = startMatcher.indexIn(tag); + if(startPos==-1) + return QString(""); + else { + int endPos = endMatcher.indexIn(tag,startPos+startMatcher.pattern().size()); + if(endPos==-1) // something is wrong with this tag + return QString(""); + else + return tag.mid(startPos+startMatcher.pattern().size(),endPos-startPos-startMatcher.pattern().size()); + } +} + +void VP1Authenticator::Imp::connectToAuthenticator(VP1Authenticator* authenticator) +{ + connect(m_netreply, SIGNAL(finished()), + authenticator, SLOT(finished())); + connect(m_netreply, SIGNAL(error(QNetworkReply::NetworkError)), + authenticator, SLOT(error(QNetworkReply::NetworkError))); + connect(m_netreply, SIGNAL(sslErrors(const QList<QSslError>&)), + authenticator, SLOT(sslErrors(const QList<QSslError>&))); +} + +void VP1Authenticator::Imp::displayError(QString message) +{ + m_theClass->teditError->setVisible(true); + m_theClass->setFixedSize(400,350); + m_theClass->teditError->append(message); + m_theClass->inpPhr->clear(); + m_theClass->inpPers->setEnabled(true); + m_theClass->inpPhr->setEnabled(true); + m_theClass->inpPhr->setFocus(); + if(m_log) { + QByteArray logBa(QString(message+"\n").toStdString().c_str()); + m_log->write(logBa); + } +} + +//__________________________ Main Class __________________________________ +VP1Authenticator::VP1Authenticator(QWidget* parent, QString fileInfoUrl) + : QDialog(parent) + , m_d(new Imp(this,fileInfoUrl)) +{ + setupUi(this); + setFixedSize(400,200); + + // Configure GUI properties + teditError->setVisible(false); + teditError->setLineWrapMode(QTextEdit::NoWrap); + pbtnLogin->setDefault(true); + + // Connect GUI signals to slots + connect(pbtnLogin,SIGNAL(clicked()),this,SLOT(loginClicked())); + connect(pbtnCancel,SIGNAL(clicked()),this,SLOT(reject())); + + qRegisterMetaType<QList<QSslError> >("QList<QSslError>"); +} + +VP1Authenticator::~VP1Authenticator() +{ + delete m_d; +} + +//____________ Https/SSL slots________________ + +bool VP1Authenticator::connectToServer() +{ + QUrl fileinfoUrl(m_d->m_fileInfoUrl); + QNetworkRequest netrequest(fileinfoUrl); + m_d->m_netreply = m_d->m_netmanager->get(netrequest); + m_d->connectToAuthenticator(this); + + return true; +} + +void VP1Authenticator::finished() +{ + QString message("\n\nVP1Authenticator done. STAGE " + QString::number(m_d->stage) + "\n"); + + QUrl redirectionUrl; + QList<QNetworkCookie> cookielist; + + // ******** Collect some information for the log ******** + + // ** Headers + QVariant val = m_d->m_netreply->header(QNetworkRequest::SetCookieHeader); + if(val.type()==QVariant::Invalid) { + message += QString(" No set cookies\n"); + } else if (!val.canConvert<QList<QNetworkCookie> >()){ + message += QString(" Cannot convert to the list of cookies\n"); + } else { + cookielist = val.value<QList<QNetworkCookie> >(); + for(int ii=0; ii<cookielist.size(); ++ii) { + const QNetworkCookie& cookie = cookielist.at(ii); + message += (" Received cookie #" + QString::number(ii) + "\n"); + message += (" *** Path: " + cookie.path() + "\n"); + message += (" *** Domain: " + cookie.domain() + "\n"); + message += (QString(" *** Secure: ") + (cookie.isSecure() ? "YES" : "NO") + "\n"); + message += (QString(" *** Session: ") + (cookie.isSessionCookie() ? "YES" : "NO") + "\n"); + message += (" *** Name: " + QString(cookie.name().constData()) + "\n"); + message += (" *** Value: " + QString(cookie.value().constData()) + "\n"); + } + } + + val = m_d->m_netreply->header(QNetworkRequest::ContentTypeHeader); + if(val.type()==QVariant::Invalid) { + message += QString(" No ContentType\n"); + } else if (!val.canConvert<QString>()) { + message += QString(" Cannot convert Content Type to String\n"); + } else { + QString conttype = val.value<QString>(); + message += QString(" Content type: " + conttype + "\n"); + } + + val = m_d->m_netreply->header(QNetworkRequest::ContentLengthHeader); + if(val.type()==QVariant::Invalid) { + message += QString(" No ContentLength\n"); + } else if (!val.canConvert<int>()) { + message += QString(" Cannot convert Content Length to int\n"); + } else { + int contlength = val.value<int>(); + message += QString(" Content Length: " + QString::number(contlength) + "\n"); + } + + val = m_d->m_netreply->header(QNetworkRequest::LocationHeader); + if(val.type()==QVariant::Invalid) { + message += QString(" No Location\n"); + } else if (!val.canConvert<QUrl>()) { + message += QString(" Cannot convert Content Length to QUrl\n"); + } else { + QUrl url = val.value<QUrl>(); + message += QString(" Location URL " + url.toString() + "\n"); + } + + // ** Attributes + val = m_d->m_netreply->attribute(QNetworkRequest::HttpStatusCodeAttribute); + if(val.type()==QVariant::Invalid) { + message += QString(" No StatusCode Attribute\n"); + } else if (!val.canConvert<int>()) { + message += QString(" Cannot convert StatusCode to int\n"); + } else { + int sc = val.value<int>(); + message += QString(" StatusCode : " +QString::number(sc) + "\n"); + } + + val = m_d->m_netreply->attribute(QNetworkRequest::RedirectionTargetAttribute); + if(val.type()==QVariant::Invalid) { + message += QString(" No Redirection Attribute\n"); + } else if (!val.canConvert<QUrl>()) { + message += QString(" Cannot convert Redirection to QUrl\n"); + } else { + redirectionUrl = val.value<QUrl>(); + message += QString(" Redirection : " + redirectionUrl.toString() + "\n"); + } + + message += QString("\n HTML response >>>>>\n"); + + QByteArray logMessage(message.toStdString().c_str()); + + // ** Write reply to log ** + QByteArray ba = m_d->m_netreply->readAll(); + logMessage = logMessage.append(ba); + logMessage = logMessage.append("\n<<<<< HTML response\n\n\n"); + if(m_d->m_log) + m_d->m_log->write(logMessage); + + + // *** Stage 5: + // Final response from the server. It may happen that the + // authentication was successfull, however the user is not + // authorized to access the requested resource + // + // Check that... + if(m_d->stage==5) { + QString replyBody(ba.data()); + if(replyBody.contains("authorization failed", Qt::CaseInsensitive)) { + QString errMessage("Authorization Failed"); + m_d->displayError(errMessage); + m_d->m_netmanager->deleteLater(); + m_d->m_netmanager = new QNetworkAccessManager(); + m_d->stage=1; + m_d->m_netreply=0; + return; + } + + if(m_d->m_netreply->error()==QNetworkReply::NoError) + authenticationSuccessful(m_d->m_netmanager); + } + + // ** Check for errors ** + if(m_d->m_netreply->error()!=QNetworkReply::NoError) { + QString errMessage("Network error occured during authentication phase\n"); + errMessage += QString("Error code " + QString::number((int)m_d->m_netreply->error()) + "\nExplanation on http://doc.trolltech.com/4.4/qnetworkreply.html#NetworkError-enum"); + m_d->displayError(errMessage); + m_d->stage=1; + return; + } + + // *** Stage 1: + // Received a reply redirecting us to login.cern.ch + // Take the redirection URL and issue GET request for it + if(m_d->stage==1) { + if(redirectionUrl.isEmpty() || redirectionUrl.host() != m_d->m_loginServer) { + QString errMessage("Wrong URL: " + m_d->m_fileInfoUrl + "\nPlease fix the URL and restart the job"); + m_d->displayError(errMessage); + m_d->stage=1; + return; + } else { + QNetworkRequest netrequest(redirectionUrl); + m_d->m_netreply = m_d->m_netmanager->get(netrequest); + if(m_d->m_log) { + QByteArray baLog("Get request sent\n_______________________________________________________\n\n"); + m_d->m_log->write(baLog); + } + m_d->connectToAuthenticator(this); + m_d->stage++; + return; + } + } + + // *** Stage 2: + // Received authentication form + // Parse contents of the authentication form + // look for input tags and collect their attributes + if(m_d->stage==2) { + QString replyBody(ba.data()); + + QString newRequestBody("__EVENTTARGET=&__EVENTARGUMENT=&__LASTFOCUS="); + + QStringMatcher inputStartMatcher("<input ",Qt::CaseInsensitive); + QStringMatcher inputEndMatcher("/>"); + + int inputStart = inputStartMatcher.indexIn(replyBody,0); + + while(inputStart!=-1) { + int inputEnd = inputEndMatcher.indexIn(replyBody,inputStart+inputStartMatcher.pattern().size()); + if(inputEnd==-1) // something is wrong with this tag + break; + else { + // Let's parse it + QString tag = replyBody.mid(inputStart,inputEnd-inputStart); + QString typeVal = m_d->getTagAttributeVal(tag,"type"); + QString nameVal = m_d->getTagAttributeVal(tag,"name"); + QString valueVal = m_d->getTagAttributeVal(tag,"value").replace(" ","+"); + + if(QString::compare(typeVal,"text",Qt::CaseInsensitive)==0) + valueVal = inpPers->text(); + else if(QString::compare(typeVal,"password",Qt::CaseInsensitive)==0) + valueVal = inpPhr->text(); + + if(QString::compare(typeVal,"checkbox",Qt::CaseInsensitive)!=0) { + QByteArray encodedNameVal = QUrl::toPercentEncoding(nameVal); + if(QString::compare(typeVal,"submit",Qt::CaseInsensitive)==0 + || QString::compare(typeVal,"text",Qt::CaseInsensitive)==0 + || QString::compare(typeVal,"password",Qt::CaseInsensitive)==0 ) { + newRequestBody+=("&"+QString(encodedNameVal)+"="+valueVal); + } else { + QByteArray encodedValueVal = QUrl::toPercentEncoding(valueVal); + if(newRequestBody.size()!=0) + newRequestBody+="&"; + newRequestBody+=(QString(encodedNameVal)+"="+QString(encodedValueVal)); + } + } + + // move to the next input + inputStart = inputStartMatcher.indexIn(replyBody,inputEnd+inputEndMatcher.pattern().size()); + } + } + + QByteArray newBody; + newBody=newBody.insert(0,newRequestBody); + + QString logMessage = "New Request Length: " + QString::number(newBody.size()) + "\n"; + logMessage += ("New Request Body:\n" + newRequestBody.replace(inpPhr->text(),"xxx") + "\n"); + + // Get form action + // !!! Hardwire this for now: + QString actionUrlString("https://"+m_d->m_loginServer); + + QStringMatcher actionStartMatcher("action=\"",Qt::CaseInsensitive); + QStringMatcher actionEndMatcher("\""); + int actionStart = actionStartMatcher.indexIn(replyBody,0); + if(actionStart!=-1) { + int actionEnd = actionEndMatcher.indexIn(replyBody,actionStart+actionStartMatcher.pattern().size()); + if(actionEnd!=-1) + actionUrlString += replyBody.mid(actionStart+actionStartMatcher.pattern().size(),actionEnd-actionStart-actionStartMatcher.pattern().size()); + } + + logMessage += ("New URL: " + actionUrlString + "\n"); + QByteArray actionUrlBa(actionUrlString.toStdString().c_str()); + QString actionUrlStringDecoded = QUrl::fromPercentEncoding(actionUrlBa); + logMessage += ("Decoded URL: " + actionUrlStringDecoded.replace("&","&") + + "\n\nPost request sent\n_______________________________________________________\n\n"); + + // Send Post request: + QNetworkRequest netrequest(QUrl(actionUrlStringDecoded.replace("&","&"))); + netrequest.setHeader(QNetworkRequest::ContentTypeHeader,"application/x-www-form-urlencoded"); + netrequest.setHeader(QNetworkRequest::ContentLengthHeader,newBody.size()); + m_d->m_netreply = m_d->m_netmanager->post(netrequest,newBody); + if(m_d->m_log) { + QByteArray baLog(logMessage.toStdString().c_str()); + m_d->m_log->write(baLog); + } + m_d->connectToAuthenticator(this); + m_d->stage++; + return; + } + + // *** Stage 3: + // Received response from the autentication attempt + // + // Check if the authentication was successful. This can be done + // either of these two ways: + // 1. Check number of set cookies, if it = 0 then authentication failed + // 2. Look for 'Logon failure' string in the response body + // We implement the option #1 + // + // If the authentication considered successfull then parse contents of the + // response, look for input tags and collect their attributes + // and compose a new POST request + if(m_d->stage==3) { + + if(cookielist.size()==0) { + // Authentication failed + QString errMessage("Authentication failed, please try again\n"); + m_d->displayError(errMessage); + m_d->stage=1; + return; + } + + QString replyBody(ba.data()); + QByteArray excludeFromEncoding(" "); + QString newRequestBody(""); + + QStringMatcher inputStartMatcher("<input ",Qt::CaseInsensitive); + QStringMatcher inputEndMatcher("/>"); + + int inputStart = inputStartMatcher.indexIn(replyBody,0); + + while(inputStart!=-1) { + + // It can happen that /> is in the middle of some string, for example it can + // be part of value="...". We need to take this into account as well + int inputEnd = inputStart; + int quoteCount = 1; // just to be able to enter the next loop + int quotePos = inputStart; + QStringMatcher quoteMatcher("\""); + + while(quoteCount%2!=0) { + inputEnd = inputEndMatcher.indexIn(replyBody,quotePos); + if(inputEnd==-1) + break; + quoteCount = 0; + quotePos = inputStart; + + while(true) { + quotePos = quoteMatcher.indexIn(replyBody,quotePos); + if(quotePos==-1||quotePos>inputEnd) + break; + quoteCount++; + quotePos++; + } + } + + if(inputEnd==-1) // something is wrong with this tag + break; + else { + // Let's parse it + QString tag = replyBody.mid(inputStart,inputEnd-inputStart); + QString typeVal = m_d->getTagAttributeVal(tag,"type"); + QString nameVal = m_d->getTagAttributeVal(tag,"name"); + QString valueVal = m_d->getTagAttributeVal(tag,"value"); + + if(QString::compare(typeVal,"text",Qt::CaseInsensitive)==0) + valueVal = inpPers->text(); + else if(QString::compare(typeVal,"password",Qt::CaseInsensitive)==0) + valueVal = inpPhr->text(); + + if(QString::compare(typeVal,"checkbox",Qt::CaseInsensitive)!=0 && + QString::compare(typeVal,"submit",Qt::CaseInsensitive)!=0) { + QByteArray encodedNameVal = QUrl::toPercentEncoding(nameVal); + QString valueVal1 = valueVal.replace("<","<"); + QString valueVal2 = valueVal.replace(""","\""); + QByteArray encodedValueVal = QUrl::toPercentEncoding(valueVal2,excludeFromEncoding); + if(newRequestBody.size()!=0) + newRequestBody+="&"; + newRequestBody+=(QString(encodedNameVal)+"="+QString(encodedValueVal).replace(" ","+")); + } + + // move to the next input + inputStart = inputStartMatcher.indexIn(replyBody,inputEnd+inputEndMatcher.pattern().size()); + } + } + + QByteArray newBody; + newBody=newBody.insert(0,newRequestBody); + + QString logMessage = "New Request Length: " + QString::number(newBody.size()) + "\n"; + logMessage += ("New Request Body:\n" + newRequestBody + "\n"); + + // Get form action + QString actionUrlString(""); + + QStringMatcher actionStartMatcher("action=\"",Qt::CaseInsensitive); + QStringMatcher actionEndMatcher("\""); + int actionStart = actionStartMatcher.indexIn(replyBody,0); + if(actionStart!=-1) { + int actionEnd = actionEndMatcher.indexIn(replyBody,actionStart+actionStartMatcher.pattern().size()); + if(actionEnd!=-1) + actionUrlString = replyBody.mid(actionStart+actionStartMatcher.pattern().size(),actionEnd-actionStart-actionStartMatcher.pattern().size()); + } + + logMessage += ("New URL: " + actionUrlString + "\n"); + + // Send Post request: + QNetworkRequest netrequest; + netrequest.setUrl(actionUrlString); + netrequest.setHeader(QNetworkRequest::ContentTypeHeader,"application/x-www-form-urlencoded"); + netrequest.setHeader(QNetworkRequest::ContentLengthHeader,newBody.size()); + m_d->m_netreply = m_d->m_netmanager->post(netrequest,newBody); + logMessage += ("\n\nPost request sent\n_______________________________________________________\n\n"); + if(m_d->m_log) { + QByteArray baLog(logMessage.toStdString().c_str()); + m_d->m_log->write(baLog); + } + m_d->connectToAuthenticator(this); + m_d->stage++; + return; + } + + // *** Stage 4: + // Recieved a final redirection to the requested resource + // Just try to get it + if(m_d->stage==4) { + QNetworkRequest netrequest(redirectionUrl); + m_d->m_netreply = m_d->m_netmanager->get(netrequest); + if(m_d->m_log) { + QByteArray baLog("Get request sent\n_______________________________________________________\n\n"); + m_d->m_log->write(baLog); + } + m_d->connectToAuthenticator(this); + m_d->stage++; + return; + } +} + +void VP1Authenticator::error(QNetworkReply::NetworkError err) +{ + if(m_d->m_log) { + QString message("VP1Authenticator error. STAGE " + QString::number(m_d->stage) + ", error code: " + QString::number((int)err) + "\n"); + QByteArray ba(message.toStdString().c_str()); + m_d->m_log->write(ba); + } +} + +void VP1Authenticator::sslErrors(const QList<QSslError>& errlist) +{ + if(m_d->m_log) { + QString message("VP1Authenticator SSL errors. STAGE " + QString::number(m_d->stage) + "\n"); + for(int ii=0; ii<errlist.size(); ++ii) + message += (" " + QString::number((int)errlist.at(ii).error()) + ", " + errlist.at(ii).errorString() + "\n"); + QByteArray ba(message.toStdString().c_str()); + m_d->m_log->write(ba); + } + m_d->m_netreply->ignoreSslErrors(); +} + +//____________ GUI slots________________ +void VP1Authenticator::loginClicked() +{ + // Hide error box, if visible + if(teditError->isVisible()) { + teditError->setVisible(false); + setFixedSize(400,200); + teditError->clear(); + } + + // Set focus on the login box, if empty + if(inpPers->text().isEmpty()) { + inpPers->setFocus(); + return; + } + + // Set focus on the pass box, if empty + if(inpPhr->text().isEmpty()) { + inpPhr->setFocus(); + return; + } + + inpPers->setEnabled(false); + inpPhr->setEnabled(false); + connectToServer(); +} + +QNetworkAccessManager* VP1Authenticator::networkAccessManager() +{ + return m_d->m_netmanager; +} diff --git a/graphics/VTI12/VTI12Gui/src/VP1AvailEvents.cxx b/graphics/VTI12/VTI12Gui/src/VP1AvailEvents.cxx new file mode 100644 index 0000000000000000000000000000000000000000..eac6e48f21ed03ce6c27c396355c4180e2d79274 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/VP1AvailEvents.cxx @@ -0,0 +1,362 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class VP1AvailEvents // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: May 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12Gui/VP1AvailEvents.h" +#include "VP1Base/VP1Msg.h" +#include <QFileInfo> +#include <QDirIterator> +#include <QTimer> + +#include <algorithm> +#include <set> +#include <map> +#include <iostream> + +//____________________________________________________________________ +class VP1AvailEvents::Imp { +public: + VP1AvailEvents*theclass; + int timeCutForNew; + QString tmpDir; + int maxLocalFilesToKeep; + //subdirs in tmpDir, generated on the fly: + QString tmpLocalFileDir; + QString tmpActiveRetrievalDir; + + //Returns empty in case of problems: + QString attemptGenerationOfTmpSubdir(const QString& preferredname, QString& cachevar); + + class EventID { + public: + EventID(int r, unsigned long long e) : eventNumber(e), runNumber(r) {} + unsigned long long eventNumber; + int runNumber; + bool operator==(const EventID & o) const{ + return eventNumber==o.eventNumber && runNumber==o.runNumber; + } + bool operator<(const EventID & o) const + { + //This ordering is not "newer". It is solely to be able to use in a set. + return runNumber==o.runNumber ? eventNumber < o.eventNumber : runNumber < o.runNumber; + } + + EventID & operator= (const EventID & o ) + { + if (&o == this) return *this; + eventNumber = o.eventNumber; + runNumber = o.runNumber; + return *this; + } + }; + + static EventID evtToID(const VP1EventFile& evt) { + return EventID(evt.runNumber(),evt.eventNumber()); + } + + QList<EventID> historyOrdered; + std::set<EventID> historySorted; + QList<VP1EventFile> lastAllLocal; + QList<VP1EventFile> lastFresh; + + std::map<QString,std::pair<QDateTime,QList<VP1EventFile> > > dircache;//dirname -> (modtime,result) + + void cleanupTmpLocalFiles(); +}; + + +//____________________________________________________________________ +VP1AvailEvents::VP1AvailEvents(int timeCutForNew, QString td, int maxLocalFilesToKeep, QObject * parent) + : QObject(parent), m_d(new Imp) +{ + m_d->theclass = this; + m_d->timeCutForNew = timeCutForNew; + m_d->tmpDir = QString(td + (td.endsWith("/")?"":"/")).replace("//","/"); + m_d->maxLocalFilesToKeep = maxLocalFilesToKeep; +} + +//____________________________________________________________________ +VP1AvailEvents::~VP1AvailEvents() +{ + //Fixme: These two remove commands only has an effect when dir is empty!! + if (!m_d->tmpActiveRetrievalDir.isEmpty()&&m_d->tmpActiveRetrievalDir!="bad") + QFile::remove(m_d->tmpActiveRetrievalDir); + if (!m_d->tmpLocalFileDir.isEmpty()&&m_d->tmpLocalFileDir!="bad") + QFile::remove(m_d->tmpLocalFileDir); + delete m_d; +} + +//____________________________________________________________________ +int VP1AvailEvents::timeCutForNew() const +{ + return m_d->timeCutForNew; +} + +//____________________________________________________________________ +int VP1AvailEvents::maxLocalFilesToKeep() const +{ + return m_d->maxLocalFilesToKeep; +} + +//____________________________________________________________________ +QString VP1AvailEvents::tmpDir() const +{ + return m_d->tmpDir; +} + +//____________________________________________________________________ +QList<VP1EventFile> VP1AvailEvents::freshEvents(VP1EventFile newestEvt, const QList<VP1EventFile>& inputEventList) const +{ + QList<VP1EventFile> l; + if (!newestEvt.isValid()) + return l; + std::set<Imp::EventID>::const_iterator histIt, histItE(m_d->historySorted.end()); + if (m_d->timeCutForNew==0) { + if (m_d->historySorted.find(Imp::evtToID(newestEvt))==histItE) + l << newestEvt; + return l; + } + foreach(VP1EventFile evt, inputEventList) + if (m_d->historySorted.find(Imp::evtToID(evt))==histItE && isConsideredFresh(evt,newestEvt)) + l << evt; + return l; +} + + +//____________________________________________________________________ +QList<VP1EventFile> VP1AvailEvents::freshEvents() const +{ + return freshEvents(newestEvent(),allLocalEvents()); +} + +//____________________________________________________________________ +VP1EventFile VP1AvailEvents::newestEvent() const +{ + QList<VP1EventFile> evts(allLocalEvents()); + if (evts.isEmpty()) + return VP1EventFile();//invalid + return evts.front(); +} + +//____________________________________________________________________ +void VP1AvailEvents::setCurrentEvent(int run,int event) +{ + m_d->historyOrdered << Imp::EventID(run,event); + m_d->historySorted.insert(Imp::EventID(run,event)); +} + +//____________________________________________________________________ +void VP1AvailEvents::actualCleanup() +{ + //First we cleanup: + m_d->cleanupTmpLocalFiles(); + + //Then we schedule a check for event list changes: + QTimer::singleShot(10, this, SLOT(actualCheckForEventListChanges())); +} + +//____________________________________________________________________ +void VP1AvailEvents::actualCheckForEventListChanges() +{ + QList<VP1EventFile> allLocal = allLocalEvents(); + QList<VP1EventFile> fresh = freshEvents(); + if (m_d->lastAllLocal != allLocal) { + m_d->lastAllLocal = allLocal; + allLocalEventsChanged(); + } + if (m_d->lastFresh != fresh) { + m_d->lastFresh = fresh; + freshEventsChanged(); + } +} + +//____________________________________________________________________ +void VP1AvailEvents::cleanupAndCheckForEventListChanges() +{ + //We schedule the cleanup to take place shortly. The check for event + //list changes will be scheduled after the cleanup: + + //Then we schedule a check for event list changes: + QTimer::singleShot(10, this, SLOT(actualCleanup())); + +} + +//____________________________________________________________________ +bool VP1AvailEvents::inHistory(int run, int event) const +{ + return m_d->historySorted.find(Imp::EventID(run,event))!=m_d->historySorted.end(); +} + + +//____________________________________________________________________ +void VP1AvailEvents::invalidateDirCache(const QString& dir) +{ + std::map<QString,std::pair<QDateTime,QList<VP1EventFile> > >::iterator it = m_d->dircache.find(dir); + if (it!=m_d->dircache.end()) + m_d->dircache.erase(it); +} + +//____________________________________________________________________ +QList<VP1EventFile> VP1AvailEvents::allEventFilesInDir(const QString& dir) const +{ + if (dir.isEmpty()) + return QList<VP1EventFile>(); + + QFileInfo fi_dir(dir); + if (!fi_dir.exists()||!fi_dir.isDir()) + return QList<VP1EventFile>(); + + QDateTime modtime = fi_dir.lastModified(); + if (abs(modtime.time().msecsTo(QTime::currentTime()))>50) { + std::map<QString,std::pair<QDateTime,QList<VP1EventFile> > >::iterator it = m_d->dircache.find(dir); + if (it!=m_d->dircache.end()&&it->second.first==modtime) + return it->second.second; + } + + QStringList filters; + filters << "*_*.pool.root"; + //fixme + QDirIterator itDir(dir,filters,QDir::Files | QDir::NoDotAndDotDot | QDir::Readable | QDir::CaseSensitive); + + QList<VP1EventFile> l; + while (itDir.hasNext()) { + QString fn = itDir.next(); + fn.replace("//","/"); + VP1EventFile evt(fn); + if (evt.isValid()) + l << evt; + else + message("Could not decode event file name: "+fn); + } + + qSort(l); + + m_d->dircache[dir]=std::make_pair(modtime,l); + return l; +} + +//____________________________________________________________________ +QList<VP1EventFile> VP1AvailEvents::allLocalEvents() const +{ + return allEventFilesInDir(tmpLocalFileDir()); +} + + +//____________________________________________________________________ +QString VP1AvailEvents::Imp::attemptGenerationOfTmpSubdir(const QString& preferredname, QString& cachevar) +{ + if (!cachevar.isEmpty()) + return cachevar=="bad"?"":cachevar; + + QFileInfo fi(tmpDir); + if (!( fi.exists()&&fi.isDir())) { + theclass->message("Could not create subdir in "+tmpDir+", since it does not exists or is not a directory" ); + cachevar="bad"; + return ""; + } + int i(0); + while (true) { + ++i; + QString dir = tmpDir+(tmpDir.endsWith("/")?"":"/")+preferredname+(i==1?QString(""):QString::number(i))+"/"; + if (!QFile::exists(dir)) { + bool ok = QDir().mkdir(dir); + if (!ok) { + theclass->message("Could not create directory:: "+dir ); + cachevar="bad"; + return ""; + } + cachevar = dir; + return dir; + } + } +} + +//____________________________________________________________________ +QString VP1AvailEvents::tmpActiveRetrievalDir() +{ + return m_d->attemptGenerationOfTmpSubdir("activeretrievals",m_d->tmpActiveRetrievalDir); +} + +//____________________________________________________________________ +QString VP1AvailEvents::tmpLocalFileDir() const +{ + return m_d->attemptGenerationOfTmpSubdir("eventfiles",m_d->tmpLocalFileDir); +} + +//____________________________________________________________________ +void VP1AvailEvents::Imp::cleanupTmpLocalFiles() +{ + if (maxLocalFilesToKeep<=2) + return; + if (tmpLocalFileDir.isEmpty()) + return; + QString dir = theclass->tmpLocalFileDir(); + if (dir.isEmpty()) + return; + + QList<VP1EventFile> events = theclass->allLocalEvents(); + int ntoremove = events.count()-maxLocalFilesToKeep; + if (ntoremove<=3)//3 instead of 0 to keep down the times we call the machinery below. + return; + + //Rules of engagement: + //We never delete the current event. We never delete the previous + //event. We never delete the maxLocalFilesToKeep newest of the fresh + //events. + + QList<Imp::EventID> protectedEvents; + if (!historyOrdered.isEmpty()) { + protectedEvents << historyOrdered.back(); + if (historyOrdered.count()>1) + protectedEvents << historyOrdered.at(historyOrdered.count()-2); + } + QList<VP1EventFile> freshEvts = theclass->freshEvents(); + int ifreshkept(0); + foreach (VP1EventFile evt,theclass->freshEvents()) { + protectedEvents << Imp::evtToID(evt); + if (++ifreshkept==maxLocalFilesToKeep) + break; + } + + //Remove: + for (int i = events.count()-1; i>=0; --i ) { + if (protectedEvents.contains(Imp::evtToID(events.at(i)))) { + continue; + } + QFile::remove(events.at(i).fileName()); + if (--ntoremove<=0) + break; + } + theclass->invalidateDirCache(theclass->tmpLocalFileDir()); +} + +//____________________________________________________________________ +bool VP1AvailEvents::isConsideredFresh ( const VP1EventFile& evt, const VP1EventFile& newestEvt ) const +{ + //Notice: Logic here must be similar to logic in VP1EvtsOnServerInfo::events + + if (m_d->timeCutForNew==0) { + //Special case where only the newest event is fresh + return evt.rawTime()==newestEvt.rawTime() && evt.runNumber()==newestEvt.runNumber(); + } + if (requireNewestRunNumber()&&evt.runNumber()!=newestEvt.runNumber()) + return false; + const unsigned oldest_time = (m_d->timeCutForNew<0||unsigned(m_d->timeCutForNew)>newestEvt.rawTime()) ? 0 : newestEvt.rawTime() - m_d->timeCutForNew; + return evt.rawTime() >= oldest_time; +} + +//____________________________________________________________________ +void VP1AvailEvents::messageDebug(const QString& s) const +{ + std::cout<<VP1Msg::prefix_verbose()<<": "<<s.toStdString()<<std::endl; +} diff --git a/graphics/VTI12/VTI12Gui/src/VP1AvailEvtsHttp.cxx b/graphics/VTI12/VTI12Gui/src/VP1AvailEvtsHttp.cxx new file mode 100644 index 0000000000000000000000000000000000000000..312bd0fc9b80cae174a0234b4eb8994083fae414 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/VP1AvailEvtsHttp.cxx @@ -0,0 +1,250 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class VP1AvailEvtsHttp // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: May 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12Gui/VP1AvailEvtsHttp.h" +#include "VTI12Gui/VP1HttpGetFile.h" +#include "VTI12Gui/VP1EvtsOnServerInfo.h" +#include "VTI12Gui/VP1WebWatcher.h" +#include <QTimer> +#include <QFileInfo> +#include <QDir> +#include <QFile> +#include <QUrl> + +//____________________________________________________________________ +class VP1AvailEvtsHttp::Imp { +public: + VP1AvailEvtsHttp * theclass; + QString fileinfoUrl; + QString baseUrl; + VP1HttpGetFile httpgetfile_events; + VP1HttpGetFile httpgetfile_fileinfo; + VP1WebWatcher * webwatcher_fileinfo; + VP1EvtsOnServerInfo * evtsOnServer; + QTimer * examineEvtsOnServerTimer; + void restartExamineEvtsOnServerTimer() { + if (!examineEvtsOnServerTimer) { + examineEvtsOnServerTimer = new QTimer(theclass); + connect( examineEvtsOnServerTimer, SIGNAL(timeout()), theclass, SLOT(examineEvtsOnServer())); + } + examineEvtsOnServerTimer->start(3000); + } + void getFileInfoLater() { + QTimer::singleShot(10000, theclass, SLOT(fileInfoChanged())); + } + static unsigned ntmpdlcount; +}; + +unsigned VP1AvailEvtsHttp::Imp::ntmpdlcount = 0; + +//____________________________________________________________________ +VP1AvailEvtsHttp::VP1AvailEvtsHttp( QString fileinfoUrl, + int updateInterval, + int timeCutForNew, + QString tmpcopydir, + int maxLocalFilesToKeep, + QObject * parent ) + : VP1AvailEvents(timeCutForNew,tmpcopydir,maxLocalFilesToKeep,parent), m_d(new Imp) +{ + m_d->theclass = this; + m_d->examineEvtsOnServerTimer = 0; + m_d->fileinfoUrl = fileinfoUrl; + QUrl url(fileinfoUrl); + if (url.isValid()) { + QString path = url.path(); + QString infofilebasename = QFileInfo(path).fileName(); + if (!infofilebasename.isEmpty()&&path.endsWith(infofilebasename)) { + m_d->baseUrl=fileinfoUrl; + m_d->baseUrl.chop(infofilebasename.count()); + if (!QUrl(m_d->baseUrl).isValid()) + m_d->baseUrl=""; + else if (!m_d->baseUrl.endsWith("/")) + m_d->baseUrl += "/"; + } + } + + m_d->evtsOnServer = 0; + connect(&(m_d->httpgetfile_fileinfo),SIGNAL(downloadSuccessful(const QString&,const QString&,const QString&)), + this,SLOT(fileInfoDownloadSuccessful(const QString&,const QString&))); + connect(&(m_d->httpgetfile_fileinfo),SIGNAL(downloadFailed(const QString&,const QString&,const QString&,const QString&)), + this,SLOT(fileInfoDownloadFailed(const QString&,const QString&,const QString&))); + connect(&(m_d->httpgetfile_events),SIGNAL(downloadSuccessful(const QString&,const QString&,const QString&)), + this,SLOT(eventFileDownloadSuccessful(const QString&,const QString&,const QString&))); + connect(&(m_d->httpgetfile_events),SIGNAL(downloadFailed(const QString&,const QString&,const QString&,const QString&)), + this,SLOT(eventFileDownloadFailed(const QString&,const QString&,const QString&))); + + m_d->webwatcher_fileinfo = new VP1WebWatcher(updateInterval*1000,this); + connect(m_d->webwatcher_fileinfo,SIGNAL(urlChanged(const QString&)),this,SLOT(fileInfoChanged())); +} + +//____________________________________________________________________ +void VP1AvailEvtsHttp::init() +{ + m_d->webwatcher_fileinfo->addUrl(m_d->fileinfoUrl);//A signal will be triggered the first time the webwatcher knows anything about the url. + m_d->restartExamineEvtsOnServerTimer(); +} + +//____________________________________________________________________ +VP1AvailEvtsHttp::~VP1AvailEvtsHttp() +{ + delete m_d->evtsOnServer; + delete m_d; +} + +//____________________________________________________________________ +void VP1AvailEvtsHttp::fileInfoChanged() +{ + if (m_d->webwatcher_fileinfo->lastResult(m_d->fileinfoUrl)!=VP1WebWatcher::EXISTS) { + message("Problems investigating "+m_d->fileinfoUrl); + message(" ===> "+m_d->webwatcher_fileinfo->lastResultToString(m_d->fileinfoUrl)); + return; + } + QString ad = tmpActiveRetrievalDir(); + if (ad.isEmpty()) { + message("Error: No temporary retrieval directory set!"); + m_d->getFileInfoLater();//Avoid stalling forever (however this is an unlikely error). + return; + } + QString target = ad+"downloadedfileinfo.txt"; + if ( QFileInfo(target).exists() && !QFile(target).remove() ) { + message("ERROR: Could not remove old "+target); + m_d->getFileInfoLater();//Avoid stalling forever in case user fixes error (i.e. fixes permissions). + return; + } + QString err = m_d->httpgetfile_fileinfo.startDownload( m_d->fileinfoUrl,target); + if (!err.isEmpty()) { + message("Problems starting download to get file-info file: "+err); + m_d->getFileInfoLater();//Avoid stalling forever in case user fixes error (i.e. fixes net connection). + } +} + +//____________________________________________________________________ +void VP1AvailEvtsHttp::fileInfoDownloadSuccessful( const QString& urltofile, const QString& localtargetfile ) +{ + VP1EvtsOnServerInfo * newEvtsOnServerInfo = new VP1EvtsOnServerInfo(localtargetfile); + if (!newEvtsOnServerInfo->isValid()) { + message("Problems decoding info in file downloaded from "+urltofile); + message("Error: "+newEvtsOnServerInfo->error()); + delete newEvtsOnServerInfo; + QFile::remove(localtargetfile); + m_d->getFileInfoLater();//Avoid stalling forever in case this is temporary. + invalidateDirCache(tmpActiveRetrievalDir()); + return; + } + delete m_d->evtsOnServer; + m_d->evtsOnServer = newEvtsOnServerInfo; + + examineEvtsOnServer(); +} + +//____________________________________________________________________ +void VP1AvailEvtsHttp::examineEvtsOnServer() +{ + m_d->restartExamineEvtsOnServerTimer();//To ensure we don't get events too closely spaced here. + if (m_d->httpgetfile_events.numberOfPendingDownloads()>3) + return; + if (!m_d->evtsOnServer) + return; + + //Start download of one of the files from the server? + VP1EventFile evtToGet; + QString localfiledir = tmpLocalFileDir(); + if (localfiledir.isEmpty()) { + message("Problems with temporary local event file directory."); + return; + } + + foreach (VP1EventFile evt, m_d->evtsOnServer->events(timeCutForNew(), requireNewestRunNumber() )) { + //We are looking for an event which was never seen before and not available locally: + if (!evt.isValid()||inHistory(evt.runNumber(),evt.eventNumber())) + continue; + if ( !QFile::exists ( localfiledir+evt.fileName() ) ) { + evtToGet=evt; + break; + } + } + + if (!evtToGet.isValid()&&m_d->examineEvtsOnServerTimer) + m_d->examineEvtsOnServerTimer->stop();//No need to check back regularly until we get new information. + + if (evtToGet.isValid()) { + //Before we get it, let us check that we don't already have 3 + //fresh events locally which are newer than the one we are trying + //to download: + QList<VP1EventFile> freshLocalEvents = freshEvents(); + unsigned nNewer(0); + foreach(VP1EventFile evt,freshLocalEvents) { + if (evt < evtToGet) { + ++nNewer; + if (nNewer>=3) { + return; + } + } + } + QString ad = tmpActiveRetrievalDir(); + if (!ad.isEmpty()) { + QString url = m_d->baseUrl+evtToGet.fileName(); + QString target = ad+evtToGet.fileName()+"_"+QString::number(Imp::ntmpdlcount++); + //A quick check that we are not already downloading that file currently: + if (!m_d->httpgetfile_events.isDownloading(url)&&!m_d->httpgetfile_events.isDownloadingTo(target)) { + QString err = m_d->httpgetfile_events.startDownload( url,target,evtToGet.md5Sum(),localfiledir+evtToGet.fileName()); + if (!err.isEmpty()) { + message("Problems starting download of :" +url); + message(" => "+err); + } + } else { + //We are already downloading url - abort silently. + return; + } + } else { + message("Problems with temporary local download directory."); + } + } + invalidateDirCache(tmpActiveRetrievalDir());//Fixme: remove from here??? +} + + +//____________________________________________________________________ +void VP1AvailEvtsHttp::fileInfoDownloadFailed( const QString& error, const QString& urltofile,const QString& localtargetfile ) +{ + message("Problems downloading "+urltofile+": "+error); + QFile::remove(localtargetfile); + invalidateDirCache(tmpActiveRetrievalDir()); + m_d->getFileInfoLater();//Avoid stalling forever in case this is temporary. +} + +//____________________________________________________________________ +void VP1AvailEvtsHttp::eventFileDownloadSuccessful( const QString&, const QString& localtargetfile, const QString& data ) +{ + invalidateDirCache(tmpLocalFileDir()); + invalidateDirCache(tmpActiveRetrievalDir()); + + if (!QFile::rename(localtargetfile,data)) { + message("Error: Could not move "+localtargetfile+" to "+data); + QFile::remove(localtargetfile); + QFile::remove(data); + m_d->getFileInfoLater();//Avoid stalling forever in case this is temporary. + return; + } + cleanupAndCheckForEventListChanges(); +} + +//____________________________________________________________________ +void VP1AvailEvtsHttp::eventFileDownloadFailed( const QString& error, const QString& urltofile,const QString& localtargetfile ) +{ + message("Problems downloading "+urltofile+": "+error); + QFile::remove(localtargetfile); + m_d->getFileInfoLater();//Avoid stalling forever in case this is temporary. + invalidateDirCache(tmpActiveRetrievalDir()); +} diff --git a/graphics/VTI12/VTI12Gui/src/VP1AvailEvtsHttps.cxx b/graphics/VTI12/VTI12Gui/src/VP1AvailEvtsHttps.cxx new file mode 100644 index 0000000000000000000000000000000000000000..530e337945ebb2bd47d443689a2b80e80ee4dc03 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/VP1AvailEvtsHttps.cxx @@ -0,0 +1,397 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#include "VTI12Gui/VP1AvailEvtsHttps.h" +#include "VTI12Gui/VP1EvtsOnServerInfo.h" +#include "VTI12Gui/VP1EventFile.h" +#include "VTI12Gui/VP1MD5Sum.h" +#include "VP1Base/VP1Msg.h" + +#include <QNetworkAccessManager> +#include <QSslError> +#include <QNetworkCookie> +#include <QFile> +#include <QFileInfo> +#include <QUrl> +#include <QTimer> +#include <QBuffer> +#include <QStringMatcher> +#include <QDateTime> + +#include <iostream> +#include <QMetaType> + +/* + Stage values: + 0 - get head and check its last_modified header + 1 - get file info + 2 - get event file(s) + */ + +class VP1AvailEvtsHttps::Imp { + public: + Imp(VP1AvailEvtsHttps* + ,QString + ,int); + ~Imp(); + + void startTimer(int interval=0); + + // Connect signals of the QNetworkReply to slots of the VP1AvailEvtsHttps + void connectNetworkSignalsToSlots(); + + VP1AvailEvtsHttps* m_theclass; + QString m_fileInfoUrl; + QString m_baseUrl; + int m_updateInterval; + + QNetworkAccessManager* m_netmanager; + QNetworkReply* m_netreply; + QString m_evtToGet; + int m_stage; + QString m_urlLastMod; + QString m_expectedMD5Sum; + qint64 m_bytesReceived; + unsigned m_lastChangeTime; + + QTimer m_stallTimer; +}; + +VP1AvailEvtsHttps::Imp::Imp(VP1AvailEvtsHttps* theclass + ,QString fileInfoUrl + ,int updateInterval) + : m_theclass(theclass) + , m_fileInfoUrl(fileInfoUrl) + , m_baseUrl("") + , m_updateInterval(updateInterval) + , m_netmanager(0) + , m_netreply(0) + , m_evtToGet("") + , m_stage(0) + , m_urlLastMod("UNKNOWN") + , m_expectedMD5Sum("") + , m_bytesReceived(0) + , m_lastChangeTime(0) + , m_stallTimer(0) +{ + QUrl url(m_fileInfoUrl); + if (url.isValid()) { + QString path = url.path(); + QString infofilebasename = QFileInfo(path).fileName(); + if (!infofilebasename.isEmpty()&&path.endsWith(infofilebasename)) { + m_baseUrl=m_fileInfoUrl; + m_baseUrl.chop(infofilebasename.count()); + if (!QUrl(m_baseUrl).isValid()) + m_baseUrl=""; + else if (!m_baseUrl.endsWith("/")) + m_baseUrl += "/"; + } + } + + connect(&m_stallTimer,SIGNAL(timeout()), m_theclass, SLOT(checkForStall())); + m_stallTimer.start(10000); +} + +VP1AvailEvtsHttps::Imp::~Imp() +{ +} + +void VP1AvailEvtsHttps::Imp::startTimer(int interval) +{ + QTimer::singleShot((interval>0 ? m_updateInterval : 60) ,m_theclass,SLOT(generateHttpsRequest())); +} + +void VP1AvailEvtsHttps::Imp::connectNetworkSignalsToSlots() +{ + connect(m_netreply, SIGNAL(finished()), + m_theclass, SLOT(finished())); + connect(m_netreply, SIGNAL(error(QNetworkReply::NetworkError)), + m_theclass, SLOT(error(QNetworkReply::NetworkError))); + connect(m_netreply, SIGNAL(sslErrors(const QList<QSslError>&)), + m_theclass, SLOT(sslErrors(const QList<QSslError>&))); + connect(m_netreply, SIGNAL(downloadProgress(qint64,qint64)), + m_theclass, SLOT(dataReadProgress(qint64,qint64))); + m_bytesReceived = 0; +} + +VP1AvailEvtsHttps::VP1AvailEvtsHttps(QString fileinfoUrl, + int updateInterval, + int timeCutForNew, + QString tmpcopydir, + int maxLocalFilesToKeep, + QObject * parent) + : VP1AvailEvents(timeCutForNew,tmpcopydir,maxLocalFilesToKeep,parent) + , m_d(new Imp(this,fileinfoUrl,updateInterval)) +{ +} + +VP1AvailEvtsHttps::~VP1AvailEvtsHttps() +{ + delete m_d; +} + +void VP1AvailEvtsHttps::init() +{ + // Dummy for now +} + +void VP1AvailEvtsHttps::start(QNetworkAccessManager* netmanager) +{ + m_d->m_netmanager = netmanager; + m_d->startTimer(); +} + +QString VP1AvailEvtsHttps::fileinfoLocation() +{ + return m_d->m_fileInfoUrl; +} + +void VP1AvailEvtsHttps::generateHttpsRequest() +{ + QUrl fileInfoUrl(m_d->m_fileInfoUrl); + QNetworkRequest netrequest(fileInfoUrl); + if(m_d->m_stage==0) { + /** ---- For logging + std::cout << "VP1AvailEvtsHttps getHead stage -- " << m_d->m_stage << " --" << std::endl; + **/ + m_d->m_netreply = m_d->m_netmanager->head(netrequest); + } else if(m_d->m_stage==1) { + /** ---- For logging + std::cout << "VP1AvailEvtsHttps get stage -- " << m_d->m_stage << " --" << std::endl; + **/ + m_d->m_netreply = m_d->m_netmanager->get(netrequest); + } else { + // stage 2 + /** ---- For logging + std::cout << "VP1AvailEvtsHttps get stage -- " << m_d->m_stage << " --" << std::endl; + **/ + + QString activeRetrievalDir = tmpActiveRetrievalDir(); + QString target = activeRetrievalDir +"downloadedfileinfo.txt"; + VP1EvtsOnServerInfo newEvtsOnServerInfo(target); + + if (!newEvtsOnServerInfo.isValid()) { + message("Problems decoding info in file downloaded from " + m_d->m_fileInfoUrl); + QFile::remove(target); + invalidateDirCache(tmpActiveRetrievalDir()); + m_d->m_stage = 0; + m_d->startTimer(m_d->m_updateInterval); + return; + } + + VP1EventFile evtToGet; + QString localfiledir = tmpLocalFileDir(); + + foreach (VP1EventFile evt, newEvtsOnServerInfo.events(timeCutForNew(),requireNewestRunNumber())) { + //We are looking for an event which was never seen before and not available locally: + if (!evt.isValid()||inHistory(evt.runNumber(),evt.eventNumber())) + continue; + if (!QFile::exists(localfiledir+evt.fileName())){ + evtToGet=evt; + break; + } + } + + if(evtToGet.isValid()) { + //Before we get it, let us check that we don't already have 3 + //fresh events locally which are newer than the one we are trying + //to download: + QList<VP1EventFile> freshLocalEvents = freshEvents(); + unsigned nNewer(0); + foreach(VP1EventFile evt,freshLocalEvents) { + if (evt < evtToGet) { + ++nNewer; + if (nNewer>=3) { + m_d->m_stage = 0; + m_d->startTimer(m_d->m_updateInterval); + return; + } + } + } + + QUrl url(m_d->m_baseUrl + evtToGet.fileName()); + m_d->m_expectedMD5Sum = evtToGet.md5Sum(); + /** ---- For logging + std::cout << " Event : " << url.toString().toStdString() << std::endl; + **/ + QNetworkRequest netrequestEvt(url); + m_d->m_evtToGet = evtToGet.fileName(); + m_d->m_netreply = m_d->m_netmanager->get(netrequestEvt); + } else { + m_d->m_stage = 0; + m_d->startTimer(m_d->m_updateInterval); + return; + } + } + m_d->connectNetworkSignalsToSlots(); +} + +void VP1AvailEvtsHttps::finished() +{ + VP1Msg::messageDebug("VP1AvailEvtsHttps::finished()"); + int sc=-9999; + QVariant val = m_d->m_netreply->attribute(QNetworkRequest::HttpStatusCodeAttribute); + if(val.type()==QVariant::Int) + sc = val.value<int>(); + else if(val.type()==QVariant::Invalid) + message("No status code obtained while processing " + m_d->m_netreply->url().toString()); + else if(!val.canConvert<int>()) + message("Cannot convert status code to int while processing " + m_d->m_netreply->url().toString()); + else + sc = val.value<int>(); + + VP1Msg::messageDebug("sc: " + QString::number(sc)); + + QString lastModified; + QVariant lastModHeader = m_d->m_netreply->header(QNetworkRequest::LastModifiedHeader); + if(lastModHeader.type()!=QVariant::Invalid && + lastModHeader.canConvert<QDateTime>()) { + QDateTime lastModTime = lastModHeader.value<QDateTime>(); + lastModified = lastModTime.toString(); + } + + /** ---- For logging + std::cout << "VP1AvailEvtsHttps stage -- " << m_d->m_stage + << " -- finished with error=" << (int)m_d->m_netreply->error() + << ", sc=" << sc + << ", LM=" << lastModified.toStdString() << std::endl; + **/ + + if(m_d->m_netreply->error()==QNetworkReply::NoError) { + if(m_d->m_stage==0) { + if(!lastModified.isEmpty() && lastModified!=m_d->m_urlLastMod) { + // The file info has been modified, go to the stage 1 + m_d->m_urlLastMod = lastModified; + m_d->m_stage = 1; + } else { + // Reuse the already downloaded file info + m_d->m_stage = 2; + } + }else if(m_d->m_stage==1) { + // Write out fileinfo to local file for parsing + QString activeRetrievalDir = tmpActiveRetrievalDir(); + QString target = activeRetrievalDir +"downloadedfileinfo.txt"; + /** ---- For logging + std::cout << " Active Ret Dir: " << activeRetrievalDir.toStdString() << std::endl; + std::cout << " Target : " << target.toStdString() << std::endl; + **/ + + // Delete already existing fileinfo + if(QFileInfo(target).exists() && !QFile(target).remove()) { + message("ERROR: Could not remove the old fileinfo " + target); + m_d->m_stage = 0; + m_d->startTimer(m_d->m_updateInterval); + return; + } + + // Create new fileinfo + QFile localfileinfo(target); + if(!localfileinfo.open(QIODevice::WriteOnly)) { + message("ERROR: Unable to open " + target + " for writing"); + m_d->m_stage = 0; + m_d->startTimer(m_d->m_updateInterval); + return; + } + + // Wrute received fileinfo to local file + QByteArray ba = m_d->m_netreply->readAll(); + localfileinfo.write(ba); + localfileinfo.close(); + m_d->m_stage = 2; + }else if(m_d->m_stage==2) { + // Open target file for writing + QString target = tmpActiveRetrievalDir() + m_d->m_evtToGet; + QFile targetFile(target); + if(!targetFile.open(QIODevice::WriteOnly)) { + message("ERROR: Unable to open " + target + " for writing"); + m_d->m_stage = 0; + m_d->startTimer(m_d->m_updateInterval); + return; + } + + // Write to file + QByteArray ba = m_d->m_netreply->readAll(); + targetFile.write(ba); + targetFile.close(); + /** ---- For logging + std::cout << "\t\t" << target.toStdString() << " written and closed" << std::endl; + **/ + + // Checksum test + bool match = VP1MD5Sum::sumMatches(target,m_d->m_expectedMD5Sum); + if(!match) { + message("Checksum did not match"); + QFile::remove(target); + m_d->m_stage = 0; + m_d->startTimer(m_d->m_updateInterval); + return; + } + + QString finalTarget = tmpLocalFileDir()+m_d->m_evtToGet; + if(!QFile::rename(target,finalTarget)) { + message("ERROR: Could not move " + target + " to " + finalTarget); + QFile::remove(target); + QFile::remove(finalTarget); + } else { + cleanupAndCheckForEventListChanges(); + } + + m_d->m_stage = 0; + } + } + else + m_d->m_stage = 0; + + m_d->m_netreply->blockSignals(true); + m_d->m_netreply->deleteLater(); + m_d->m_netreply = 0; + + int interval = m_d->m_stage>0 ? 0 : m_d->m_updateInterval; + m_d->startTimer(interval); +} + +void VP1AvailEvtsHttps::error(QNetworkReply::NetworkError err) +{ + message("Error processing " + m_d->m_netreply->url().toString() + + "\n ===> Error code: " + QString::number((int)err) + + "\n Error decoding here: http://doc.trolltech.com/4.4/qnetworkreply.html#NetworkError-enum"); +} + +void VP1AvailEvtsHttps::sslErrors(const QList<QSslError>&) +{ + /** ---- For logging + std::cout << "VP1AvailEvtsHttps SSL errors" << std::endl; + for(int ii=0; ii<errlist.size(); ++ii) + std::cout << " SSL * " << (int)errlist.at(ii).error() + << ", " << errlist.at(ii).errorString().toStdString() << std::endl; + **/ + m_d->m_netreply->ignoreSslErrors(); +} + +void VP1AvailEvtsHttps::dataReadProgress(qint64 received, qint64) +{ + if(m_d->m_stage>0) { + if(received>m_d->m_bytesReceived) { + m_d->m_lastChangeTime = QDateTime::currentDateTime().toTime_t(); + m_d->m_bytesReceived = received; + } + } else { + m_d->m_lastChangeTime = QDateTime::currentDateTime().toTime_t(); + } +} + +void VP1AvailEvtsHttps::checkForStall() +{ + unsigned currentTime = QDateTime::currentDateTime().toTime_t(); + if (currentTime>m_d->m_lastChangeTime+10) { + // Abort current download and go to stage 0 + if(m_d->m_netreply) { + m_d->m_netreply->blockSignals(true); + delete m_d->m_netreply; + m_d->m_netreply=0; + m_d->m_stage = 0; + m_d->startTimer(m_d->m_updateInterval); + } + } +} diff --git a/graphics/VTI12/VTI12Gui/src/VP1AvailEvtsLocalDir.cxx b/graphics/VTI12/VTI12Gui/src/VP1AvailEvtsLocalDir.cxx new file mode 100644 index 0000000000000000000000000000000000000000..f2233b707c3a5818a68e61e82f81df1435937b14 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/VP1AvailEvtsLocalDir.cxx @@ -0,0 +1,81 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class VP1AvailEvtsLocalDir // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: May 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12Gui/VP1AvailEvtsLocalDir.h" +#include "VP1LocalEvtRetriever.h" + +#include <QStringList> + +//____________________________________________________________________ +class VP1AvailEvtsLocalDir::Imp { +public: + Imp(const QString& sd) : sourcedir(sd), retriever(0) {} + QString sourcedir; + static unsigned ntmpdlcount; + QStringList availablesourcedirs; + VP1LocalEvtRetriever* retriever; +}; + +unsigned VP1AvailEvtsLocalDir::Imp::ntmpdlcount = 0; + +//____________________________________________________________________ +VP1AvailEvtsLocalDir::VP1AvailEvtsLocalDir(int timeCutForNew, + QString sourcedir, + QString tmpcopydir, + int maxLocalFilesToKeep, + QObject * parent ) + : VP1AvailEvents(timeCutForNew,tmpcopydir,maxLocalFilesToKeep,parent), + m_d(new Imp(sourcedir+(sourcedir.endsWith("/")?"":"/"))) +{ +} + + +//____________________________________________________________________ +void VP1AvailEvtsLocalDir::init() +{ + m_d->retriever = new VP1LocalEvtRetriever(this,m_d->sourcedir); // Memleak + m_d->retriever->start(); +} + +//____________________________________________________________________ +VP1AvailEvtsLocalDir::~VP1AvailEvtsLocalDir() +{ + delete m_d; +} + +//____________________________________________________________________ +QString VP1AvailEvtsLocalDir::currentSourceDir() const +{ + return m_d->sourcedir; +} + +//____________________________________________________________________ +void VP1AvailEvtsLocalDir::setSourceDir(QString dir) +{ + m_d->retriever->setSourceDir(dir); + m_d->sourcedir = dir; +} + +//____________________________________________________________________ +void VP1AvailEvtsLocalDir::setAvailableSourceDirectories(QStringList l) +{ + m_d->availablesourcedirs = l; +} + + +//____________________________________________________________________ +QStringList VP1AvailEvtsLocalDir::availableSourceDirectories() const +{ + return m_d->availablesourcedirs; +} diff --git a/graphics/VTI12/VTI12Gui/src/VP1ChannelManager.cxx b/graphics/VTI12/VTI12Gui/src/VP1ChannelManager.cxx new file mode 100644 index 0000000000000000000000000000000000000000..d32212b72871a3701e97c9ff2946e4009b467aac --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/VP1ChannelManager.cxx @@ -0,0 +1,615 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +///////////////////////////////////////////////////////////// +// // +// Implementation of class VP1ChannelManager // +// // +// Author: Thomas Kittelmann <Thomas.Kittelmann@cern.ch> // +// // +// Initial version: April 2007 // +// // +///////////////////////////////////////////////////////////// + +/////////////////////////////////////// CHANNELS /////////////////////////////////////////////////////// +// +// NB: It is assumed that all channel methods are very fast to execute. Real work belongs in systems!! +// +// Constructor: Allocate systems, and call registerSystem on +// them. After the constructor the name(), information() and type() +// methods should work (and their returned values should not change +// throughout the channel lifetime. You may never delete a system yourself. +// +// Create: You can assume that all systems have had their create() +// method already called. Here you can perform any initialisation you +// need to, including allocating a controller if you need to and +// registering it with registerController. You may never delete a controller yourself. +// +// The next two methods, refresh and erase, will be called an +// undetermined amount of times by the framework (including zero), and +// always in the cycle: refresh-erase-refresh-erase-refresh-erase-...-refresh-erase +// +// Refresh: You can assume that all systems have just had their refresh +// methods called, and thus have just processed data from a new event. Any gui +// updates you need to perform (e.g. changing the zoom level of a viewer to +// encompass all the items put into it by the systems) you can do here. +// +// Erase: You can assume that all systems have just had their erase methods called. +// The goal here is to stop the channel from displaying any +// event data, since we are preparing to leave an event and load +// a new one. If we did not blank out the presented data here, +// we might end up in a situation where different channels +// displays data from different events at the same time! (For +// accumulators this is of course a little different). +// +// Uncreate: You can assume that all systems have had their uncreate() +// method already called. Here you can perform any release of resources you +// need to (remember to no delete systems or the controller!). +// Dont emit any signals during this method (or during the destructor). +// +// Destructor: There really should not be anything left to do here... +// +//////////////////////////////////////////////////////////////////////////////////////////////////////// + +#include "VTI12Gui/VP1ChannelManager.h" +#include "VTI12Gui/VP1ExecutionScheduler.h" +#include "VTI12Gui/VP1MainWindow.h" + +#include "VP1Base/IVP1ChannelWidgetFactory.h" +#include "VP1Base/IVP1ChannelWidget.h" + +#include <QPluginLoader> +#include <QFileInfo> +#include <QMap> +#include <QScrollArea> + +#include <map> +#include <set> +#include <cassert> + +//QT_NO_PLUGIN_CHECK + +class VP1ChannelManager::Imp { + +public: + + VP1ChannelManager*channelmanager; + VP1ExecutionScheduler*scheduler; + VP1MainWindow*mainwindow; + + //Actual created channels: + std::map<QString,std::set<IVP1ChannelWidget*> > basename_2_channels; + std::map<QString,IVP1ChannelWidget*> uniquename_2_channel; + + //plugin info: + std::map<QString,std::pair<QStringList,IVP1ChannelWidgetFactory *> > pluginfile_2_basenamesAndFactory; + std::map<QString,QString> basename_2_pluginfile; + std::map<QString,QPluginLoader*> pluginfile_2_pluginloader; + + QList<QObject*> additionalOwnedObjects;//For deletion in destructor + void emit_basename_availableChannelListChanged(); + void emit_basename_availableUnusedChannelListChanged(); + + std::map<IVP1ChannelWidget*,QWidget*> channel_2_controller; + QMap<QString,QString> basename2iconlocation; + + //These next four should always be used to properly new, create, + //uncreate and delete channels and their systems. The channel is + //responsible for new'ing systems in its constructor, but + //create/uncreate/delete of systems are handled by the + //channelmanager. Controllers are also deleted by the channelmanager. + IVP1ChannelWidget * constructChannel( QString channelbasename, QString& err, bool init = true ); + + QString channelTypeToIconLocation(const IVP1ChannelWidget::Type& type) const; +}; + +//___________________________________________________________________________________ +VP1ChannelManager::VP1ChannelManager(VP1ExecutionScheduler*sched,VP1MainWindow*mw) : m_d(new Imp) +{ + m_d->channelmanager=this; + m_d->scheduler=sched; + m_d->mainwindow=mw; +} + +//___________________________________________________________________________________ +VP1ChannelManager::~VP1ChannelManager() +{ + while(!m_d->uniquename_2_channel.empty()) + deleteChannel(m_d->uniquename_2_channel.begin()->first); + + std::map<QString,QPluginLoader*>::const_iterator it, itE = m_d->pluginfile_2_pluginloader.end(); + for(it=m_d->pluginfile_2_pluginloader.begin();it!=itE;++it) + delete it->second; + + foreach (QObject* o,m_d->additionalOwnedObjects) + delete o; + delete m_d; +} + +//___________________________________________________________________________________ +//Fixme: Return error string in case of problems. +bool VP1ChannelManager::deleteChannel(QString channeluniquename) { + + //Find info: + assert(m_d->uniquename_2_channel.find(channeluniquename)!=m_d->uniquename_2_channel.end()); + IVP1ChannelWidget * cw = m_d->uniquename_2_channel[channeluniquename]; + QString bn = cw->name(); + assert(m_d->basename_2_channels.find(bn)!=m_d->basename_2_channels.end()); + + //Remove channelwidget from maps, and delete it. + assert(m_d->basename_2_channels[bn].find(cw)!=m_d->basename_2_channels[bn].end()); + m_d->basename_2_channels[bn].erase(m_d->basename_2_channels[bn].find(cw)); + m_d->uniquename_2_channel.erase(m_d->uniquename_2_channel.find(channeluniquename)); + + m_d->scheduler->uncreateAndDelete(cw);//The actual uncreate()+delete might be postponed if a system is + //presently refreshing. But for all bookkeeping purposes it already + //happened! + + channelUncreated(cw); + + //Remove controller from maps - and ensure the widget gets deleted + //in any case (it is a scrollarea, not the controller known by the + //actual channelwidget): + assert(m_d->channel_2_controller.find(cw)!=m_d->channel_2_controller.end()); + m_d->channel_2_controller[cw]->deleteLater(); + m_d->channel_2_controller.erase(m_d->channel_2_controller.find(cw)); + assert(m_d->channel_2_controller.find(cw)==m_d->channel_2_controller.end()); + + //Finally, assign new cloneids to any remaining channels of the same basename: + //First wipe old info in uniquename_2_channel. + std::set<IVP1ChannelWidget*>::iterator it = m_d->basename_2_channels[bn].begin(); + std::set<IVP1ChannelWidget*>::iterator itE = m_d->basename_2_channels[bn].end(); + for (;it!=itE;++it) { + assert(m_d->uniquename_2_channel.find((*it)->unique_name())!=m_d->uniquename_2_channel.end()); + m_d->uniquename_2_channel.erase(m_d->uniquename_2_channel.find((*it)->unique_name())); + } + + it = m_d->basename_2_channels[bn].begin(); + unsigned id(0); + for (;it!=itE;++it) { + (*it)->setCloneID(id++); + (*it)->unique_name(); + assert(m_d->uniquename_2_channel.find((*it)->unique_name())==m_d->uniquename_2_channel.end()); + m_d->uniquename_2_channel[(*it)->unique_name()]=(*it); + } + + uniquename_channelListChanged(uniquenames()); + m_d->emit_basename_availableUnusedChannelListChanged(); + return true; +} + + +//___________________________________________________________________________________ +bool VP1ChannelManager::unloadPluginFile(QString filename) { + + VP1Msg::messageVerbose("VP1ChannelManager::unloadPluginFile()"); + + if (m_d->pluginfile_2_pluginloader.find(filename)==m_d->pluginfile_2_pluginloader.end()) + return false; + + assert(m_d->pluginfile_2_basenamesAndFactory.find(filename)!=m_d->pluginfile_2_basenamesAndFactory.end()); + assert(m_d->pluginfile_2_pluginloader.find(filename)!=m_d->pluginfile_2_pluginloader.end()); + + //Find basenames provided by this plugin, as well as factory and pluginloader: + QStringList bns = channelsInPluginFile(filename); + IVP1ChannelWidgetFactory * fact = m_d->pluginfile_2_basenamesAndFactory.find(filename)->second.second; + QPluginLoader* loader = m_d->pluginfile_2_pluginloader[filename]; + + //Abort if any active channels are affected by this plugin: + foreach (QString bn, bns) + if (nActive(bn)>0) + return false; + + //Delete factory: + delete fact; + + //Unload: + bool success = loader->unload(); + delete loader; + + //Update maps: + m_d->pluginfile_2_basenamesAndFactory.erase(m_d->pluginfile_2_basenamesAndFactory.find(filename)); + m_d->pluginfile_2_pluginloader.erase(m_d->pluginfile_2_pluginloader.find(filename)); + foreach (QString bn, bns) { + m_d->basename_2_channels.erase(m_d->basename_2_channels.find(bn)); + m_d->basename_2_pluginfile.erase(m_d->basename_2_pluginfile.find(bn)); + } + + //Emit signals regarding changes: + uniquename_channelListChanged(uniquenames()); + m_d->emit_basename_availableChannelListChanged(); + m_d->emit_basename_availableUnusedChannelListChanged(); + + //Return: + return success; +} + +//___________________________________________________________________________________ +QString VP1ChannelManager::loadPluginFile(QString filename) +{ + + VP1Msg::messageVerbose("VP1ChannelManager::loadPluginFile() - filename: " + filename); + + QString bn = QFileInfo(filename).fileName(); + + if (m_d->pluginfile_2_basenamesAndFactory.find(filename)!=m_d->pluginfile_2_basenamesAndFactory.end()) { + return "Error: Plugin already loaded."; + } else { + + + QFileInfo fi(filename); + if (!fi.exists()) + return "File does not exist"; + if (!fi.isReadable()) + return "File is not readable"; + + VP1Msg::messageVerbose("plugin path: " + fi.absoluteFilePath()); + VP1Msg::messageVerbose("app path: " + QCoreApplication::applicationDirPath()); + VP1Msg::messageVerbose("library path: " + QLibraryInfo::location(QLibraryInfo::PluginsPath)); + + QString pluginAbsPath = fi.absoluteFilePath(); + + QPluginLoader * loader = new QPluginLoader(pluginAbsPath);//Fixme: Ensure all loaders gets unloaded on shutdown (and thus deleted) + m_d->pluginfile_2_pluginloader[filename]=loader; + + bool loadOk = loader->load(); + + if (!loadOk) { + VP1Msg::message("ERROR! Failed to load plugin. Error message: "+loader->errorString()); + + VP1Msg::message("Trying to load the 'dbg' build..."); + + /* + * when running VP1 sometimes (especially from the devval release) the + * load of the plugin fails silently... + * After a long investigation, I found that the problem is in the mismatch + * between the compilation flag of the main Qt application + * and the flag of the plugin modules. + * For example the main application is compiled in 'dbg', while the plugins + * are compiled in 'opt' mode... + * We still understand why... + * In the meantime I implemented a workaround: the 'opt' flag is replaced + * by the 'dbg' flag when the plugin fails to load. + * + */ + // QString build = "x86_64-slc6-gcc47-opt"; + //QString buildB = "x86_64-slc6-gcc47-dbg"; + //pluginAbsPath.replace(build, buildB); + + pluginAbsPath.replace("opt", "dbg"); + + loader = new QPluginLoader(pluginAbsPath); + loadOk = loader->load(); + + if (loadOk) VP1Msg::message("Ok! 'dbg' build of the plugin successfully loaded!"); + else VP1Msg::message("ERROR!! Also the 'dbg' build failed to load!!"); + + } + + + QObject *plugin = loader->instance(); + + + if (!plugin) { + + bool error = loader->errorString().isNull(); + + + QString errStr = "ERROR!!"; + if (error) + errStr = QString("Did not find any compatible plugins in file"); + else + errStr = loader->errorString(); + + + return errStr; + } + + + IVP1ChannelWidgetFactory * fact = qobject_cast<IVP1ChannelWidgetFactory *>(plugin); + m_d->additionalOwnedObjects << plugin; + + + if (!fact) + return "Did not find any channel factory in plugin file"; + + + QStringList providedbasenames = fact->channelWidgetsProvided(); + + + if (providedbasenames.count()==0) + return "Found channel factory in plugin file, but no advertised channels!"; + + + m_d->pluginfile_2_basenamesAndFactory[filename] = std::pair<QStringList,IVP1ChannelWidgetFactory *>(providedbasenames,fact); + + + foreach (QString bn,providedbasenames) { + if (m_d->basename_2_pluginfile.find(bn)!=m_d->basename_2_pluginfile.end()) + return "Channels navp1 '"+bn+"' are already provided by plugin file " + +m_d->basename_2_pluginfile[bn]+" (ignoring other plugins in file '"+filename+"')"; + } + + + foreach (QString bn,providedbasenames) { + m_d->basename_2_pluginfile[bn] = filename; + m_d->basename_2_channels[bn] = std::set<IVP1ChannelWidget*>(); + } + + + m_d->emit_basename_availableChannelListChanged(); + m_d->emit_basename_availableUnusedChannelListChanged(); + + + //Fixme: check 20 chars. + } + + + m_d->mainwindow->addToMessageBox( "Successfully loaded "+bn, "color:#008b00" ); + QString out = "providing channels: "+channelsInPluginFile(filename).join(", "); + m_d->mainwindow->addToMessageBox( out, "color:#008b00" ); + + + return ""; +} + +//___________________________________________________________________________________ +QStringList VP1ChannelManager::channelsInPluginFile(QString filename) const { + if (m_d->pluginfile_2_basenamesAndFactory.find(filename)==m_d->pluginfile_2_basenamesAndFactory.end()) + return QStringList(); + return m_d->pluginfile_2_basenamesAndFactory[filename].first; +} + +//___________________________________________________________________________________ +IVP1ChannelWidget * VP1ChannelManager::Imp::constructChannel( QString channelbasename, QString& err, bool init ) { + if (basename_2_pluginfile.find(channelbasename)==basename_2_pluginfile.end()) { + err = "Did not find plugin providing channel named '"+channelbasename+"'"; + return 0; + } + QString plf = basename_2_pluginfile[channelbasename]; + //sanity: + assert(pluginfile_2_basenamesAndFactory.find(plf)!=pluginfile_2_basenamesAndFactory.end()&&"This should never happen!"); + assert(pluginfile_2_basenamesAndFactory[plf].first.contains(channelbasename)&&"This should never happen!"); + IVP1ChannelWidget * cw = pluginfile_2_basenamesAndFactory[plf].second->getChannelWidget(channelbasename); + if (!cw) { + err = "Plugin file '"+plf+"' did not provide channel navp1 '"+channelbasename+"' despite advertising this capability!"; + return 0; + } else { + err=""; + } + + if (channelbasename!=cw->name()) { + err = "Actual basename of channel widget constructed by factory is not the one requested: '"+cw->name() + +"' vs. '"+channelbasename+"'. This is most likely due to a mistake in the plugin!!"; + delete cw; + return 0; + } + + //Cache the icon associated with this channel for future use (and override if there is already a cache): + QString icontext = channelTypeToIconLocation(cw->type()); + basename2iconlocation[cw->name()]=icontext; + + if (init) + cw->init(); + + //Sanity: should not have controller registered: + assert(channel_2_controller.find(cw)==channel_2_controller.end()); + + return cw; +} + +//___________________________________________________________________________________ +IVP1ChannelWidget * VP1ChannelManager::getChannel( QString channelbasename, QString& err ) { + IVP1ChannelWidget * cw = m_d->constructChannel( channelbasename, err ); + if (!cw) + return 0; + cw->setUpdatesEnabled(false); + cw->setCloneID(nActive(channelbasename)); + assert(m_d->uniquename_2_channel.find(cw->unique_name())==m_d->uniquename_2_channel.end()); + m_d->uniquename_2_channel[cw->unique_name()]=cw; + m_d->basename_2_channels[channelbasename].insert(cw); + + assert(cw->state()==IVP1ChannelWidget::CONSTRUCTED); + m_d->scheduler->bringFromConstructedToReady(cw);//Fixme: should return bool + assert(cw->state()==IVP1ChannelWidget::READY); + + assert(m_d->channel_2_controller.find(cw)==m_d->channel_2_controller.end()); + QWidget * controller = cw->controllerWidget(); + QScrollArea * scrollarea = new QScrollArea; + // controller->setParent(scrollarea); + scrollarea->setObjectName("VP1ControllerScrollArea"); + scrollarea->setWidgetResizable(true); + scrollarea->setFrameShape(QFrame::NoFrame); + scrollarea->setFrameShadow(QFrame::Plain); + + + //scrollArea->setBackgroundRole(QPalette::Dark); + scrollarea->setWidget(controller); + m_d->channel_2_controller[cw] = scrollarea; + + uniquename_channelListChanged(uniquenames()); + m_d->emit_basename_availableUnusedChannelListChanged(); + newChannelCreated(cw); + cw->setUpdatesEnabled(true); + + return cw; +} + +//___________________________________________________________________________________ +QWidget* VP1ChannelManager::getController(IVP1ChannelWidget*cw) { + assert(m_d->channel_2_controller.find(cw)!=m_d->channel_2_controller.end()); + return m_d->channel_2_controller[cw]; +} + +//___________________________________________________________________________________ +unsigned VP1ChannelManager::nActive( QString channelbasename ) const { + if (m_d->basename_2_channels.find(channelbasename)==m_d->basename_2_channels.end()) + return 0; + return m_d->basename_2_channels[channelbasename].size(); +} + +//fixme: Always check uniqueness (and <20chars) of basenames! + +//___________________________________________________________________________________ +IVP1ChannelWidget* VP1ChannelManager::uniqueName2Channel(QString uniquename) const { + if (m_d->uniquename_2_channel.find(uniquename)==m_d->uniquename_2_channel.end()) + return 0; + return m_d->uniquename_2_channel[uniquename]; +} + +//___________________________________________________________________________________ +bool VP1ChannelManager::uniqueNameExists(QString uniquename) const { + return (m_d->uniquename_2_channel.find(uniquename)!=m_d->uniquename_2_channel.end()); +} + +//___________________________________________________________________________________ +bool VP1ChannelManager::baseNameExists(QString basename) const { + return (m_d->basename_2_pluginfile.find(basename)!=m_d->basename_2_pluginfile.end()); +} + +//___________________________________________________________________________________ +QStringList VP1ChannelManager::uniquenames() const { + QStringList l; + std::map<QString,IVP1ChannelWidget*>::iterator it = m_d->uniquename_2_channel.begin(); + std::map<QString,IVP1ChannelWidget*>::iterator itE = m_d->uniquename_2_channel.end(); + + for (;it!=itE;++it) + l << it->first; + + return l; +} + + +//___________________________________________________________________________________ +void VP1ChannelManager::Imp::emit_basename_availableChannelListChanged() { + QStringList l; + + std::map<QString,QString>::const_iterator it = basename_2_pluginfile.begin(); + std::map<QString,QString>::const_iterator itE = basename_2_pluginfile.end(); + for (;it!=itE;++it) { + l << it->first; + } + channelmanager->availableChannelListChanged(l); + +} + +//___________________________________________________________________________________ +QStringList VP1ChannelManager::availableChannelList() { + QStringList l; + std::map<QString,QString>::const_iterator it = m_d->basename_2_pluginfile.begin(); + std::map<QString,QString>::const_iterator itE = m_d->basename_2_pluginfile.end(); + for (;it!=itE;++it) { + l << it->first; + } + return l; +} + +//___________________________________________________________________________________ +void VP1ChannelManager::Imp::emit_basename_availableUnusedChannelListChanged() { + QStringList l; + + std::map<QString,QString>::const_iterator it = basename_2_pluginfile.begin(); + std::map<QString,QString>::const_iterator itE = basename_2_pluginfile.end(); + for (;it!=itE;++it) { + if (channelmanager->nActive(it->first)==0) + l << it->first; + } + + channelmanager->availableUnusedChannelListChanged(l); +} + +//___________________________________________________________________________________ +QStringList VP1ChannelManager::serializePluginInfo() const { + std::map<QString,std::pair<QStringList,IVP1ChannelWidgetFactory *> >::const_iterator + it, itE = m_d->pluginfile_2_basenamesAndFactory.end(); + + QStringList l; + for( it = m_d->pluginfile_2_basenamesAndFactory.begin(); it!=itE; ++it ) { + l<<QFileInfo(it->first).fileName(); + } + return l; +} + +//___________________________________________________________________________________ +QStringList VP1ChannelManager::currentPluginFiles() const { + std::map<QString,QPluginLoader*>::const_iterator it = m_d->pluginfile_2_pluginloader.begin(); + std::map<QString,QPluginLoader*>::const_iterator itE = m_d->pluginfile_2_pluginloader.end(); + QStringList l; + for(;it!=itE;++it) { + l<<it->first; + } + return l; +} + +//___________________________________________________________________________________ +QStringList VP1ChannelManager::basename2UniqueNames(QString basename) const { + + if (m_d->basename_2_channels.find(basename)==m_d->basename_2_channels.end()) + return QStringList(); + + std::set<IVP1ChannelWidget*>::const_iterator it = m_d->basename_2_channels[basename].begin(); + std::set<IVP1ChannelWidget*>::const_iterator itE = m_d->basename_2_channels[basename].end(); + + QStringList l; + for (;it!=itE;++it) { + l << (*it)->unique_name(); + } + return l; +} + +//___________________________________________________________________________________ +bool VP1ChannelManager::channelWithBasenameIsLoaded(QString basename) const { + if (m_d->basename_2_channels.find(basename)==m_d->basename_2_channels.end()) + return false; + return !m_d->basename_2_channels[basename].empty(); +} + + +//___________________________________________________________________________________ +QString VP1ChannelManager::Imp::channelTypeToIconLocation(const IVP1ChannelWidget::Type& type) const +{ + if (type==IVP1ChannelWidget::THREEDIMENSIONAL) return ":/vp1/icons/icons/3d_32x32.png"; + if (type==IVP1ChannelWidget::TWODIMENSIONAL) return ":/vp1/icons/icons/kivio_32x32.png";//Fixme: Better icon. + if (type==IVP1ChannelWidget::NUMBERS) return ":/vp1/icons/icons/kcalc_32x32.png"; + if (type==IVP1ChannelWidget::HISTOGRAM) return ":/vp1/icons/icons/kchart_32x32.png"; + if (type==IVP1ChannelWidget::UNKNOWN) return ":/vp1/icons/icons/help_32x32.png"; + return ""; +} + +//___________________________________________________________________________________ +bool VP1ChannelManager::hasRefreshingSystem(const QString& uniquename) const +{ + IVP1ChannelWidget*cw = uniqueName2Channel(uniquename); + return cw ? cw->hasRefreshingSystem() : false; +} + +//___________________________________________________________________________________ +QString VP1ChannelManager::getIconLocation(const QString& channelname, const bool& isbasename) +{ + if (!isbasename) { + IVP1ChannelWidget* cw = uniqueName2Channel(channelname); + if (!cw) + return ""; + return m_d->channelTypeToIconLocation(cw->type()); + } + + if (m_d->basename2iconlocation.contains(channelname)) + return m_d->basename2iconlocation[channelname]; + + //We have to briefly construct a channel in order to get its type. + //The following create and destruct maneouver is to get a proper + //cache of the icontext associated with the channel: + QString err; + IVP1ChannelWidget * cw = m_d->constructChannel( channelname, err, false /*don't init()*/ ); + if (!cw) + return ""; + cw->deleteControllers(); + delete cw; + assert(m_d->channel_2_controller.find(cw)==m_d->channel_2_controller.end()); + + //Try again; + if (m_d->basename2iconlocation.contains(channelname)) + return m_d->basename2iconlocation[channelname]; + return ""; +} diff --git a/graphics/VTI12/VTI12Gui/src/VP1DockWidget.cxx b/graphics/VTI12/VTI12Gui/src/VP1DockWidget.cxx new file mode 100644 index 0000000000000000000000000000000000000000..3905767acaad0627e412e4ed1cdf4d1fedb5dd84 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/VP1DockWidget.cxx @@ -0,0 +1,319 @@ +/* + Copyright (C) 2002-2018 CERN for the benefit of the ATLAS collaboration +*/ + +///////////////////////////////////////////////////////////// +// // +// Implementation of class VP1DockWidget // +// // +// Author: Thomas Kittelmann <Thomas.Kittelmann@cern.ch> // +// // +// Initial version: April 2007 // +// // +///////////////////////////////////////////////////////////// + +#include "VTI12Gui/VP1DockWidget.h" +#include "VTI12Gui/VP1TabManager.h" +#include "VP1Base/IVP1ChannelWidget.h" + +#include <QFrame> +#include <QEvent> +#include <QSet> +#include <QVBoxLayout> +#include <QContextMenuEvent> +#include <QMenu> + +#include <cassert> +#include <iostream> + +//____________________________________________________________________ +class VP1DockWidget::Imp { +public: + class FilterItem; + Imp(VP1DockWidget*_dw,IVP1ChannelWidget * cw,VP1TabManager * tabmanager); + FilterItem* filteritem; + VP1DockWidget * dw; + QFrame * frame; + QVBoxLayout * vboxLayout; + IVP1ChannelWidget * channelwidget; + int unselectedmargin; + QString selectedstylesheet; + bool selected; + QString title_refreshpart; + VP1TabManager* tabmanager; +}; + +//____________________________________________________________________ +class VP1DockWidget::Imp::FilterItem : public QObject { +public: + FilterItem(VP1DockWidget* dw) : QObject(dw),m_dw(dw) {} + VP1DockWidget* m_dw; + + void init() { + installEventFilterRecursively(m_dw); + m_activationevents.insert(QEvent::ContextMenu); + //m_activationevents.insert(QEvent::EnterEditFocus); --> Does not compile. + m_activationevents.insert(QEvent::FocusIn); + m_activationevents.insert(QEvent::KeyPress); + m_activationevents.insert(QEvent::MouseButtonDblClick); + m_activationevents.insert(QEvent::MouseButtonPress); + m_activationevents.insert(QEvent::TabletPress); + m_activationevents.insert(QEvent::Wheel); + } + +protected: + QSet<QEvent::Type> m_activationevents; + + bool eventFilter ( QObject * watched, QEvent * event ) { + + if (event->type()==QEvent::ChildAdded) { + //Maybe the user added a widget, so update the event filters (todo: test that it works): + foreach(QObject* c, watched->children()) { + installEventFilterRecursively(c,true); + installEventFilterRecursively(c); + } + return false; + } + + if ( !m_dw->m_d->selected && m_activationevents.contains(event->type()) ) { + m_dw->setSelected(); + m_dw->wasSelected(m_dw); + } + // if ( watched==m_dw && event->type() == QEvent::Enter ) + // m_dw->channelWidget()->setFocus(Qt::OtherFocusReason); + + return false; + } + + void installEventFilterRecursively(QObject * child, const bool& remove=false ) { + //NB: we install it on all QObjects in the tree rather than just + //the QWidgets, since we need to watch for ChildAdded events. + if (child==this) + return; + if (!child){ + std::cerr<<"installEventFilterRecursively: Child is NULL. Aborting."<<std::endl; + return; + } + if (remove) + child->removeEventFilter(this); + else + child->installEventFilter(this); + foreach(QObject* c, child->children()) + installEventFilterRecursively(c,remove); + } +}; + +//____________________________________________________________________ +VP1DockWidget::Imp::Imp(VP1DockWidget* the_dw,IVP1ChannelWidget * cw,VP1TabManager * the_tabmanager) + : filteritem(new FilterItem(the_dw)), dw(the_dw), frame(0), vboxLayout(0),channelwidget(cw), + unselectedmargin(0),selected(false),tabmanager(the_tabmanager) {} + +//____________________________________________________________________ +VP1DockWidget::~VP1DockWidget() +{ + delete m_d->filteritem; + delete m_d; m_d=0; +} + +//______________________________________________________________________ +QString VP1DockWidget::highlightStyle() +{ + return "background-color: rgba(0, 0, 255, 12%)"; +} + +//______________________________________________________________________ +VP1DockWidget::VP1DockWidget ( IVP1ChannelWidget * cw, VP1TabManager* tm ) + : QDockWidget ( cw->unique_name(), 0 ), m_d(new Imp(this,cw,tm)) +{ + + setObjectName("VP1DockWidget:"+cw->name());//For storing/saving the layout of the dock widgets within the dock area. + + setFocusProxy(cw); + + setAllowedAreas(Qt::TopDockWidgetArea); + setFeatures(VP1DockWidget::DockWidgetMovable | VP1DockWidget::DockWidgetFloatable); + + m_d->selectedstylesheet="QFrame#VP1DockWidgetFrame { "+highlightStyle()+" } "; + + //Add frame, which will light up on selection: + m_d->frame = new QFrame(this); + m_d->frame->setObjectName("VP1DockWidgetFrame"); + cw->setObjectName("IVP1ChannelWidget:"+cw->name()); + ensureCWHasParent();//setup the cw in the frame + + //Figure out what margin our drawn frame imposes: + setSelected(); + int marg_left, marg_top, marg_right, marg_bottom; + m_d->frame->getContentsMargins ( &marg_left, &marg_top, &marg_right, &marg_bottom ); + Q_ASSERT(marg_left==marg_top&&marg_left==marg_right&&marg_left==marg_bottom&&"Qt changed its margin behaviour for QFrame!!"); + m_d->unselectedmargin=marg_left; + + //Channel starts unselected: + setUnselected(); + + connect(cw,SIGNAL(uniqueNameChanged(QString)),this,SLOT(updateTitle())); + connect(cw,SIGNAL(systemRefreshInfoChanged(QString,int,int)),this,SLOT(systemRefreshInfoChanged(QString,int,int))); + + //Setup a watch for selections: + m_d->filteritem->init(); + +} + +//______________________________________________________________________ +void VP1DockWidget::ensureCWHasNoParent() +{ + if (!channelWidget()||!channelWidget()->parent()) + return; + channelWidget()->setParent(0); + setWidget(0); + if (m_d->frame->layout()&&m_d->frame->layout()->indexOf(m_d->channelwidget)>=0) { + assert(m_d->vboxLayout); + m_d->vboxLayout->removeWidget(m_d->channelwidget); + } +} + +//______________________________________________________________________ +void VP1DockWidget::ensureCWHasParent() +{ + if (!channelWidget()||channelWidget()->parent()) + return; + if (!m_d->frame->layout()) { + assert(!m_d->vboxLayout); + m_d->vboxLayout = new QVBoxLayout(0); + m_d->frame->setLayout(m_d->vboxLayout); + m_d->vboxLayout->setObjectName("vp1dock-frame-layout"); + m_d->vboxLayout->setSpacing(0); + } + if (m_d->frame->layout()->indexOf(m_d->channelwidget)<0) + m_d->frame->layout()->addWidget(m_d->channelwidget); + channelWidget()->setParent(m_d->frame); + setWidget(m_d->frame); +} + +//______________________________________________________________________ +void VP1DockWidget::systemRefreshInfoChanged(QString sysrefreshing, int nsysOn, int nsysOnRefreshed) +{ + assert(nsysOnRefreshed<=nsysOn); + if (nsysOn==nsysOnRefreshed) { + // assert(sysrefreshing.isEmpty()); + m_d->title_refreshpart.clear(); + updateTitle(); + return; + } + assert(nsysOnRefreshed<nsysOn); + if (sysrefreshing.isEmpty()) { + m_d->title_refreshpart = " [Refreshed "+QString::number(nsysOnRefreshed)+"/"+QString::number(nsysOn)+"]"; + } else { + m_d->title_refreshpart = " [Refreshing "+QString::number(nsysOnRefreshed+1)+"/"+QString::number(nsysOn)+": "+sysrefreshing+" ]"; + } + updateTitle(); +} + +//______________________________________________________________________ +void VP1DockWidget::updateTitle() +{ + if (m_d->selected) + setWindowTitle(">>> "+m_d->channelwidget->unique_name()+m_d->title_refreshpart+" <<<"); + else + setWindowTitle(m_d->channelwidget->unique_name()+m_d->title_refreshpart); +} + +//______________________________________________________________________ +void VP1DockWidget::setSelected() +{ + if (m_d->selected) + return; + m_d->selected=true; + m_d->frame->setStyleSheet(m_d->selectedstylesheet); + assert(m_d->vboxLayout); + m_d->vboxLayout->setMargin(0); + m_d->frame->setFrameShape(QFrame::StyledPanel); + updateTitle(); +} + +//______________________________________________________________________ +void VP1DockWidget::setUnselected() +{ + if (!m_d->selected) + return; + m_d->selected=false; + m_d->frame->setStyleSheet(""); + assert(m_d->vboxLayout); + m_d->vboxLayout->setMargin(m_d->unselectedmargin); + m_d->frame->setFrameShape(QFrame::NoFrame); + updateTitle(); +} + +//______________________________________________________________________ +IVP1ChannelWidget * VP1DockWidget::channelWidget() const +{ + return m_d->channelwidget; +} + +//______________________________________________________________________ +bool VP1DockWidget::isSelected() const +{ + return m_d->selected; +} + +//______________________________________________________________________ +void VP1DockWidget::contextMenuEvent ( QContextMenuEvent * event ) +{ + //Inside the frame, we use the normal behaviour: + if (m_d->frame->geometry().contains(event->pos())) { + QDockWidget::contextMenuEvent ( event ); + return; + } + //Outside we show our contextmenu: + + //Construct menu: + QMenu menu(this); +// menu.addAction("Channel: "+m_d->channelwidget->unique_name())->setEnabled(false); +// menu.addSeparator(); + + QAction* pFullScreenAction = menu.addAction("Show &full Screen"); + menu.addSeparator(); + QAction* pRemoveAction = menu.addAction("&Remove channel"); + menu.addSeparator (); + QAction* pMoveChannelAction = menu.addAction("&Move to tab"); + + QStringList tablist = m_d->tabmanager->tabList(); + QMenu menu_movechan(this); + if (tablist.count()==1) { + menu_movechan.addAction("No other tabs available")->setEnabled(false); + } else { + QString thistab = m_d->tabmanager->channelToTab(m_d->channelwidget); + foreach (QString tab, tablist) { + if (tab!=thistab) + menu_movechan.addAction(tab)->setData("MOVECHAN"); + } + } + pMoveChannelAction->setMenu(&menu_movechan); + + //Execute + QAction * selAct = menu.exec(event->globalPos()); + //Act on selection: + if (!selAct) + return; + if (selAct==pFullScreenAction) { + m_d->tabmanager->showChannelFullScreen(m_d->channelwidget); + return; + } + if (selAct==pRemoveAction) { + m_d->tabmanager->removeChannelAfterQueueEmpties(m_d->channelwidget->unique_name()); + return; + } + if (selAct->data()=="MOVECHAN") { + m_d->tabmanager->moveChannelToTab(m_d->channelwidget->unique_name(),selAct->text()); + return; + } + std::cout<<"ERROR in VP1DockWidget::contextMenuEvent!!!!!"<<std::endl; + +} + +//______________________________________________________________________ +void VP1DockWidget::resizeEvent ( QResizeEvent * event ) +{ + m_d->channelwidget->dockResized(); + QDockWidget::resizeEvent(event); +} diff --git a/graphics/VTI12/VTI12Gui/src/VP1EventDisplayEditor.cxx b/graphics/VTI12/VTI12Gui/src/VP1EventDisplayEditor.cxx new file mode 100644 index 0000000000000000000000000000000000000000..388d087b9a83d344aecc856dee9882ca8a19f760 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/VP1EventDisplayEditor.cxx @@ -0,0 +1,730 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class VP1EventDisplayEditor // +// // +// Description: Event display editor. // +// // +// Author: Riccardo-Maria BIANCHI (rbianchi@cern.ch) // +// Initial version: September 2013 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12Gui/VP1EventDisplayEditor.h" +#include "ui_vp1eventdisplayeditor.h" + +#include "VP1Base/VP1ExaminerViewer.h" +#include "VP1Base/VP1QtInventorUtils.h" +#include "VP1Base/VP1Serialise.h" +#include "VP1Base/VP1Deserialise.h" +#include "VTI12Gui/VP1MainWindow.h" + +#include <QRectF> +#include <QShortcut> +#include <QCloseEvent> +#include <QFileDialog> + +#include <iostream> + + +//____________________________________________________________________ +class VP1EventDisplayEditor::Imp { + +public: + + VP1EventDisplayEditor * theclass; + Ui::VP1EventDisplayEditorForm ui; + + // VP1ExaminerViewer* viewer; + + // QGraphicsScene* scene; + + // QWidget * frameHolderWidget; + +}; + + +////____________________________________________________________________ +//QByteArray VP1EventDisplayEditor::state() const +//{ +// VP1Serialise s(0/*version*/); +// QList<QByteArray> frameStates; +// foreach(VP1CustomTourFrameWidget*frame,d->frames) { +// frameStates << frame->serialise(); +// s.ignoreWidget(frame); +// } +// s.save(frameStates); +// s.save(d->ui.doubleSpinBox_theta); +// s.save(d->ui.doubleSpinBox_radius); +// s.save(d->ui.groupBox_utilityZoom); +// s.warnUnsaved(this); +// return s.result(); +//} + +////____________________________________________________________________ +//void VP1EventDisplayEditor::setState(QByteArray ba) +//{ +// foreach(VP1CustomTourFrameWidget*frame,d->frames) +// frame->deleteLater(); +// d->frames.clear(); +// +// VP1Deserialise s(ba); +// if (s.version()!=0) +// return; +// QList<QByteArray> frameStates = s.restore<QList<QByteArray> >(); +// s.restore(d->ui.doubleSpinBox_theta); +// s.restore(d->ui.doubleSpinBox_radius); +// s.restore(d->ui.groupBox_utilityZoom); +// s.warnUnrestored(this); +// +// d->ui.widget_utilityZoomContents->setVisible(d->ui.groupBox_utilityZoom->isChecked()); +// +// foreach(QByteArray ba2, frameStates) +// d->addFrame(new VP1CustomTourFrameWidget(ba2)); +// d->updateFrameListVisuals(); +// enabledFrameListChanged(); +//} + + +/* + * My first, old version + */ +////____________________________________________________________________ +////VP1EventDisplayEditor::VP1EventDisplayEditor(VP1ExaminerViewer* viewer) +//VP1EventDisplayEditor::VP1EventDisplayEditor() +//: QWidget(0,Qt::WindowStaysOnTopHint), d(new Imp) +//{ +// d->theclass = this; +// d->ui.setupUi(this); +// +// scene = new QGraphicsScene(); // the size of the scene is by default infinite. But we will limit the view, here below +// scene->setSceneRect(QRectF(0.0, 0.0, 4000., 2641.)); +// +// scene_preview = new QGraphicsScene(); +// +// +// d->ui.graphicsView->setScene(scene); +// d->ui.graphicsView->setSceneRect(0, 0, 4000, 2641); // the size of a final ATLAS event display +// d->ui.graphicsView->setMaximumSize(1000, 660); // the size of the view window on the screen +// +// d->ui.graphicsView_preview->setScene(scene_preview); +// d->ui.graphicsView_preview->setSceneRect(0, 0, 333, 220); // the size of the preview scene +// d->ui.graphicsView_preview->setMaximumSize(333, 220); // the size of the preview window +// +// // set the default bkg color: black +// setBackgroundColor(); +// +// setWindowIcon(QIcon(QString(":/vp1/icons/icons/3d_32x32.png"))); +// +// connect(d->ui.pushButton_addText,SIGNAL(clicked()), this,SLOT(addTextLabel())); +// connect(d->ui.pushButton_removeObj,SIGNAL(clicked()), this,SLOT(removeObject())); +// connect(d->ui.pushButton_addLogo,SIGNAL(clicked()), this,SLOT(addLogo())); +// +// connect(d->ui.radioButton_black,SIGNAL(clicked()), this,SLOT(setBackgroundColor())); +// connect(d->ui.radioButton_white,SIGNAL(clicked()), this,SLOT(setBackgroundColor())); +// connect(d->ui.radioButton_transparent,SIGNAL(clicked()), this,SLOT(setBackgroundColor())); +// +// connect(scene,SIGNAL(changed(const QList<QRectF>&)), this,SLOT(updatePreview(const QList<QRectF>&))); +// +//} + + +/* + * new version + */ +//____________________________________________________________________ +VP1EventDisplayEditor::VP1EventDisplayEditor(VP1MainWindow* mainWindow, QList<unsigned long long> listRunEventNumberTimestamp) +//: QWidget(0,Qt::WindowStaysOnTopHint), d(new Imp) +: QWidget(0), m_d(new Imp) +{ + m_mainWindow = mainWindow; + + m_runNumber = listRunEventNumberTimestamp[0]; + m_eventNumber = listRunEventNumberTimestamp[1]; + m_eventTimestamp = listRunEventNumberTimestamp[2]; + + + m_d->theclass = this; + m_d->ui.setupUi(this); + + /* initialize the scene + * + * this is the scene that will be rendered and saved to the file. + * By default the scene dimension is 4000x2641 pixels. + * + */ + m_scene = new QGraphicsScene(); + m_scene->setSceneRect(QRectF(0.0, 0.0, 4000., 2641.)); + + + VP1EventDisplaySceneView *view = new VP1EventDisplaySceneView("Full-size view"); + view->view()->setScene(m_scene); + + m_preview = new VP1EventDisplaySceneView("Preview", true); + m_preview->view()->setScene(m_scene); + + // the right splitter, containing the list of objects in the scene and the preview + QSplitter *previewSplitter = new QSplitter; + previewSplitter->setOrientation(Qt::Vertical); + + // the center splitter, containing the main view and the preview splitter + QSplitter *viewSplitter = new QSplitter; + viewSplitter->setOrientation(Qt::Horizontal); + + // the center splitter, containing the main view and the preview splitter + QSplitter *toolsSplitter = new QSplitter; + toolsSplitter->setOrientation(Qt::Vertical); + + // the main splitter, containing all views + QSplitter *mainSplitter = new QSplitter; + mainSplitter->setOrientation(Qt::Horizontal); + + + previewSplitter->addWidget(m_d->ui.groupBox_objectList); + previewSplitter->addWidget(m_preview); + previewSplitter->addWidget(m_d->ui.groupBox_actions); + + + QWidget *containerPreview = new QWidget; + QVBoxLayout *containerPreview_layout = new QVBoxLayout; + + containerPreview_layout->addWidget(previewSplitter); + containerPreview->setLayout(containerPreview_layout); + + viewSplitter->addWidget(view); + viewSplitter->addWidget(containerPreview); + + QWidget *containerAllViews = new QWidget; + QHBoxLayout *containerAllViews_layout = new QHBoxLayout; + containerAllViews_layout->addWidget(viewSplitter); + containerAllViews->setLayout(containerAllViews_layout); + + + toolsSplitter->addWidget(m_d->ui.groupBox_getTab); + toolsSplitter->addWidget(m_d->ui.groupBox_bkg); + toolsSplitter->addWidget(m_d->ui.groupBox_logo); + toolsSplitter->addWidget(m_d->ui.groupBox_labels); + + QWidget *containerTools = new QWidget; + QVBoxLayout *containerTools_layout = new QVBoxLayout; + containerTools_layout->addWidget(toolsSplitter); + containerTools_layout->addStretch(1); + containerTools->setLayout(containerTools_layout); + + + // mainSplitter->addWidget(containerTools); + mainSplitter->addWidget(containerAllViews); + + QGridLayout* grid = static_cast<QGridLayout*>(this->layout()); + grid->addWidget(containerTools); + grid->addWidget(mainSplitter); + + + + /* + * setting the size of the preview window + */ + //m_preview->view()->setFixedSize(450,302); + /* + * this triggers a better fitInView() but not enough for our purpose. + * See: http://stackoverflow.com/a/17085612 + */ + //m_preview->show(); + + /* + * setting the size of the viewport + * + * Details: + * The QGraphicsView is not the widget that actually contains the scene, + * because the QGraphicsView also manages the scrollbars. + * The scene is drawn in the viewport widget, + * which is a little smaller than the QGraphicsView. + * (http://qt-project.org/forums/viewthread/17504) + * + * Update: useful, but it's useless here, because we want to use fitInView() + * from the view, and that does not match with the viewport size. + */ + // m_preview->view()->viewport()->setFixedSize(400,265); + + + QSize size = m_preview->view()->maximumViewportSize(); + VP1Msg::message("scene rect: " + QString::number(m_scene->sceneRect().width()) + " - " + QString::number(m_scene->sceneRect().height()) ); + VP1Msg::message("max preview size: " + QString::number(size.width()) + " - " + QString::number(size.height()) ); + + m_preview->view()->ensureVisible ( m_scene->sceneRect(), 0, 0 ); + m_preview->view()->fitInView( m_scene->sceneRect(), Qt::KeepAspectRatio); + + // add a frame to preview to define the the rendering area + m_preview->addRenderingFrame(); + + // set the default m_scene bkg color: black + this->setBackgroundColor(); // the "black" checkbox is checked by default in the GUI + + setWindowIcon(QIcon(QString(":/vp1/icons/icons/3d_32x32.png"))); + + connect(m_d->ui.pushButton_get,SIGNAL(clicked()), this,SLOT(getTabSnapshot())); + +// connect(m_d->ui.pushButton_eventDetailsLabel,SIGNAL(clicked()), this,SLOT(getEventDetailsLabel())); + + + connect(m_d->ui.radioButton_eventDetails,SIGNAL(toggled(bool)), this,SLOT(enableCustomTextField(bool))); + // connect(m_d->ui.radioButton_customText,SIGNAL(toggled()), this,SLOT(showCustomTextField())); + + connect(m_d->ui.pushButton_addText,SIGNAL(clicked()), this,SLOT(setTextLabel())); + connect(m_d->ui.pushButton_removeObj,SIGNAL(clicked()), this,SLOT(removeObject())); + connect(m_d->ui.pushButton_addLogo,SIGNAL(clicked()), this,SLOT(addLogo())); + + connect(m_d->ui.pushButton_save,SIGNAL(clicked()), this,SLOT(savePicture())); + connect(m_d->ui.pushButton_print,SIGNAL(clicked()), this,SLOT(printPicture())); + + + connect(m_d->ui.radioButton_black,SIGNAL(clicked()), this,SLOT(setBackgroundColor())); + connect(m_d->ui.radioButton_white,SIGNAL(clicked()), this,SLOT(setBackgroundColor())); + connect(m_d->ui.radioButton_transparent,SIGNAL(clicked()), this,SLOT(setBackgroundColor())); + + this->setWindowTitle(tr("ATLAS VP1 Event Display Editor")); + + this->getEventDetailsLabel(); + + +} + +/* + * Qt example + */ +//VP1EventDisplayEditor::VP1EventDisplayEditor() +////: QWidget(0,Qt::WindowStaysOnTopHint), m_d(new Imp) +//: QWidget(0), m_d(new Imp) +//{ +// m_d->theclass = this; +// m_d->ui.setupUi(this); +// +// m_scene = new QGraphicsScene(); +// +// h1Splitter = new QSplitter; +// h2Splitter = new QSplitter; +// +// QSplitter *vSplitter = new QSplitter; +// vSplitter->setOrientation(Qt::Vertical); +// vSplitter->addWidget(h1Splitter); +// vSplitter->addWidget(h2Splitter); +// +// VP1EventDisplaySceneView *view = new VP1EventDisplaySceneView("Top left view"); +// view->view()->setScene(m_scene); +// h1Splitter->addWidget(view); +// +// view = new VP1EventDisplaySceneView("Top right view"); +// view->view()->setScene(m_scene); +// h1Splitter->addWidget(view); +// +// view = new VP1EventDisplaySceneView("Bottom left view"); +// view->view()->setScene(m_scene); +// h2Splitter->addWidget(view); +// +// view = new VP1EventDisplaySceneView("Bottom right view"); +// view->view()->setScene(m_scene); +// h2Splitter->addWidget(view); +// +// QLayout *layout = this->layout(); +// layout->addWidget(vSplitter); +//// setLayout(layout); +// +// setWindowTitle(tr("Chip Demo")); +// +// +//} + + + +//____________________________________________________________________ +VP1EventDisplayEditor::~VP1EventDisplayEditor() +{ + // m_d->frameHolderWidget->deleteLater(); + // foreach(VP1CustomTourFrameWidget*frame,m_d->frames) + // frame->deleteLater(); + delete m_d; + delete m_scene; + // delete scene_preview; +} + + +//____________________________________________________________________ +void VP1EventDisplayEditor::enableCustomTextField(bool checked) +{ +// if (m_d->ui.radioButton_eventDetails->isChecked()) + if (checked) + m_d->ui.lineEdit_customLabelText->setEnabled(false); + else + m_d->ui.lineEdit_customLabelText->setEnabled(true); +} + + +//____________________________________________________________________ +QString VP1EventDisplayEditor::getEventDetailsLabel() +{ + + QString evtstr = "Run: "+QString::number(m_runNumber)+"\n" + + "Event: "+QString::number(m_eventNumber)+"\n" + + QString(m_eventTimestamp>0 ? QDateTime::fromTime_t(m_eventTimestamp).toString(Qt::ISODate).replace('T',' ')+ " CEST" : ""); + + //VP1Msg::messageVerbose(evtstr); + + return evtstr; +} + + +//____________________________________________________________________ +void VP1EventDisplayEditor::printPicture() +{ + m_preview->print(); +} + + +//____________________________________________________________________ +void VP1EventDisplayEditor::savePicture() +{ + VP1Msg::messageVerbose("VP1EventDisplayEditor::savePicture()"); + + // hide the rendering frame, cause we do not want it in the final picture + m_preview->hideRenderingFrame(); + + QString fileName = QFileDialog::getSaveFileName(this, tr("Save File"), + "event_display.png", + tr("Images (*.png *.jpg)")); + + QImage image(m_scene->sceneRect().size().toSize(), QImage::Format_ARGB32); + image.fill(Qt::transparent); + + QPainter painter(&image); + painter.setRenderHint(QPainter::Antialiasing); + + m_scene->render(&painter); + + image.save(fileName); + + // show the rendering frame again + m_preview->showRenderingFrame(); + +} + + + + + + +//____________________________________________________________________ +void VP1EventDisplayEditor::addPixmapList(QList<QPixmap>& list, QStringList& listNames) +{ + VP1Msg::messageVerbose("VP1EventDisplayEditor::addPixmapList()"); + + if (!list.isEmpty()) { + foreach (QPixmap img, list) { + // add and set it movableimage to the scene + QGraphicsPixmapItem* item = m_scene->addPixmap(img); + item->setFlags(QGraphicsItem::ItemIsMovable); + m_sceneItems << item; + } + } + + if (!listNames.isEmpty()) { + foreach (QString name, listNames) { + // add image name to the list + new QListWidgetItem(name, m_d->ui.listWidget); + } + } +} + + +//____________________________________________________________________ +void VP1EventDisplayEditor::removeObject() +{ + QListWidgetItem * currentItem = m_d->ui.listWidget->currentItem(); + QString text = currentItem->text(); + int currentPos = m_d->ui.listWidget->row( currentItem ); + + // remove the object from the scene + m_scene->removeItem( m_sceneItems[currentPos] ); + // remove its associated pointer in our list + m_sceneItems.removeAt( currentPos ); + // remove its associated label + QListWidgetItem * item = m_d->ui.listWidget->takeItem(currentPos); + delete item; + + VP1Msg::message("Successfully removed the object: " + text); +} + +//// SLOT +////____________________________________________________________________ +//void VP1EventDisplayEditor::addTextLabelSlot() +//{ +// this->addTextLabel(); +//} + + +//____________________________________________________________________ +void VP1EventDisplayEditor::setTextLabel() +{ + QString text; + QFont font; + +// /* if we use this function programmatically, +// * passing text directly +// */ +// if (!textString.isEmpty()) { +// +// text = textString; +// +// // default settings +// int size = 32; +// int weight = QFont::Normal; +// bool italics = false; +// QString typeface = "Courier"; +// +// // default font +// font = QFont(typeface, size, weight, italics); +// +// // default font family, if Courier is not available +// font.setStyleHint(QFont::TypeWriter); +// +// } + +// /* if we use this function from the GUI, +// * then we get all user's settings from the GUI itself +// */ +// else { + + if (m_d->ui.radioButton_eventDetails->isChecked()) { + // get the event details + text = this->getEventDetailsLabel(); + } + else { + // get the user's text + text = m_d->ui.lineEdit_customLabelText->text(); + } + + + // get users' settings + int size = 0; + if (m_d->ui.radioButton_size12->isChecked()) size = 12; + else if (m_d->ui.radioButton_size24->isChecked()) size = 24; + else if (m_d->ui.radioButton_size32->isChecked()) size = 32; + else if (m_d->ui.radioButton_size44->isChecked()) size = 44; + else if (m_d->ui.radioButton_sizeCustom->isChecked()) { + size = m_d->ui.spinBox_size->value(); + } + + QString typeface = "Courier"; // default typeface + + int weight = QFont::Normal; + if (m_d->ui.radioButton_light->isChecked()) weight = QFont::Light; + else if (m_d->ui.radioButton_normal->isChecked()) weight = QFont::Normal; + else if (m_d->ui.radioButton_bold->isChecked()) weight = QFont::Bold; + else if (m_d->ui.radioButton_black_2->isChecked()) weight = QFont::Black; + + bool italics = false; + if (m_d->ui.radioButton_italics->isChecked()) italics = true; + + font = QFont(typeface, size, weight, italics); + + if (m_d->ui.radioButton_monaco->isChecked()) { + // typeface = "Monaco"; + typeface = "Courier"; + font.setStyleHint(QFont::TypeWriter); // this defines the family to choose from, if the preferred typeface is not available on the host system + } + else if (m_d->ui.radioButton_helvetica->isChecked()) { + typeface = "Helvetica"; + font.setStyleHint(QFont::SansSerif); + } + else if (m_d->ui.radioButton_times->isChecked()) { + typeface = "Times"; + font.setStyleHint(QFont::Serif); + } + font.setFamily(typeface); + +// } + + this->addTextLabel(text, font); +} + + +//____________________________________________________________________ +void VP1EventDisplayEditor::addTextLabel(QString text, QFont font) +{ +// adding the label to the m_scene +QGraphicsTextItem* item = m_scene->addText(text, font); +item->setFlags(QGraphicsItem::ItemIsMovable); + +// set the user's preferred color +if (m_d->ui.radioButton_whiteText->isChecked()) { + item->setDefaultTextColor(Qt::white); +} else if (m_d->ui.radioButton_blackText->isChecked()) { + item->setDefaultTextColor(Qt::black); +} + +// adding the label to the list of objects +QString strippedText = text.replace('\n',' ').replace('\t', ' ').simplified(); +new QListWidgetItem(strippedText, m_d->ui.listWidget); + +// adding the label to list of object pointers +m_sceneItems << item; +} + + +//____________________________________________________________________ +void VP1EventDisplayEditor::getTabSnapshot() +{ + int tabN = m_d->ui.comboBox_tabNumber->currentIndex(); + QString tabName = m_d->ui.comboBox_tabNumber->currentText(); + VP1Msg::messageVerbose("Got tab: " + tabName + " at idx: " + QString::number(tabN) ); + + int imageWidth = m_d->ui.spinBox_imageWidth->value(); + VP1Msg::messageVerbose("width: " + QString::number(imageWidth) ); + + QPixmap snap = m_mainWindow->getSingleChannelCustomSnapshot( tabName, imageWidth ); + + tabName = tabName + "_" + QString::number(imageWidth); + + + QList<QPixmap> listPixmap; + QStringList listNamesPixmap; + + listPixmap << snap; + listNamesPixmap << tabName; + + this->addPixmapList(listPixmap, listNamesPixmap); + +} + +//____________________________________________________________________ +void VP1EventDisplayEditor::setTabsList( QStringList listNames ) +{ + VP1Msg::messageVerbose("VP1EventDisplayEditor::setTabsList()"); + + m_d->ui.comboBox_tabNumber->addItems(listNames); + +} + + +//____________________________________________________________________ +void VP1EventDisplayEditor::addLogo() +{ + QPixmap pix; + QString name; + + // load the right version of the ATLAS logo + if ( m_d->ui.radioButton_300px->isChecked() ) { + if ( m_d->ui.radioButton_gray->isChecked() ) + pix.load(":/vp1/images/images/ATLAS-Logo-New_300pixels.png"); + if (m_d->ui.radioButton_blue->isChecked() ) + pix.load(":/vp1/images/images/ATLAS-chrome-logo-URL-blue_300px.png"); + name = "logo_300px"; + } + else if ( m_d->ui.radioButton_450px->isChecked() ) { + if ( m_d->ui.radioButton_gray->isChecked() ) + pix.load(":/vp1/images/images/ATLAS-Logo-New_450pixels.png"); + if (m_d->ui.radioButton_blue->isChecked() ) + pix.load(":/vp1/images/images/ATLAS-chrome-logo-URL-blue_450px.png"); + name = "logo_450px"; + } + else if ( m_d->ui.radioButton_600px->isChecked() ) { + if ( m_d->ui.radioButton_gray->isChecked() ) + pix.load(":/vp1/images/images/ATLAS-Logo-New_600pixels.png"); + if (m_d->ui.radioButton_blue->isChecked() ) + pix.load(":/vp1/images/images/ATLAS-chrome-logo-URL-blue_600px.png"); + name = "logo_600px"; + } + else if ( m_d->ui.radioButton_800px->isChecked() ) { + if ( m_d->ui.radioButton_gray->isChecked() ) + pix.load(":/vp1/images/images/ATLAS-Logo-New_800pixels.png"); +// if (m_d->ui.radioButton_blue->isChecked() ) +// pix.load(":/vp1/images/images/ATLAS-chrome-logo-URL-blue_600px.png"); + name = "logo_800px"; + } + else if ( m_d->ui.radioButton_1000px->isChecked() ) { + if ( m_d->ui.radioButton_gray->isChecked() ) + pix.load(":/vp1/images/images/ATLAS-Logo-New_1000pixels.png"); +// if (m_d->ui.radioButton_blue->isChecked() ) +// pix.load(":/vp1/images/images/ATLAS-chrome-logo-URL-blue_600px.png"); + name = "logo_1000px"; + } + else if ( m_d->ui.radioButton_1200px->isChecked() ) { + if ( m_d->ui.radioButton_gray->isChecked() ) + pix.load(":/vp1/images/images/ATLAS-Logo-New_1200pixels.png"); +// if (m_d->ui.radioButton_blue->isChecked() ) +// pix.load(":/vp1/images/images/ATLAS-chrome-logo-URL-blue_600px.png"); + name = "logo_1200px"; + } + + // add the logo to the m_scene + QGraphicsPixmapItem* item = m_scene->addPixmap(pix); + item->setFlags(QGraphicsItem::ItemIsMovable); + // add to the list of pointers + m_sceneItems << item; + // add to the list of object labels + new QListWidgetItem(name, m_d->ui.listWidget); +} + + +//____________________________________________________________________ +void VP1EventDisplayEditor::setBackgroundColor() +{ + + // a white background + if ( m_d->ui.radioButton_white->isChecked() ) + m_scene->setBackgroundBrush(Qt::white); + // a black background + else if ( m_d->ui.radioButton_black->isChecked() ) + m_scene->setBackgroundBrush(Qt::black); + // a transparent background + else if ( m_d->ui.radioButton_transparent->isChecked() ) { + m_scene->setBackgroundBrush(Qt::NoBrush); + // // a gradient background + // QRadialGradient gradient(0, 0, 10); + // gradient.setSpread(QGradient::RepeatSpread); + // m_scene->setBackgroundBrush(gradient); + } +} + + + +//____________________________________________________________________ +void VP1EventDisplayEditor::closeEvent(QCloseEvent*ev) +{ + // if you want to just hide the window when closed, uncomment the lines below + ev->ignore(); + hide(); + + // this, instead, will close the window + // ev->accept(); +} + +//QGraphicsView* VP1EventDisplayEditor::getView() +//{ +// return m_d->ui.graphicsView; +//} + + + + +////____________________________________________________________________ +//void VP1EventDisplayEditor::buttonClicked() +//{ +// if (m_d->ui.pushButton_addCurrentView==sender()) { +// VP1CustomTourFrameWidget * frame = new VP1CustomTourFrameWidget(m_d->viewer->currentCamIsPerspective(), +// m_d->viewer->currentCameraState()); +// m_d->addFrame(frame); +// m_d->updateFrameSnapshot(frame); +// m_d->updateFrameListVisuals(); +// } else if (m_d->ui.pushButton_refreshPreviews==sender()) { +// foreach(VP1CustomTourFrameWidget*frame,m_d->frames) +// m_d->updateFrameSnapshot(frame); +// } else if (m_d->ui.pushButton_execute==sender()) { +// m_d->viewer->startCustomTour(); +// } else if (m_d->ui.pushButton_utilityZoomShow==sender()) { +// } +//} + diff --git a/graphics/VTI12/VTI12Gui/src/VP1EventDisplaySceneView.cxx b/graphics/VTI12/VTI12Gui/src/VP1EventDisplaySceneView.cxx new file mode 100644 index 0000000000000000000000000000000000000000..aca3fdc77c0a5d9b921702c7fa4100bfa5490044 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/VP1EventDisplaySceneView.cxx @@ -0,0 +1,373 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +/* + * jira_1 + * VP1EventDisplaySceneView.cxx + * + * Created on: Sep 26, 2013 + * Author: rbianchi <Riccardo.Maria.Bianchi@cern.ch> + * + */ + +#include "VTI12Gui/VP1EventDisplaySceneView.h" +#include "VP1Base/VP1Msg.h" + +#include <QtGui> +#include <QPrinter> +#include <QPrintDialog> + +#ifndef QT_NO_OPENGL + #include <QtOpenGL> +#endif + +#include <qmath.h> + +// with this we can use the mouse central wheel on the zoom sliders +void GraphicsView::wheelEvent(QWheelEvent *e) +{ + if (e->modifiers() & Qt::ControlModifier) { + if (e->delta() > 0) + m_view->zoomIn(6); + else + m_view->zoomOut(6); + e->accept(); + } else { + QGraphicsView::wheelEvent(e); + } +} + +VP1EventDisplaySceneView::VP1EventDisplaySceneView(const QString &name, bool preview, QWidget *parent) +: QFrame(parent),m_frame(nullptr),m_line(nullptr) +{ + m_preview = preview; + + + setFrameStyle(Sunken | StyledPanel); + + m_graphicsView = new GraphicsView(this); + m_graphicsView->setRenderHint(QPainter::Antialiasing, false); + m_graphicsView->setDragMode(QGraphicsView::RubberBandDrag); + m_graphicsView->setOptimizationFlags(QGraphicsView::DontSavePainterState); + m_graphicsView->setViewportUpdateMode(QGraphicsView::SmartViewportUpdate); + m_graphicsView->setTransformationAnchor(QGraphicsView::AnchorUnderMouse); + + int size = style()->pixelMetric(QStyle::PM_ToolBarIconSize); + QSize iconSize(size, size); + + + // ZOOM BUTTONS + + m_zoomInIcon = new QToolButton; + m_zoomInIcon->setAutoRepeat(true); + m_zoomInIcon->setAutoRepeatInterval(33); + m_zoomInIcon->setAutoRepeatDelay(0); + m_zoomInIcon->setIcon(QPixmap(":/vp1/icons/icons/zoomin.png")); + m_zoomInIcon->setIconSize(iconSize); + + m_zoomOutIcon = new QToolButton; + m_zoomOutIcon->setAutoRepeat(true); + m_zoomOutIcon->setAutoRepeatInterval(33); + m_zoomOutIcon->setAutoRepeatDelay(0); + m_zoomOutIcon->setIcon(QPixmap(":/vp1/icons/icons/zoomout.png")); + m_zoomOutIcon->setIconSize(iconSize); + + m_zoomSlider = new QSlider(); + m_zoomSlider->setMinimum(0); + m_zoomSlider->setMaximum(500); + m_zoomSlider->setValue(250); + m_zoomSlider->setTickPosition(QSlider::TicksRight); + + // Zoom slider layout + m_zoomSliderLayout = new QVBoxLayout; + m_zoomSliderLayout->addWidget(m_zoomInIcon); + m_zoomSliderLayout->addWidget(m_zoomSlider); + m_zoomSliderLayout->addWidget(m_zoomOutIcon); + + + // ROTATION BUTTONS + m_rotateLeftIcon = new QToolButton(); + m_rotateLeftIcon->setIcon(QPixmap(":/vp1/icons/icons/rotateleft.png")); + m_rotateLeftIcon->setIconSize(iconSize); + + m_rotateRightIcon = new QToolButton(); + m_rotateRightIcon->setIcon(QPixmap(":/vp1/icons/icons/rotateright.png")); + m_rotateRightIcon->setIconSize(iconSize); + + m_rotateSlider = new QSlider(); + m_rotateSlider->setOrientation(Qt::Horizontal); + m_rotateSlider->setMinimum(-360); + m_rotateSlider->setMaximum(360); + m_rotateSlider->setValue(0); + m_rotateSlider->setTickPosition(QSlider::TicksBelow); + + // Rotate slider layout + m_rotateSliderLayout = new QHBoxLayout; + m_rotateSliderLayout->addWidget(m_rotateLeftIcon); + m_rotateSliderLayout->addWidget(m_rotateSlider); + m_rotateSliderLayout->addWidget(m_rotateRightIcon); + + m_resetButton = new QToolButton; + m_resetButton->setText(tr("Reset")); + m_resetButton->setEnabled(false); + + // Label layout + QHBoxLayout *labelLayout = new QHBoxLayout; + m_label = new QLabel(name); + m_label2 = new QLabel(tr("Pointer Mode")); + + m_selectModeButton = new QToolButton; + m_selectModeButton->setText(tr("Select & Move items")); + m_selectModeButton->setCheckable(true); + m_selectModeButton->setChecked(true); + + m_dragModeButton = new QToolButton; + m_dragModeButton->setText(tr("Drag View")); + m_dragModeButton->setCheckable(true); + m_dragModeButton->setChecked(false); + + m_antialiasButton = new QToolButton; + m_antialiasButton->setText(tr("Antialiasing")); + m_antialiasButton->setCheckable(true); + m_antialiasButton->setChecked(false); + + m_openGlButton = new QToolButton; + m_openGlButton->setText(tr("OpenGL")); + m_openGlButton->setCheckable(true); +#ifndef QT_NO_OPENGL + m_openGlButton->setEnabled(QGLFormat::hasOpenGL()); +#else + m_openGlButton->setEnabled(false); +#endif + m_printButton = new QToolButton; + m_printButton->setIcon(QIcon(QPixmap(":/vp1/icons/icons/fileprint.png"))); + + QButtonGroup *pointerModeGroup = new QButtonGroup; + pointerModeGroup->setExclusive(true); + pointerModeGroup->addButton(m_selectModeButton); + pointerModeGroup->addButton(m_dragModeButton); + + labelLayout->addWidget(m_label); + labelLayout->addStretch(); + + if (!preview) { + labelLayout->addWidget(m_label2); + labelLayout->addWidget(m_selectModeButton); + labelLayout->addWidget(m_dragModeButton); + labelLayout->addStretch(); +// labelLayout->addWidget(m_antialiasButton); // we don't use these buttons +// labelLayout->addWidget(m_openGlButton); +// labelLayout->addWidget(m_printButton); + } + + QGridLayout *topLayout = new QGridLayout; + topLayout->addLayout(labelLayout, 0, 0); + topLayout->addWidget(m_graphicsView, 1, 0); + /* + * PREVIEW WINDOW + * we don't need the rotation or zoom buttons for the "preview" view + * and we put the reset button just below the zoom buttons + */ + if (preview) { + // m_zoomSliderLayout->addWidget(m_resetButton); + } + /* + * FULL SIZE WINDOW + */ + else { + topLayout->addLayout(m_zoomSliderLayout, 1, 1); + topLayout->addLayout(m_rotateSliderLayout, 2, 0); + topLayout->addWidget(m_resetButton, 2, 1); + } + + setLayout(topLayout); + + + + + connect(m_resetButton, SIGNAL(clicked()), this, SLOT(resetView())); + + connect(m_graphicsView->verticalScrollBar(), SIGNAL(valueChanged(int)), this, SLOT(setResetButtonEnabled())); + connect(m_graphicsView->horizontalScrollBar(), SIGNAL(valueChanged(int)), this, SLOT(setResetButtonEnabled())); + + connect(m_selectModeButton, SIGNAL(toggled(bool)), this, SLOT(togglePointerMode())); + connect(m_dragModeButton, SIGNAL(toggled(bool)), this, SLOT(togglePointerMode())); + + connect(m_zoomSlider, SIGNAL(valueChanged(int)), this, SLOT(setupMatrix())); + connect(m_zoomInIcon, SIGNAL(clicked()), this, SLOT(zoomIn())); + connect(m_zoomOutIcon, SIGNAL(clicked()), this, SLOT(zoomOut())); + + connect(m_rotateSlider, SIGNAL(valueChanged(int)), this, SLOT(setupMatrix())); + connect(m_rotateLeftIcon, SIGNAL(clicked()), this, SLOT(rotateLeft())); + connect(m_rotateRightIcon, SIGNAL(clicked()), this, SLOT(rotateRight())); + + + // we do not use these three buttons now... +// connect(m_printButton, SIGNAL(clicked()), this, SLOT(print())); +// connect(m_antialiasButton, SIGNAL(toggled(bool)), this, SLOT(toggleAntialiasing())); +// connect(m_openGlButton, SIGNAL(toggled(bool)), this, SLOT(toggleOpenGL())); + + setupMatrix(); // only useful for the full-view window +} + +VP1EventDisplaySceneView::~VP1EventDisplaySceneView() +{ + /* if preview, many buttons are not added to any widget or layout, + * so we have to destroy them by hand + */ + if (m_preview) { + delete m_rotateSlider; + delete m_rotateLeftIcon; + delete m_rotateRightIcon; + delete m_rotateSliderLayout; + delete m_zoomSlider; + delete m_zoomInIcon; + delete m_zoomOutIcon; + delete m_zoomSliderLayout; + delete m_resetButton; + delete m_label2; + delete m_selectModeButton; + delete m_dragModeButton; + } + /* + * we have to destroy them by hand, because we do not use them in this version of the GUI + */ + delete m_antialiasButton; + delete m_openGlButton; + delete m_printButton; +} + +QGraphicsView *VP1EventDisplaySceneView::view() const +{ + return static_cast<QGraphicsView *>(m_graphicsView); +} + +void VP1EventDisplaySceneView::addRenderingFrame() +{ +// adding a rect to the preview to define the rendering area +// QPen pen2(Qt::green, 5, Qt::DashDotLine, Qt::RoundCap, Qt::RoundJoin); + QPen pen(Qt::red, 5, Qt::SolidLine, Qt::SquareCap, Qt::MiterJoin); + QRectF sceneRect = m_graphicsView->scene()->sceneRect(); + m_frame = m_graphicsView->scene()->addRect( sceneRect, pen ); + + /* we also have to add a line on the bottom of the scene, + * since the bottom side of the frame will go out of the view, + * due to the thickness of the frame lines. + */ + qreal x1 = sceneRect.left(); + qreal y1 = sceneRect.bottom(); + qreal y2 = y1; + qreal x2 = sceneRect.right(); + + m_line = m_graphicsView->scene()->addLine( x1, y1, x2, y2, pen); +} + +void VP1EventDisplaySceneView::showRenderingFrame() +{ + m_frame->show(); + m_line->show(); +} + +void VP1EventDisplaySceneView::hideRenderingFrame() +{ + m_frame->hide(); + m_line->hide(); +} + + + +void VP1EventDisplaySceneView::resetView() +{ + m_zoomSlider->setValue(250); + m_rotateSlider->setValue(0); + setupMatrix(); + m_graphicsView->ensureVisible(QRectF(0, 0, 0, 0)); + + m_resetButton->setEnabled(false); +} + +void VP1EventDisplaySceneView::setResetButtonEnabled() +{ + m_resetButton->setEnabled(true); +} + +void VP1EventDisplaySceneView::setPreviewZoom(qreal xx) +{ + if (m_preview) { + QMatrix matrix; + matrix.scale(xx, xx); + m_graphicsView->setMatrix(matrix); + } else { + VP1Msg::message("Warning!! using setPreviewZoom() on a full-size view has no effect."); + } + +} + +void VP1EventDisplaySceneView::setupMatrix() +{ + if (!m_preview) { + QMatrix matrix; + qreal scale = qPow(qreal(2), (m_zoomSlider->value() - 250) / qreal(50)); + matrix.scale(scale, scale); + matrix.rotate(m_rotateSlider->value()); + + m_graphicsView->setMatrix(matrix); + setResetButtonEnabled(); + } + +} + +void VP1EventDisplaySceneView::togglePointerMode() +{ + m_graphicsView->setDragMode(m_selectModeButton->isChecked() + ? QGraphicsView::RubberBandDrag + : QGraphicsView::ScrollHandDrag); + m_graphicsView->setInteractive(m_selectModeButton->isChecked()); +} + +void VP1EventDisplaySceneView::toggleOpenGL() +{ +#ifndef QT_NO_OPENGL + m_graphicsView->setViewport(m_openGlButton->isChecked() ? new QGLWidget(QGLFormat(QGL::SampleBuffers)) : new QWidget); +#endif +} + +void VP1EventDisplaySceneView::toggleAntialiasing() +{ + m_graphicsView->setRenderHint(QPainter::Antialiasing, m_antialiasButton->isChecked()); +} + +void VP1EventDisplaySceneView::print() +{ +#ifndef QT_NO_PRINTER + QPrinter printer; + QPrintDialog dialog(&printer, this); + if (dialog.exec() == QDialog::Accepted) { + QPainter painter(&printer); + m_graphicsView->render(&painter); + } +#endif +} + +void VP1EventDisplaySceneView::zoomIn(int level) +{ + m_zoomSlider->setValue(m_zoomSlider->value() + level); +} + +void VP1EventDisplaySceneView::zoomOut(int level) +{ + m_zoomSlider->setValue(m_zoomSlider->value() - level); +} + +void VP1EventDisplaySceneView::rotateLeft() +{ + m_rotateSlider->setValue(m_rotateSlider->value() - 10); +} + +void VP1EventDisplaySceneView::rotateRight() +{ + m_rotateSlider->setValue(m_rotateSlider->value() + 10); +} + + diff --git a/graphics/VTI12/VTI12Gui/src/VP1EventFile.cxx b/graphics/VTI12/VTI12Gui/src/VP1EventFile.cxx new file mode 100644 index 0000000000000000000000000000000000000000..dbf7acc976032e8ef3710ae58e2e00871dfbf1dd --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/VP1EventFile.cxx @@ -0,0 +1,200 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class VP1EventFile // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: May 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12Gui/VP1EventFile.h" +#include <QStringList> + +//____________________________________________________________________ +class VP1EventFile::Imp { +public: + Imp() : runNumber(0), eventNumber(0), rawTime(0), valid(false) {} + Imp(const QString& fn,const QString& sum, + int r,int e,unsigned t,bool isvalid) + : fileName(fn), md5Sum(sum), + runNumber(r), eventNumber(e), rawTime(t), valid(isvalid) + {} + QString fileName; + QString md5Sum; + int runNumber; + unsigned long long eventNumber; + unsigned rawTime; + bool valid; + + static Imp * initFromFilename(const QString& filename, const QString& md5sum); +}; + +//____________________________________________________________________ +VP1EventFile::VP1EventFile() + : m_d(new Imp) +{ +} + +//____________________________________________________________________ +VP1EventFile::Imp * VP1EventFile::Imp::initFromFilename(const QString& filename, const QString& md5sum) +{ + QStringList filenameparts = filename.split('.', QString::SkipEmptyParts ); + if (filenameparts.isEmpty()) + return new Imp; + + //We find the relevant part of the filename the following way: + //Starting from the back, we find the first part which contains at + //least two underscores) + int ieventinfo=-1; + for (int i=filenameparts.count()-1;i>=0;--i) { + if (filenameparts.at(i).count('_')>=2) { + ieventinfo = i; + break; + } + } + if (ieventinfo==-1) + return new Imp; + + QStringList eventinfoparts = filenameparts.at(ieventinfo).split('_', QString::SkipEmptyParts ); + if (eventinfoparts.count()<3) + return new Imp; + bool ok; + int time = eventinfoparts.at(eventinfoparts.count()-1).toInt(&ok); + // if (!ok||time<1175378400/*april 1. 2007*/||time>2058991200/*april 1 2035*/) + if (!ok||time>2058991200/*april 1 2035*/)//No lower bound sanity check, since the events sometimes have faulty ~1970 timestamps! + return new Imp; + + unsigned long long eventnumber = eventinfoparts.at(eventinfoparts.count()-2).toInt(&ok); + if (!ok) + return new Imp; + int runnumber = eventinfoparts.at(eventinfoparts.count()-3).toInt(&ok); + if (!ok) + return new Imp; + return new Imp(filename,md5sum,runnumber,eventnumber,time,true); +} + +//____________________________________________________________________ +VP1EventFile::VP1EventFile(const QString& filename, const QString& md5sum) + : m_d(Imp::initFromFilename(filename,md5sum)) +{ +} + +//____________________________________________________________________ +VP1EventFile::VP1EventFile(const QString& filename,const QString& md5sum, + int runnumber, unsigned long long eventnumber,unsigned time,bool isvalid) + : m_d(new Imp(filename,md5sum,runnumber,eventnumber,time,isvalid)) +{ +} + +//____________________________________________________________________ +VP1EventFile::~VP1EventFile() +{ + delete m_d; +} + +//____________________________________________________________________ +bool VP1EventFile::operator<( const VP1EventFile & other ) const +{ + //newer (larger time, run and evt numbers) means "smaller". + if (m_d->rawTime!=other.m_d->rawTime) return m_d->rawTime>other.m_d->rawTime; + if (m_d->runNumber!=other.m_d->runNumber) return m_d->runNumber>other.m_d->runNumber; + if (m_d->eventNumber!=other.m_d->eventNumber) return m_d->eventNumber>other.m_d->eventNumber; + if (m_d->fileName!=other.m_d->fileName) return m_d->fileName<other.m_d->fileName; + if (m_d->valid!=other.m_d->valid) return m_d->valid; + return m_d->md5Sum<other.m_d->md5Sum; +} + +//____________________________________________________________________ +bool VP1EventFile::operator==(const VP1EventFile & other ) const +{ + return m_d->rawTime==other.m_d->rawTime + && m_d->eventNumber==other.m_d->eventNumber + && m_d->md5Sum==other.m_d->md5Sum + && m_d->fileName==other.m_d->fileName + && m_d->runNumber==other.m_d->runNumber + && m_d->valid==other.m_d->valid; +} + +//____________________________________________________________________ +bool VP1EventFile::operator!=(const VP1EventFile & other ) const +{ + return !(*this==other); +} + +//____________________________________________________________________ +VP1EventFile::VP1EventFile( const VP1EventFile & other ) + : m_d(new Imp) +{ + *this = other; +} + +//____________________________________________________________________ +VP1EventFile & VP1EventFile::operator= ( const VP1EventFile & other ) +{ + m_d->fileName = other.m_d->fileName; + m_d->md5Sum = other.m_d->md5Sum; + m_d->runNumber = other.m_d->runNumber; + m_d->eventNumber = other.m_d->eventNumber; + m_d->rawTime = other.m_d->rawTime; + m_d->valid = other.m_d->valid; + return *this; +} + +//____________________________________________________________________ +bool VP1EventFile::isValid() const +{ + return m_d->valid; +} + +//____________________________________________________________________ +QString VP1EventFile::fileName() const +{ + return m_d->fileName; +} + +//____________________________________________________________________ +QString VP1EventFile::md5Sum() const +{ + return m_d->md5Sum; +} + +//____________________________________________________________________ +int VP1EventFile::runNumber() const +{ + return m_d->runNumber; +} + +//____________________________________________________________________ +unsigned long long VP1EventFile::eventNumber() const +{ + return m_d->eventNumber; +} + +//____________________________________________________________________ +unsigned VP1EventFile::rawTime() const +{ + return m_d->rawTime; +} + +//____________________________________________________________________ +QDateTime VP1EventFile::time() const +{ + return QDateTime::fromTime_t(m_d->rawTime); +} + +//____________________________________________________________________ +QString VP1EventFile::print() const +{ + if (!isValid()) + return "[invalid]"; + return fileName() + +", run="+QString::number(runNumber()) + +", evt="+QString::number(eventNumber()) + +", time="+time().toString() + +", md5="+md5Sum(); +} diff --git a/graphics/VTI12/VTI12Gui/src/VP1EvtsOnServerInfo.cxx b/graphics/VTI12/VTI12Gui/src/VP1EvtsOnServerInfo.cxx new file mode 100644 index 0000000000000000000000000000000000000000..b6e02cd07e510974aa15bad5233901dd9249f3fd --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/VP1EvtsOnServerInfo.cxx @@ -0,0 +1,262 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class VP1EvtsOnServerInfo // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: May 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12Gui/VP1EvtsOnServerInfo.h" +#include "VTI12Gui/VP1MD5Sum.h" +#include <QFileInfo> +#include <QTextStream> +#include <map> + + +//____________________________________________________________________ +class VP1EvtsOnServerInfo::Imp { +public: + Imp(const QString& infofile) + { + error = init(infofile); + } + + QString error; + QString init(const QString& infofile); + + QList<VP1EventFile> events;//if invalid, we make a list with one dummy + //event (to avoid crashes if user forget to + //check isValid()) +}; + + +//____________________________________________________________________ +VP1EvtsOnServerInfo::VP1EvtsOnServerInfo(const QString& infofile) + : m_d(new Imp(infofile)) +{ +} + +//____________________________________________________________________ +VP1EvtsOnServerInfo::~VP1EvtsOnServerInfo() +{ + delete m_d; +} + +//____________________________________________________________________ +bool VP1EvtsOnServerInfo::isValid() const +{ + return m_d->error.isEmpty(); +} + +//____________________________________________________________________ +QString VP1EvtsOnServerInfo::error() const +{ + return m_d->error; +} + +//____________________________________________________________________ +QStringList VP1EvtsOnServerInfo::print() const +{ + QStringList l; + if (!isValid()) { + l << "Invalid. Reason: " + error(); + return l; + } + l << "Valid with "+QString::number(numberOfEvents())+" files:"; + foreach(VP1EventFile evt, events()) + l << " "+evt.print(); + l << "Events within 10 minutes of latest:"; + foreach(VP1EventFile evt, events(10*60)) + l << " "+evt.print(); + l << "Events with same run number as latest:"; + foreach(VP1EventFile evt, events(-1,true)) + l << " "+evt.print(); + l << "Events with same run number as latest and within 1 minute:"; + foreach(VP1EventFile evt, events(1*60,true)) + l << " "+evt.print(); + + return l; +} + +//____________________________________________________________________ +QString VP1EvtsOnServerInfo::Imp::init(const QString& infofile) +{ + //Example of file we are trying to parse: + // + //begin_copyresult + //source dir /client/VP1_events + //dest dir /www/web_files/html/vp1events + //vp1_69629_5487_1211316972.pool.root copy success + //end_copyresult + //begin_checksums + //vp1_69629_5487_1211316972.pool.root 30fa3c9a05251a4d741fce52c304a341 + //vp1_69629_5270_1211316960.pool.root 7a38564cdd2f2951e76ec37c565dbbf9 + //vp1_69629_3968_1211316900.pool.root 6c716952a7fdb0371b1541a45d0029f8 + //end_checksums + // + //The format of the event file names are: vp1_[run#]_[evt#]_[unixtime].pool.root + // + //In principle we are only interested in the checksums section, but + //it might be a good sanity check to see that the last copied file + //(from copyresult) is also the one with the highest time. + + /////////////////////////////////////////////////////// + // Basic check that file exists, is readable, etc. // + /////////////////////////////////////////////////////// + + if (infofile.isEmpty()) + return "Given empty path to info file"; + QFileInfo fi(infofile); + if (!fi.exists()) + return "infofile "+infofile+" does not exist"; + if (!fi.isReadable()) + return "infofile "+infofile+" is not readable"; + if (fi.size()==0) + return "infofile "+infofile+" is not empty"; + + ///////////////////////////////////////////////////////////////////////////// + // Read file into stringlist, ignoring empty lines and excess whitespace // + ///////////////////////////////////////////////////////////////////////////// + + int i_begin_copyresult(-1), i_end_copyresult(-1); + int i_begin_checksums(-1), i_end_checksums(-1); + + + QStringList lines; + QFile file(infofile); + if (!file.open(QFile::ReadOnly)) + return "Could not open file in readonly mode"; + + //Just to avoid any potential performance problems if pointed to a + //wrong input file: + const qint64 max_linelength(1000); + const qint64 max_numberoflines(2000); + qint64 ilines(0); + + QTextStream stream(&file); + while (!stream.atEnd()) { + + if (ilines++>max_numberoflines) + return "Too many lines in file"; + + //Read and prune next line: + QString rawline = stream.readLine(max_linelength).simplified(); + if (rawline.isEmpty()) + continue; + + //Get section boundaries: + if (rawline=="begin_copyresult") { + if (i_begin_copyresult!=-1) + return "Saw two lines with begin_copyresult"; + i_begin_copyresult = lines.count(); + } else if (rawline=="end_copyresult") { + if (i_end_copyresult!=-1) + return "Saw two lines with end_copyresult"; + i_end_copyresult = lines.count(); + } else if (rawline=="begin_checksums") { + if (i_begin_checksums!=-1) + return "Saw two lines with begin_checksums"; + i_begin_checksums = lines.count(); + } else if (rawline=="end_checksums") { + if (i_end_checksums!=-1) + return "Saw two lines with end_checksums"; + i_end_checksums = lines.count(); + } + + //Store line: + lines << rawline; + } + if (lines.isEmpty()) + return "Did not read any lines from file"; + + //copy result is only used for a sanity check, so we keep it optional + const bool hascopyresult(i_begin_copyresult!=-1||i_end_copyresult!=-1); + + if (i_begin_checksums==-1) return "File did not have begin_checksums line"; + if (i_end_checksums==-1) return "File did not have end_checksums line"; + if (i_end_checksums<=i_begin_checksums) return "checksum section delimiters out of order"; + + if (hascopyresult) { + if (i_begin_copyresult==-1) return "File had end_copyresult but no begin_copyresult line"; + if (i_end_copyresult==-1) return "File had begin_copyresult but no end_copyresult line"; + if (i_end_copyresult<=i_begin_copyresult) return "copyresult section delimiters out of order"; + if (i_begin_copyresult>i_begin_checksums&&i_begin_copyresult<i_end_checksums) + return "copyresult and checksum sections mixed"; + if (i_end_copyresult>i_begin_checksums&&i_end_copyresult<i_end_checksums) + return "copyresult and checksum sections mixed"; + } + + /////////////////////////////// + // Let the parsing begin!! // + /////////////////////////////// + + for (int i = i_begin_checksums+1;i < i_end_checksums; ++i) { + QStringList parts = lines.at(i).split ( ' ', QString::SkipEmptyParts ); + if (parts.count()!=2) + return "Invalid line in checksums section"; + QString filename(parts.at(0)); + QString md5sum(VP1MD5Sum::sumToStandardFormat(parts.at(1))); + if (!VP1MD5Sum::validMD5Sum(md5sum)) + return "Invalid md5sum in checksums section: "+md5sum; + VP1EventFile evt(filename,md5sum); + if (!evt.isValid()) + return "Failed to decode event file information from filename: "+filename; + events << evt; + } + + qSort(events); + + if (hascopyresult) { + //Todo: Use the copy result lines for a sanity check of that the + //newest file is also the one copied last (if copy succesful). + } + + return ""; +} + +//____________________________________________________________________ +unsigned long long VP1EvtsOnServerInfo::numberOfEvents() const +{ + return m_d->events.count(); +} + +//____________________________________________________________________ +VP1EventFile VP1EvtsOnServerInfo::newestEvent() const +{ + return m_d->events.isEmpty() ? VP1EventFile() : m_d->events.at(0); +} + +//____________________________________________________________________ +QList<VP1EventFile> VP1EvtsOnServerInfo::events(int timecut, bool requireNewestRunNumber ) const +{ + //Notice: Logic here must be similar to logic in VP1AvailEvents::isConsideredFresh + + if ( m_d->events.isEmpty() ) + return m_d->events; + + if (timecut==0) { + QList<VP1EventFile> l; + l << m_d->events.at(0); + return l; + } + const unsigned newestRawTime = m_d->events.at(0).rawTime(); + const int newestRunNumber = m_d->events.at(0).runNumber(); + + const unsigned minTime = (timecut<0&&unsigned(timecut)>newestRawTime) ? 0 : newestRawTime-timecut; + + QList<VP1EventFile> out; + foreach (VP1EventFile evt, m_d->events) { + if (minTime>0&&evt.rawTime()<minTime) + continue; + if (requireNewestRunNumber&&evt.runNumber()!=newestRunNumber) + continue; + out << evt; + } + return out; +} diff --git a/graphics/VTI12/VTI12Gui/src/VP1ExecutionScheduler.cxx b/graphics/VTI12/VTI12Gui/src/VP1ExecutionScheduler.cxx new file mode 100644 index 0000000000000000000000000000000000000000..3a300d1d169480e335a12c1831e625d6b36a1126 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/VP1ExecutionScheduler.cxx @@ -0,0 +1,1501 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +///////////////////////////////////////////////////////////// +// // +// Implementation of class VP1ExecutionScheduler // +// // +// Author: Thomas Kittelmann <Thomas.Kittelmann@cern.ch> // +// // +// Initial version: April 2007 // +// // +// History: // +// R.M.Bianchi <rbianchi@cern.ch> - Feb 2013 // +// // +///////////////////////////////////////////////////////////// + +//TODO: +// +// * Save sys2time data in .vp1 file +// * Disable custom controllers between events! +// * Integrate with cruise modes (tab and event) +// * In tab cruise mode, dont go to next tab until it is ready. Thus, +// we need to be able to ask the scheduler if a given tab is ready. +// * "Soon to be visible" priority +// * General performance optimisation (inline internal methods + +// cache iterators). +// * Take care of accumulators. +// * Accumulate cruise mode (with ETA if it is a given number of events). + +/* this to fix the 'ptrdiff_t' does not name a type error with Qt: + * refs: + * - http://qt-project.org/forums/viewthread/16992 + * - http://stackoverflow.com/questions/6727193/g-4-6-complains-about-iterator-difference-type-g-4-4-and-visual-studio-don + */ +// #include <stddef.h> + + +#include "VTI12Gui/VP1ExecutionScheduler.h" +#include "VTI12Gui/VP1AvailEvents.h" +#include "VTI12Gui/VP1AvailEvtsHttp.h" +#include "VTI12Gui/VP1AvailEvtsHttps.h" +#include "VTI12Gui/VP1AvailEvtsLocalDir.h" +#include "VTI12Gui/VP1Authenticator.h" +#include "VTI12Gui/VP1Prioritiser.h" +#include "VTI12Gui/VP1MainWindow.h" +#include "VTI12Gui/VP1ChannelManager.h" +#include "VTI12Gui/VP1TabManager.h" + +#include "VP1Base/VP1QtUtils.h" +#include "VP1Base/IVP1System.h" +#include "VP1Base/VP1QtUtils.h" +#include "VP1Base/IVP1ChannelWidget.h" +#include "VP1Base/VP1Msg.h" +#include "VP1Base/VP1HelperClassBase.h" +#include "VP1Base/VP1AthenaPtrs.h" +#include "VP1Base/VP1Settings.h" + +#include "VP1UtilsBase/VP1BatchUtilities.h" + +#include <QApplication> +#include <QProgressBar> +#include <QDesktopWidget> +#include <QMouseEvent> +#include <QWheelEvent> +#include <QCursor> +#include <QTimer> +#include <QSet> +#include <QStringList> +#include <QMessageBox> +#include <QCommandLineParser> + +#include <Inventor/C/errors/debugerror.h> +#include <Inventor/Qt/SoQt.h> + +#include <set> +#include <cassert> +#include <iostream> //For "widgetcount" output +#include <sstream> // std::ostringstream +#include <ctime> +#include <stdexcept> +#include <string> +#include <vector> + + + +std::vector<std::string> qstringlistToVecString(QStringList list) +{ + std::vector<std::string> vec; + foreach(QString str, list) { + vec.push_back(str.toStdString()); + } + return vec; +} + + +#ifdef BUILDVP1LIGHT + //Qt + #include <QSettings> + + // XAOD + #include "xAODRootAccess/Init.h" + #include "xAODRootAccess/TEvent.h" + #include "xAODRootAccess/TStore.h" + #include "xAODRootAccess/tools/Message.h" + #include "xAODRootAccess/TAuxStore.h" + #include "xAODCore/AuxContainerBase.h" + #include "xAODCore/tools/ReadStats.h" + #include "xAODCore/tools/IOStats.h" + + // // For testing + #include "xAODEventInfo/EventInfo.h" + #include <QDebug> + #include "xAODRootAccessInterfaces/TActiveEvent.h" + #include "xAODRootAccessInterfaces/TVirtualEvent.h" + #include <TTree.h> + #include <regex> + #include <QString> + + // ROOT include(s): + #include <TTree.h> + #include <TFile.h> + #include <TError.h> + + template <typename... Args> inline void unused(Args&&...) {} // to declare unused variables (see executeNewEvent() ). +#endif // BUILDVP1LIGHT + + + +//___________________________________________________________________ +class VP1ExecutionScheduler::Imp { +public: + class GlobalEventFilter;//Used to animate mouse clicks (for screencasts); + GlobalEventFilter * globalEventFilter; + + VP1ExecutionScheduler * scheduler; + VP1Prioritiser * prioritiser; + VP1MainWindow* mainwindow; + + long int eventsProcessed; + + bool batchMode; + bool batchModeAllEvents; + int batchModeNEvents; + bool batchModeRandomConfig; + VP1BatchUtilities* batchUtilities; + + VP1AvailEvents * availEvents; + + QTimer * refreshtimer; + IVP1System* currentsystemrefreshing; + bool allSystemsRefreshed; + bool goingtonextevent; + + //Statusbar: + QProgressBar * pb; + double calctimethisevent; + double currentrefreshsystemestimate; + void updateProgressBar(); + QTimer * pbtimer; + + //When receiving erase requests for a system that is currently refreshing, we use this: + bool eraseJustAfterRefresh; + IVP1ChannelWidget* postponedUncreateAndDeleteCW; + + CruiseMode cruisemode; + QTimer * cruisetimer; + bool allVisibleRefreshed() const; + bool allSoonVisibleRefreshed() const; + void initCruise(); + void performPostRefreshCruiseActions(IVP1ChannelWidget*cw); + bool cruisetab_waitingtoproceed; + + static void warnIfWidgetsAlive(); + + QString nextRequestedEvent; + + bool skipEvent; +}; + +//___________________________________________________________________ +class VP1ExecutionScheduler::Imp::GlobalEventFilter : public QObject { +public: + GlobalEventFilter():m_lastPopup(QTime::currentTime()), + m_lastPopupWasQMenu(false){} + bool eventFilter ( QObject * watched, QEvent * event ) { + if (event->type()==QEvent::MouseButtonPress + ||event->type()==QEvent::MouseButtonDblClick + ||event->type()==QEvent::Wheel) { + QTime t = QTime::currentTime(); + int timediff(abs(t.msecsTo(m_lastPopup))); + int timecut(m_lastPopupWasQMenu?300:100); + if (timediff>timecut) { + m_lastPopup = t; + QString txt; + QMouseEvent*mouseEvent = dynamic_cast<QMouseEvent*>(event); + if (mouseEvent) { + txt = event->type()==QEvent::MouseButtonDblClick?"Dbl-click" + :(mouseEvent->button()&Qt::LeftButton?"Left-click" + :(mouseEvent->button()&Qt::RightButton?"Right-click":"Middle-click")); + } else { + QWheelEvent * wheelEvent = dynamic_cast<QWheelEvent*>(event); + if (wheelEvent) + txt = "wheel"; + else + txt = "Unknown event"; + } + // std::cout<<"Popup (dt="<<timediff<<") "<<txt.toStdString()<<". watched = "<<watched + // <<" (on="<<watched->objectName().toStdString()<<")" + // <<" (cn="<<watched->metaObject()->className()<<")" + // <<std::endl; + QLabel * label = new QLabel(txt,0,Qt::Tool|Qt::FramelessWindowHint + |Qt::X11BypassWindowManagerHint|Qt::WindowStaysOnTopHint); + label->setStyleSheet("background-color: yellow;color: black;" + "font: bold 140%;border: 2px solid black"); + //"border-radius: 3px;" + label->setFrameStyle(QFrame::StyledPanel); + label->setAttribute(Qt::WA_ShowWithoutActivating); + label->setFocusPolicy(Qt::NoFocus); + QPoint p(QCursor::pos().x()-label->sizeHint().width()/2,QCursor::pos().y()-label->sizeHint().height()); + label->move(p); + QTimer::singleShot(0,label,SLOT(show())); + QTimer::singleShot(500, label, SLOT(deleteLater())); + m_lastPopupWasQMenu = (dynamic_cast<QMenu*>(watched)!=0); + } + } + return false; + } +private: + QTime m_lastPopup; + bool m_lastPopupWasQMenu; +}; + +//___________________________________________________________________ +VP1ExecutionScheduler::VP1ExecutionScheduler( QObject * parent, + StoreGateSvc* eventStore, + StoreGateSvc* detStore, + ISvcLocator* svcLocator, + IToolSvc*toolSvc, + VP1AvailEvents * availEvents) +: QObject(parent), m_d(new Imp) +{ + m_d->availEvents = availEvents; + VP1AthenaPtrs::setPointers(eventStore,detStore,svcLocator,toolSvc); + m_d->eventsProcessed = 0; + + m_d->scheduler = this; + m_d->prioritiser = new VP1Prioritiser(this); + m_d->mainwindow = new VP1MainWindow(this,availEvents);//mainwindow takes ownership of available events + + m_d->batchMode = false; + m_d->batchUtilities = nullptr; + m_d->batchModeAllEvents = false; + m_d->batchModeNEvents = 0; + m_d->batchModeRandomConfig = false; + + m_d->allSystemsRefreshed = false; + m_d->goingtonextevent=true; + m_d->currentsystemrefreshing=0; + m_d->eraseJustAfterRefresh=false; + m_d->postponedUncreateAndDeleteCW=0; + m_d->refreshtimer = new QTimer(this); + connect(m_d->refreshtimer, SIGNAL(timeout()), this, SLOT(processSystemForRefresh())); + + //Connect signals to ensure that prioritiser knows about present channels and their visibility: + connect(m_d->mainwindow->channelManager(),SIGNAL(newChannelCreated(IVP1ChannelWidget*)),m_d->prioritiser, SLOT(channelCreated(IVP1ChannelWidget*))); + connect(m_d->mainwindow->channelManager(),SIGNAL(channelUncreated(IVP1ChannelWidget*)),m_d->prioritiser, SLOT(channelUncreated(IVP1ChannelWidget*))); + connect(m_d->mainwindow->channelManager(),SIGNAL(newChannelCreated(IVP1ChannelWidget*)),this, SLOT(channelCreated(IVP1ChannelWidget*))); + connect(m_d->mainwindow->channelManager(),SIGNAL(channelUncreated(IVP1ChannelWidget*)),this, SLOT(channelUncreated(IVP1ChannelWidget*))); + + connect(m_d->mainwindow->tabManager(),SIGNAL(visibleChannelsChanged(const QSet<IVP1ChannelWidget*>&,const QSet<IVP1ChannelWidget*>&,const double&)), + m_d->prioritiser,SLOT(visibleChannelsChanged(const QSet<IVP1ChannelWidget*>&,const QSet<IVP1ChannelWidget*>&,const double&))); + + + // Init and show the main window of VP1 + SoQt::init( m_d->mainwindow );// SoQt::init( "VP1" ); + + // check if 'batch mode' + bool batchMode = VP1QtUtils::environmentVariableIsSet("VP1_BATCHMODE"); // ::getenv("VP1_BATCHMODE"); + if(VP1Msg::debug()){ + qDebug() << "VP1ExecutionScheduler:: Do we run in 'batch' mode?" << batchMode; + } + if (batchMode) { + VP1Msg::messageWarningAllRed("User has run VP1 in 'batch-mode', so the main window of the program will not be shown."); + m_d->batchMode = true; + + // check if the user set the "all events" option as well + m_d->batchModeAllEvents = VP1QtUtils::environmentVariableIsSet("VP1_BATCHMODE_ALLEVENTS"); + + // check if the user set the "random configuration file" option as well + m_d->batchModeRandomConfig = VP1QtUtils::environmentVariableIsSet("VP1_BATCHMODE_RANDOMCONFIG"); + } + else { + m_d->mainwindow->show(); + } + + + m_d->pb = m_d->mainwindow->progressbar; + m_d->pbtimer = new QTimer(this); + connect(m_d->pbtimer, SIGNAL(timeout()), this, SLOT(updateProgressBarDuringRefresh())); + m_d->calctimethisevent=0; + m_d->currentrefreshsystemestimate=0; + + m_d->cruisemode = NONE; + m_d->cruisetimer = new QTimer(this); + connect(m_d->cruisetimer, SIGNAL(timeout()), this, SLOT(performCruise())); + m_d->cruisetab_waitingtoproceed=false; + + #if defined BUILDVP1LIGHT + bool checkDisplayMouseClicks = VP1QtUtils::expertSettingIsOn("general","ExpertSettings/VP1_DISPLAY_MOUSE_CLICKS"); + #else + bool checkDisplayMouseClicks = VP1QtUtils::environmentVariableIsOn("VP1_DISPLAY_MOUSE_CLICKS"); + #endif + + if (checkDisplayMouseClicks) { + m_d->globalEventFilter = new Imp::GlobalEventFilter; + qApp->installEventFilter(m_d->globalEventFilter); + } else { + m_d->globalEventFilter = 0; + } + + VP1AvailEvtsHttps* availEvtsHttps = dynamic_cast<VP1AvailEvtsHttps*>(availEvents); + if(availEvtsHttps) { + m_d->skipEvent = true; + VP1Authenticator* auth = new VP1Authenticator(m_d->mainwindow,availEvtsHttps->fileinfoLocation()); + + connect(auth,SIGNAL(authenticationSuccessful(QNetworkAccessManager*)), + availEvtsHttps,SLOT(start(QNetworkAccessManager*))); + connect(availEvtsHttps,SIGNAL(freshEventsChanged()), + auth,SLOT(accept())); + + SoQt::init(auth); + auth->exec(); + delete auth; + } + else + m_d->skipEvent = false; +} + +//___________________________________________________________________ +VP1ExecutionScheduler::~VP1ExecutionScheduler() +{ + m_d->refreshtimer->stop(); + delete m_d->batchUtilities; + delete m_d->mainwindow; + delete m_d->prioritiser; + delete m_d->globalEventFilter; + delete m_d; +} + +//___________________________________________________________________ +VP1ExecutionScheduler* VP1ExecutionScheduler::init( StoreGateSvc* eventStore, + StoreGateSvc* detStore, + ISvcLocator* svcLocator, + IToolSvc*toolSvc, + QStringList joboptions, + QString initialCruiseMode, + unsigned initialCruiseSeconds, + QString singleEventSource, + QString singleEventLocalTmpDir, + unsigned localFileCacheLimit, + QStringList availableLocalInputDirectories ) +{ + //First we make sure the DISPLAY variable is set (importing ROOT in + //athena.py might cause it to be unset!). + // + //NB: The following might only be relevant in X11 build: + if (VP1QtUtils::environmentVariableValue("DISPLAY").isEmpty()) { + const bool unset(!VP1QtUtils::environmentVariableIsSet("DISPLAY")); + QString alternative = VP1QtUtils::environmentVariableValue("DISPLAY_ORIG"); + if (alternative.isEmpty()) { + VP1Msg::message("ERROR: The DISPLAY environment variable is "+QString(unset?"not set":"empty")+"."); + VP1Msg::message("This is likely due to perfmon being turned on (cf. https://savannah.cern.ch/bugs/?35461 )."); + VP1Msg::message("You can work around this problem by either disabling perfmon, or by setting " + "the DISPLAY_ORIG environment variable to the contents of DISPLAY before launching your job."); + VP1Msg::message("E.g., in bash do:"); + VP1Msg::message(" export DISPLAY_ORIG=$DISPLAY"); + VP1Msg::message(""); + VP1Msg::message("For the current job, I will try with DISPLAY=\":0.0\", which is the correct value when running locally."); + alternative=":0.0"; + } else { + VP1Msg::message("WARNING: The DISPLAY environment variable is "+QString(unset?"not set":"empty")+". Setting to value found in DISPLAY_ORIG"); + } + VP1Msg::message("WARNING: Setting DISPLAY variable to '"+alternative+"'"); + VP1QtUtils::setEnvironmentVariable("DISPLAY",alternative); + } + + + + QCoreApplication::setOrganizationName("FASER"); + #if defined BUILDVP1LIGHT + QCoreApplication::setApplicationName("VP1Light"); + #else + QCoreApplication::setApplicationName("VTI12"); + #endif + QCoreApplication::setAttribute(Qt::AA_UseDesktopOpenGL); + + + + // here we check if the main (and unique!) Qt application has been initialized already. If not we initialize it. + if (qApp) { + VP1Msg::message("VP1ExecutionScheduler::init ERROR: QApplication already initialized. Expect problems!!!"); + } else { + //NB: Static to avoid scope-problems: + static int argc=1; + static char execpath[] = "/some/fake/executable/vp1"; + static char *argv[2]; + // VP1Msg::messageDebug("setting argv[0]..."); + argv[0] = execpath; + // VP1Msg::messageDebug("setting argv[1]..."); + argv[1] = NULL; + // instead of using the default Qt QApplication class, + // we now use our custom inherited class where we + // reimplemented the notify() method, in order to catch + // C++ exceptions, especially while running it inside Athena. + //new QApplication(argc, argv); + new VP1QtApplication(argc, argv); + } + + VP1AvailEvents * availEvents(0); + if (!singleEventSource.isEmpty()&&!singleEventLocalTmpDir.isEmpty()) { + const bool httpmode = singleEventSource.startsWith("http://"); + const bool httpsmode = singleEventSource.startsWith("https://"); + //Create appropriate instance: + if (httpmode) { + availEvents = new VP1AvailEvtsHttp(singleEventSource, 60/*update interval*/, 30*60/*time cut for new*/, singleEventLocalTmpDir,localFileCacheLimit); + } else if(httpsmode) { + availEvents = new VP1AvailEvtsHttps(singleEventSource, 1000/*update interval*/, 30*60/*time cut for new*/, singleEventLocalTmpDir,localFileCacheLimit); + } else { + availEvents = new VP1AvailEvtsLocalDir(5*60/*time cut for new*/, singleEventSource, + singleEventLocalTmpDir,localFileCacheLimit); + static_cast<VP1AvailEvtsLocalDir*>(availEvents)->setAvailableSourceDirectories(availableLocalInputDirectories); + + } + + } + + VP1ExecutionScheduler*scheduler = new VP1ExecutionScheduler(0,eventStore,detStore,svcLocator,toolSvc,availEvents); + + //Pass on "joboptions" + if (joboptions.empty()) { + //scheduler->m_d->mainwindow->tabManager()->addNewTab("My Tab"); + } else { + qDebug() << "config files: " << joboptions; // DEBUG + foreach(QString opt,joboptions) + scheduler->m_d->mainwindow->loadConfigurationFromFile(opt); + + if ( scheduler->m_d->batchMode ) { + if (scheduler->m_d->batchModeRandomConfig ) { + if (joboptions.size() != 0 ) { + scheduler->m_d->batchUtilities = new VP1BatchUtilities( qstringlistToVecString(joboptions) ); + } + } + QString batchNevents = VP1QtUtils::environmentVariableValue("VP1_BATCHMODE_NEVENTS"); + if (batchNevents > 0 ) { + scheduler->m_d->batchModeNEvents = batchNevents.toInt(); + } + } + } + + + if (scheduler->m_d->mainwindow->tabWidget_central->count()<=1) { + if (initialCruiseMode=="TAB") { + VP1Msg::message("ERROR: Can not start in cruisemode TAB unless there are at least 2 tabs loaded from initial .vp1 files. Reverting to cruise mode NONE."); + initialCruiseMode="NONE"; + } else if (initialCruiseMode=="BOTH") { + VP1Msg::message("ERROR: Can not start in cruisemode BOTH unless there are at least 2 tabs loaded from initial .vp1 files. Reverting to cruise mode EVENT."); + initialCruiseMode="EVENT"; + } + } + + //Set default value of cruisemode (dont use setCruiseMode() since it starts timers): + if (initialCruiseMode=="EVENT") { + scheduler->m_d->cruisemode=EVENT; + scheduler->m_d->mainwindow->radioButton_cruise_event->setChecked(true); + scheduler->m_d->mainwindow->pushButton_cruise->setChecked(true); + + } else if (initialCruiseMode=="TAB") { + scheduler->m_d->cruisemode=TAB; + scheduler->m_d->mainwindow->radioButton_cruise_tab->setChecked(true); + scheduler->m_d->mainwindow->pushButton_cruise->setChecked(true); + } else if (initialCruiseMode=="BOTH") { + scheduler->m_d->cruisemode=BOTH; + scheduler->m_d->mainwindow->radioButton_cruise_both->setChecked(true); + scheduler->m_d->mainwindow->pushButton_cruise->setChecked(true); + } else { + if (initialCruiseMode!="NONE") + VP1Msg::message("ERROR: unknown initial cruise mode "+initialCruiseMode+" (valid are NONE/EVENT/TAB/BOTH). Assuming NONE."); + scheduler->m_d->cruisemode=NONE; + scheduler->m_d->mainwindow->radioButton_cruise_event->setChecked(true); + scheduler->m_d->mainwindow->pushButton_cruise->setChecked(false); + } + + scheduler->m_d->mainwindow->request_cruisemodechange(); + + int cruisesecs = ( initialCruiseSeconds == 0 ? 0 : + std::max(scheduler->m_d->mainwindow->spinBox_cruise->minimum(), + std::min(scheduler->m_d->mainwindow->spinBox_cruise->maximum(), + static_cast<int>(initialCruiseSeconds)))); + if ( cruisesecs>0 ) + scheduler->m_d->mainwindow->spinBox_cruise->setValue(cruisesecs); + + + return scheduler; +} + +//___________________________________________________________________ +void VP1ExecutionScheduler::cleanup(VP1ExecutionScheduler*scheduler) +{ + #if defined BUILDVP1LIGHT + bool checkEnableInformOnEndOfJob = VP1QtUtils::expertSettingIsOn("expert","ExpertSettings/VP1_ENABLE_INFORM_ON_END_OF_JOB"); + #else + bool checkEnableInformOnEndOfJob = VP1QtUtils::environmentVariableIsOn("VP1_ENABLE_INFORM_ON_END_OF_JOB"); + #endif + + if (checkEnableInformOnEndOfJob && ( !scheduler||!(scheduler->m_d->mainwindow->userRequestedExit()) ) ) + QMessageBox::information(0, "End of job reached",Qt::convertFromPlainText("Job about to end.\n\nThis is most" + " likely since there are no more available events to process."),QMessageBox::Ok,QMessageBox::Ok); + + if (scheduler) { + delete scheduler; +// qApp->processEvents(QEventLoop::DeferredDeletion); // Qt 4 + qApp->processEvents(); // Qt 5 + qApp->deleteLater(); // Qt 5 + + Imp::warnIfWidgetsAlive(); + VP1HelperClassBase::warnUndeletedInstances(); + + delete qApp; + SoQt::done(); + } + + + + const QString quickExitEnv("VP1_HARD_EXIT_AT_END"); + + #if defined BUILDVP1LIGHT + bool checkHardExitAtEnd = VP1QtUtils::expertSettingIsOn("expert","ExpertSettings/"+quickExitEnv); + #else + bool checkHardExitAtEnd = VP1QtUtils::environmentVariableIsOn(quickExitEnv); + #endif + + if (checkHardExitAtEnd) { + VP1Msg::message("Hard job exit (unset "+quickExitEnv+" to disable this behaviour)."); + exit(0); + } + +} + +//___________________________________________________________________ +void VP1ExecutionScheduler::Imp::updateProgressBar() +{ + double remaining = prioritiser->estimateRemainingCalcTime(); + if (remaining>0.0) { + pb->setMaximum(static_cast<int>((calctimethisevent+remaining)*10.0)); + pb->setValue(static_cast<int>((calctimethisevent)*10.0)); + pb->show(); + if (!pbtimer->isActive()) + pbtimer->start(40);//25 "frames"/second. If it is good enough for TV, it is good enough for us. + } else { + calctimethisevent=0.0; + pb->hide(); + pb->reset(); + pbtimer->stop(); + } +} +//___________________________________________________________________ +void VP1ExecutionScheduler::updateProgressBarDuringRefresh() +{ + if (m_d->currentrefreshsystemestimate<1.0) + return; + double timing=(m_d->prioritiser->elapsedTiming_Refresh())*0.95;//The *0.95 is to give a smoother overall impression. + if (timing>m_d->currentrefreshsystemestimate) + return; + m_d->pb->setValue(static_cast<int>((m_d->calctimethisevent+timing)*10.0)); +} + + +//___________________________________________________________________ +QString VP1ExecutionScheduler::nextRequestedEventFile() const +{ + return m_d->nextRequestedEvent; +} + +//___________________________________________________________________ +void VP1ExecutionScheduler::setNextRequestedEventFile(const QString& f) +{ + m_d->nextRequestedEvent = f; +} + +//___________________________________________________________________ +bool VP1ExecutionScheduler::executeNewEvent(const int& runnumber, const unsigned long long& eventnumber, const unsigned& triggerType, const unsigned& time) +{ + VP1Msg::messageDebug("VP1ExecutionScheduler::executeNewEvent()"); + + m_d->nextRequestedEvent=""; + +#if defined BUILDVP1LIGHT + unused(runnumber,eventnumber,triggerType,time); // silences the "unused parameter" warnings when building VP1Light. In this case, in fact, those variables will be used later in loadEvent(). + if ( !firstlaunch ) { + if ( (getEvtNr() >= 0) && (getEvtNr() < m_totEvtNr) ) { // If selected event number is available in file + loadEvent(); + //Pass the event to the AOD System + std::set<IVP1System *>::iterator itsys, itsysE = m_d->mainwindow->tabManager()->selectedChannelWidget()->systems().end(); + for (itsys = m_d->mainwindow->tabManager()->selectedChannelWidget()->systems().begin();itsys!=itsysE;++itsys) { + if((*itsys)->name()=="Analysis"){ + passEvent(*itsys); + } + } + } + else if ( (getEvtNr() < 0) && (getEvtNr() >= m_totEvtNr) ) { + QMessageBox msgBox; + msgBox.setWindowTitle("No more events"); + msgBox.setText("There are no more events in this file. Returning to previous event."); + msgBox.setIcon(QMessageBox::Icon::Information); + msgBox.exec(); + } + } + else{ + firstlaunch = false; + } +#else + m_d->mainwindow->setRunEvtNumber(runnumber, eventnumber, triggerType, time, !m_d->skipEvent); +#endif + + m_d->goingtonextevent = false; + m_d->calctimethisevent=0; + m_d->currentrefreshsystemestimate=0; + m_d->updateProgressBar(); + + assert(!m_d->refreshtimer->isActive());//fixme: -> if. + + + VP1Msg::messageDebug("calling refreshtimer->start()..."); + m_d->refreshtimer->start(); + + VP1Msg::messageDebug("calling initCruise..."); + m_d->initCruise(); + VP1Msg::messageDebug("initCruise called."); + + //Flush event queue before reenabling controllers, etc.: + qApp->processEvents(); + VP1Msg::messageDebug("qApp->processEvents() called."); + + //Enable various user input: + m_d->mainwindow->groupBox_channelcontrols->setEnabled(true); + m_d->mainwindow->groupBox_cruise->setEnabled(true); + m_d->mainwindow->groupBox_event->setEnabled(true); + + + VP1Msg::messageDebug("batch mode: " + QString::number(m_d->batchMode)); + + if (m_d->batchModeRandomConfig) { + VP1Msg::messageDebug("User chose 'batch' and 'batch-random-config'. So we now replace the configuration with a random one from the input set..."); + QString randomConfigFile = QString::fromStdString( m_d->batchUtilities->getRandomConfigFile() ); + m_d->mainwindow->replaceConfigurationFile(randomConfigFile); + } + + if ( m_d->batchMode && m_d->allVisibleRefreshed() ) { // or m_d->allSystemsRefreshed ??? + VP1Msg::messageDebug("We're in batch mode, skipping the execution of the GUI..."); + } else { + VP1Msg::messageDebug("skipEvent: " + QString::number(m_d->skipEvent)); + if(m_d->skipEvent) { + VP1Msg::messageDebug("skipEvent"); + m_d->skipEvent=false; + m_d->mainwindow->nextEvent(); + } + else { + VP1Msg::messageDebug("calling qApp->exec()..."); + qApp->exec();//NOTE!!! We then exit the exec() when someone pushes the "next event" button. + } + } + + VP1Msg::messageDebug("Disabling user inputs..."); + //Disable various user input: + m_d->mainwindow->groupBox_channelcontrols->setEnabled(false); + m_d->mainwindow->groupBox_cruise->setEnabled(false); + m_d->mainwindow->groupBox_event->setEnabled(false); + + m_d->goingtonextevent = true; + + if (m_d->refreshtimer->isActive()) { + m_d->refreshtimer->stop(); + } + m_d->pb->hide(); + m_d->pb->reset(); + m_d->pbtimer->stop(); + //Fixme: Refresh all accumulators that still needs refresh (or just have the button disabled until now) + + //Fixme: wait here until end of any active refreshing... + + VP1Msg::messageDebug("Erasing systems..."); + assert(!m_d->currentsystemrefreshing); + foreach(IVP1System*s,m_d->prioritiser->getSystemsToEraseByPriority()) { + qApp->processEvents(QEventLoop::ExcludeUserInputEvents|QEventLoop::ExcludeSocketNotifiers); + eraseSystem(s); + } + + ++m_d->eventsProcessed; // we don't use Athena's tools for this, so we can use this in VP1Light as well. + VP1Msg::messageDebug("event processed. " + QString::number(m_d->eventsProcessed) + " events processed so far."); + + //Let channels know we are going to the next event now: + foreach(IVP1ChannelWidget*cw, m_d->mainwindow->tabManager()->allChannels()) { + cw->goingToNextEvent(); + } + + qApp->processEvents(QEventLoop::ExcludeUserInputEvents|QEventLoop::ExcludeSocketNotifiers); + + + VP1Msg::messageDebug("mainwindow->mustQuit ? " + QString::number(m_d->mainwindow->mustQuit()) ); + return !m_d->mainwindow->mustQuit(); +} + +//___________________________________________________________________ +void VP1ExecutionScheduler::eraseSystem(IVP1System*s) { + + VP1Msg::messageDebug("VP1ExecutionScheduler::eraseSystem()"); + + assert(s->state()==IVP1System::REFRESHED); + assert(!s->isRefreshing()); + + QString base = QString(s->name())+" from channel "+s->channel()->unique_name(); + m_d->mainwindow->statusBar()->showMessage( "Erasing system ["+base+"]" ); + VP1Msg::messageDebug("ERASING - " + base); + + s->disallowUpdateGUI(); + s->erase();//fixme: time? + s->setState(IVP1System::ERASED); + m_d->mainwindow->statusBar()->showMessage( "Post-erase update to channel ["+base+"]" ); + s->channel()->systemErased(s);//fixme: time? + m_d->mainwindow->statusBar()->clearMessage(); +} + +//___________________________________________________________________ +void VP1ExecutionScheduler::systemNeedErase() { + IVP1System*s = static_cast<IVP1System*>(sender()); + assert(s); + if (m_d->currentsystemrefreshing!=s) { + eraseSystem(s); + } else { + assert(s->isRefreshing()); + m_d->eraseJustAfterRefresh=true; + } +} + +//___________________________________________________________________ +void VP1ExecutionScheduler::processSystemForRefresh() +{ + assert(!m_d->goingtonextevent); + if (m_d->currentsystemrefreshing) + return; + + IVP1System * s = m_d->prioritiser->nextErasedActiveSystemByPriority(); + if (s) { + refreshSystem(s); + } else { + assert(m_d->refreshtimer->isActive());//fixme: -> if. ??? + //if (refreshtimer->isActive()) + m_d->refreshtimer->stop(); + m_d->pb->hide(); + m_d->pb->reset(); + m_d->pbtimer->stop(); + } +} + +//___________________________________________________________________ +void VP1ExecutionScheduler::channelCreated(IVP1ChannelWidget* cw) +{ + std::set<IVP1System*>::const_iterator it, itE = cw->systems().end(); + for (it=cw->systems().begin();it!=itE;++it) { + qInfo() << "System name:" << (*it)->name(); + connect(*it,SIGNAL(inactiveSystemTurnedActive()),this,SLOT(startRefreshQueueIfAppropriate())); + connect(*it,SIGNAL(needErase()),this,SLOT(systemNeedErase())); + #ifdef BUILDVP1LIGHT + connect(*it,SIGNAL(signalLoadEvent(IVP1System*)),this,SLOT(passEvent(IVP1System*))); + #endif // BUILDVP1LIGHT + } + startRefreshQueueIfAppropriate(); + +} + +//___________________________________________________________________ +void VP1ExecutionScheduler::channelUncreated(IVP1ChannelWidget* cw) +{ + std::set<IVP1System*>::const_iterator it, itE = cw->systems().end(); + for (it=cw->systems().begin();it!=itE;++it) + disconnect(*it,SIGNAL(inactiveSystemTurnedActive()),this,SLOT(startRefreshQueueIfAppropriate())); +} + +//___________________________________________________________________ +void VP1ExecutionScheduler::startRefreshQueueIfAppropriate() +{ + if (!m_d->goingtonextevent&&!m_d->refreshtimer->isActive()) + m_d->refreshtimer->start(); +} + +//___________________________________________________________________ +bool VP1ExecutionScheduler::isRefreshing() const +{ + return m_d->currentsystemrefreshing; +} + +//___________________________________________________________________ +void VP1ExecutionScheduler::refreshSystem(IVP1System*s) +{ + QString sysname = s->name(); + VP1Msg::messageDebug("VP1ExecutionScheduler::refreshSystem() - system: " + sysname); + + m_d->updateProgressBar(); + + assert(s->state()==IVP1System::ERASED); + assert(s->activeState()==IVP1System::ON); + assert(!m_d->currentsystemrefreshing); + + m_d->currentrefreshsystemestimate = m_d->prioritiser->beginTiming_Refresh(s); + m_d->currentsystemrefreshing = s; + + QString base = QString(s->name())+" from channel "+s->channel()->unique_name(); + m_d->mainwindow->statusBar()->showMessage( "Refreshing system ["+base+"]" ); + + s->allowUpdateGUI(); + s->setRefreshing(true); + refreshingStatusChanged(true); + s->channel()->emitRefreshInfoChanged(); + s->refresh(VP1AthenaPtrs::eventStore()); + s->setState(IVP1System::REFRESHED); + s->setRefreshing(false); + s->disallowUpdateGUI(); + + m_d->mainwindow->statusBar()->showMessage( "Post-refresh update to channel ["+base+"]" ); + s->channel()->systemRefreshed(s);//fixme: time independently? + + m_d->mainwindow->statusBar()->clearMessage(); + m_d->currentsystemrefreshing = 0; + m_d->calctimethisevent += m_d->prioritiser->endTiming_Refresh(); + m_d->currentrefreshsystemestimate=0; + m_d->updateProgressBar(); + + refreshingStatusChanged(false); + s->channel()->emitRefreshInfoChanged(); + + VP1Msg::messageDebug("checking if all systems have refreshed..."); + if (hasAllActiveSystemsRefreshed(s->channel())) { + + VP1Msg::messageDebug("All systems refreshed! - last system refreshed! - system: " + sysname); + s->channel()->lastOfActiveSystemsRefreshed(); + + m_d->allSystemsRefreshed = true; // check if that is fine for multiple channels window: i.e. VP1 instances with a couple of 3DCkocktail windows, for example. + + } // end of hasAllActiveSystemsRefreshed() + + m_d->performPostRefreshCruiseActions(s->channel()); + + if (m_d->eraseJustAfterRefresh) { + //Someone asked to erase the system while it was refreshing! + m_d->eraseJustAfterRefresh=false; + //Check that it still needs to (maybe it was flicked back to ON by the impatient user) + if (s->activeState()==IVP1System::OFF) + eraseSystem(s); + } + if (m_d->postponedUncreateAndDeleteCW) { + actualUncreateAndDelete(m_d->postponedUncreateAndDeleteCW); + m_d->postponedUncreateAndDeleteCW=0; + } + + VP1Msg::messageDebug("end of refreshing the system: " + sysname); + +// // if in "batch mode", now exit from VP1 +// if (m_d->batchMode) { +// +//// if (hasAllActiveSystemsRefreshed(s->channel())) { +//// VP1Msg::messageWarningRed("All systems refreshed!"); +// +// VP1Msg::messageWarningRed("'batch mode'. Now exiting VP1"); +// +// // N.B. calling QApplication::quit() here it makes move to the next event; +// // NOTE!!!! It can be useful for a batch mode on all events of one single file!! +// // TODO: An additional switch to the command line batch option should be implemented +// //QApplication::quit(); +// +// //for the moment, we only quit VP1. +// //To quit the application completely, we have to call "MainWindow::close()" +// m_d->mainwindow->close(); +//// } +// +// } + + // *************************** + // we now run all the things + // that need to be done + // after all tabs are drawn... + // *************************** + if ( hasAllActiveSystemsRefreshed(s->channel()) ) { + + + if (m_d->batchMode) { + + VP1Msg::messageDebug("we are in 'batch-mode'..."); + VP1Msg::messageDebug("batchModeNEvents: " + QString::number(m_d->batchModeNEvents) + " - m_d->eventsProcessed: " + QString::number(m_d->eventsProcessed) ); + + // saving the snapshot of the 3D window to a file + QString save_ok = saveSnaphsotToFile(s, true); + if (save_ok == "") { + VP1Msg::messageWarningAllRed("FAILED! The snapshot for the channel '" + s->channel()->name() + "' has not been saved!"); + } else { + VP1Msg::message("OK! Snapshot saved to file: " + save_ok); + } + + + if (m_d->batchModeAllEvents) { + VP1Msg::messageWarningAllRed("******************************************************************"); + VP1Msg::messageWarningAllRed("'batch mode' with 'all events' option. Moving to the next event..."); + VP1Msg::messageWarningAllRed("******************************************************************"); + // N.B. calling QApplication::quit() here it makes VP1 move to the next event; + QApplication::quit(); + // Now, VP1ExecutionScheduler::executeNewEvent() will end, then VP1Gui::executeNewEvent() will end, then they will start again: first VP1Gui then VP1ExecutionScheduler. + } else if ( m_d->batchModeNEvents > 0 ) { + if ( m_d->batchModeNEvents == m_d->eventsProcessed+1) { // here we use +1 because this is performed after the creation of the event snapshot. //TODO: maybe we can move this to a more natural place, at the beginning or at the end of an event + VP1Msg::messageWarningAllRed("******************************************************************"); + VP1Msg::messageWarningAllRed("'batch mode' with 'batch-n-events' option. Processed the " + QString::number(m_d->eventsProcessed+1) + " events set by the user. Now exiting VP1"); + VP1Msg::messageWarningAllRed("******************************************************************"); + m_d->mainwindow->close(); + } else { + VP1Msg::messageWarningAllRed("'batch mode' with 'batch-n-events' option. Moving to the next event..."); + // N.B. calling QApplication::quit() here it makes VP1 move to the next event; + QApplication::quit(); + // Now, VP1ExecutionScheduler::executeNewEvent() will end, then VP1Gui::executeNewEvent() will end, then they will start again: first VP1Gui then VP1ExecutionScheduler. + } + } + else { + // We come here if the user did not choose to run batch mode on all events. + // Thus, we want to close VP1 completely. + // So, in order to do that, we have to call "MainWindow::close()" + VP1Msg::messageWarningRed("'batch mode'. Done. Now exiting VP1"); + m_d->mainwindow->close(); + } + + + } + } +} + +//___________________________________________________________________ +QString VP1ExecutionScheduler::saveSnaphsotToFile(IVP1System* s, bool batch) +{ + QString chnlname = s->name().toLower(); + VP1Msg::messageDebug("VP1ExecutionScheduler::saveSnaphsotToFile() - taking the snapshot of the channel " + chnlname ); + + QString currentsaveimagepath = VP1Settings::defaultFileSelectDirectory() + QDir::separator(); + + + if (batch) { + + VP1Msg::messageDebug("Note: 'batch-mode'"); + + + // A FOLDER CONTAINER + QString folderName = ""; + + // check if use specified an output folder for the batch job + QString batchOutFolder = VP1QtUtils::environmentVariableValue("VP1_BATCHMODE_OUT_FOLDER"); // ::getenv("VP1_BATCHMODE"); + if ( ! (batchOutFolder == "") ) { + VP1Msg::messageDebug("Setting 'batch' output folder from user's settings"); + folderName = batchOutFolder; + } + else + folderName = "atlas_vp1_batch_images"; + + // check if the folder already exists, if not make a new folder + QDir dir(folderName); + if (!dir.exists()) { + dir.mkpath("."); + } + + QString folder; + if (folderName.startsWith("/")) + folder = folderName + QDir::separator(); + else + folder = currentsaveimagepath + folderName + QDir::separator(); + + VP1Msg::messageDebug("folder set: " + folder); + + + // EVENT INFO AND TIMESTAMP + + QString runnumb = QString::number(m_d->mainwindow->getRunNumber()); + QString evnumb = QString::number(m_d->mainwindow->getEventNumber()); + QString evtimestamp = QString::number(m_d->mainwindow->getEventTimestamp()); + + time_t t_evttimestamp = m_d->mainwindow->getEventTimestamp(); + tm * human_evtimestamp = localtime(&t_evttimestamp); + + std::ostringstream h_evtimestamp_ostri; + h_evtimestamp_ostri << 1900 + human_evtimestamp->tm_year + << "-" << 1 + human_evtimestamp->tm_mon // tm_mon is in the range [0, 11], so 1 must be added to get real months + << "-" << human_evtimestamp->tm_mday + << "T" << human_evtimestamp->tm_hour << "-" << human_evtimestamp->tm_min << "-" << human_evtimestamp->tm_sec << "CEST"; + + std::string h_evtimestamp_str = h_evtimestamp_ostri.str(); + QString h_evtimestamp = QString::fromStdString(h_evtimestamp_str); + + // IMAGE TIMESTAMP + + time_t t_timestamp = time(0); // get time now; + tm *ltm = localtime(&t_timestamp); + + // print various components of tm structure. + VP1Msg::messageDebug( "Year: "+ QString::number(1900 + ltm->tm_year) + + " - " + "Month: " + QString::number(1 + ltm->tm_mon) + " - " // tm_mon is in the range [0, 11], so 1 must be added to get real months + + "Day: " + QString::number(ltm->tm_mday) + + " - " "Time: " + QString::number(ltm->tm_hour) + ":" + QString::number(ltm->tm_min) + ":" + QString::number(ltm->tm_sec) + "CEST"); + + std::ostringstream ostri_unix; + ostri_unix << t_timestamp; + + std::ostringstream ostri; + ostri << 1900 + ltm->tm_year + << "-" << 1 + ltm->tm_mon // tm_mon is in the range [0, 11], so 1 must be added to get real months + << "-" << ltm->tm_mday + << "T" << ltm->tm_hour << "-" << ltm->tm_min << "-" << ltm->tm_sec << "CEST"; + + std::string unixTimestamp = ostri_unix.str(); + std::string humanTimestamp = ostri.str(); + QString q_unixTimestamp = QString::fromStdString(unixTimestamp); + QString q_humanTimestamp = QString::fromStdString(humanTimestamp); + VP1Msg::messageDebug("Unix timestamp: " + q_unixTimestamp ); + VP1Msg::messageDebug("'human readable' timestamp: " + q_humanTimestamp ); + + /* channel's name is the name of the last channel updated by the executer, + * i.e. the name changes according to the order the channels are refreshed. + * Thus, we don't use the channel's name in the filename, + * because it could be misleading. + */ + //QString filename = currentsaveimagepath + "vp1_" + chnlname + "_snapshot_" + q_humanTimestamp + ".png"; + QString filename = folder + "vp1_batch_snapshot_r" + runnumb + "_ev" + evnumb + "_evtime_H" + h_evtimestamp + "_U" + evtimestamp + "___imgtime_H" + q_humanTimestamp + "_U" + q_unixTimestamp + ".png"; + + // taking the actual snapshot + QPixmap pm = s->channel()->getSnapshot(); + if (pm.isNull()) { + VP1Msg::messageDebug("QPixmap is null! returning..."); + return QString(); + } + + // saving to file + pm.save(filename); + + // save last-saved image filename to working dir + QString latestImageFileName = currentsaveimagepath + QString("latest_vp1image"); + QFile latestImage(latestImageFileName); + if(latestImage.exists() && !latestImage.remove()) + throw std::runtime_error("Unable to overwrite the existing latest image file"); + if(!latestImage.open(QIODevice::WriteOnly | QIODevice::Text)) + throw std::runtime_error("Unable to create new latest image file"); + latestImage.write(filename.toStdString().c_str()); + latestImage.close(); + + + return filename; + } + + // default exit + return QString();//filename; + +} + + + +//___________________________________________________________________ +void VP1ExecutionScheduler::bringFromConstructedToReady(IVP1ChannelWidget*cw) +{ + assert(cw->state()==IVP1ChannelWidget::CONSTRUCTED); + + connect(cw,SIGNAL(message(const QString&)),m_d->mainwindow,SLOT(channelAddToMessageBox(const QString&))); + + std::set<IVP1System *>::iterator itsys, itsysE = cw->systems().end(); + for (itsys = cw->systems().begin();itsys!=itsysE;++itsys) { + assert((*itsys)->state()==IVP1System::CONSTRUCTED); + connect((*itsys),SIGNAL(sysmessage(const QString&)),m_d->mainwindow,SLOT(systemAddToMessageBox(const QString&))); + } + itsysE = cw->systems().end(); + for (itsys = cw->systems().begin();itsys!=itsysE;++itsys) { + (*itsys)->setCanRegisterController(true); + (*itsys)->create(VP1AthenaPtrs::detectorStore()); + (*itsys)->setCanRegisterController(false); + (*itsys)->setState(IVP1System::ERASED); + } + assert(cw->state()==IVP1ChannelWidget::CONSTRUCTED); + cw->setCanRegister(true,false);//Ok to register controllers during create. + cw->create(); + cw->setCanRegister(false,false); + cw->setState(IVP1ChannelWidget::READY); + + assert(cw->state()==IVP1ChannelWidget::READY); + //Fixme: statusbar!!!!! +} + +//___________________________________________________________________ +void VP1ExecutionScheduler::uncreateAndDelete(IVP1ChannelWidget*cw) +{ + assert(cw->state()==IVP1ChannelWidget::READY); + if (m_d->currentsystemrefreshing&&cw->systems().find(m_d->currentsystemrefreshing)!=cw->systems().end()) { + assert(!m_d->postponedUncreateAndDeleteCW); + m_d->postponedUncreateAndDeleteCW=cw; + } else { + actualUncreateAndDelete(cw); + } +} + +//___________________________________________________________________ +void VP1ExecutionScheduler::actualUncreateAndDelete(IVP1ChannelWidget*cw) +{ + assert(cw->state()==IVP1ChannelWidget::READY); + cw->setUpdatesEnabled(false);//Just because... + + //From this point on, we are not interested in signals from the channel (and its systems) that could disturb us: + std::set<IVP1System *>::iterator itsys, itsysE = cw->systems().end(); + for (itsys = cw->systems().begin();itsys!=itsysE;++itsys) { + (*itsys)->blockSignals(true); + disconnect(*itsys,0,0,0); + } + cw->blockSignals(true); + disconnect(cw,0,0,0); + + //Make sure that all systems gets in the ERASED state. Throw assert if any is presently refreshing (BAD PROGRAMMER!!) + for (itsys = cw->systems().begin();itsys!=itsysE;++itsys) { + assert(m_d->currentsystemrefreshing!=(*itsys)); + if ((*itsys)->state()==IVP1System::REFRESHED) + eraseSystem(*itsys); + } + + //Uncreate systems: + for (itsys = cw->systems().begin();itsys!=itsysE;++itsys) { + assert((*itsys)->state()==IVP1System::ERASED); + (*itsys)->uncreate(); + (*itsys)->setState(IVP1System::UNCREATED); + } + + //Uncreate channel: + assert(cw->state()==IVP1ChannelWidget::READY); + cw->uncreate();//Fixme: Return codes!! + cw->setState(IVP1ChannelWidget::UNCREATED); + + assert(cw->state()==IVP1ChannelWidget::UNCREATED); + + cw->deleteControllers();//Also deletes system controllers. + + //Delete: + cw->deleteLater(); + +} + +//___________________________________________________________________ +void VP1ExecutionScheduler::Imp::warnIfWidgetsAlive() +{ + QSet<QWidget*> w_ignore, wl = QApplication::allWidgets().toSet(); + w_ignore<<qApp->desktop(); + foreach (QObject*o,qApp->children()) { + if (o->isWidgetType()) + w_ignore << static_cast<QWidget*>(o); + } + foreach (QWidget * w, wl) { + if (w->objectName().startsWith("internal clipboard")) + w_ignore << w; + if (w->objectName()=="empty_widget") + w_ignore << w; + } + wl.subtract(w_ignore); + if (!wl.empty()) { + std::cout<<std::endl; + std::cout<<"VP1 WARNING: "<<wl.count()<< " widget"<<(wl.count()>1?"s":"")<<" left at end of job:"<<std::endl; + int i(0); + foreach(QWidget*w,wl) { + std::cout<<++i<<") Address="<<w<<", ObjectName="<<w->objectName().toStdString()<<", ClassName="<<w->metaObject()->className()<<std::endl; + } + std::cout<<std::endl; + } +} + +//___________________________________________________________________ +bool VP1ExecutionScheduler::hasAllActiveSystemsRefreshed( IVP1ChannelWidget* cw ) const +{ + VP1Msg::messageDebug("VP1ExecutionScheduler::hasAllActiveSystemsRefreshed() - channelWidget: " + cw->name()); + + std::set<IVP1System*>::const_iterator it, itE = cw->systems().end(); + int i=0; + for (it=cw->systems().begin();it!=itE;++it) { + + /* + * enum State { CONSTRUCTED=0, REFRESHED, ERASED, UNCREATED }; + * enum ActiveState { ON=0, OFF };//Whether it is part of the erase/refresh cycle. + */ + if (VP1Msg::verbose()) { + QString name = QString((*it)->name()); + QString active = QString::number((*it)->activeState()); + QString state = QString::number((*it)->state()); + std::cout << i << " - name: " << name.toStdString() << " - active: " << active.toStdString() << " - refreshed: " << state.toStdString() << std::endl; + } + if ((*it)->activeState()==IVP1System::ON&&(*it)->state()!=IVP1System::REFRESHED) + return false; + + i++; + } + + return true; +} + +//___________________________________________________________________ +bool VP1ExecutionScheduler::Imp::allVisibleRefreshed() const +{ + foreach(IVP1ChannelWidget*cw,mainwindow->tabManager()->visibleChannels()) + if (!scheduler->hasAllActiveSystemsRefreshed(cw)) + return false; + return true; +} + +//___________________________________________________________________ +bool VP1ExecutionScheduler::Imp::allSoonVisibleRefreshed() const +{ + foreach(IVP1ChannelWidget*cw,mainwindow->tabManager()->soonVisibleChannels()) + if (!scheduler->hasAllActiveSystemsRefreshed(cw)) + return false; + return true; +} + +//___________________________________________________________________ +void VP1ExecutionScheduler::Imp::performPostRefreshCruiseActions(IVP1ChannelWidget*cw) { + + //Abort if not in cruise mode, or if the system just refreshed did + //not make cw fully refreshed: + if (cruisemode==NONE||!scheduler->hasAllActiveSystemsRefreshed(cw)) + return; + + if (cruisemode==EVENT) { + //Abort if this refresh did not make all visible channels refreshed: + if (!mainwindow->tabManager()->isVisible(cw)||!allVisibleRefreshed()) + return; + //Start the countdown for the next event: + assert(!cruisetimer->isActive()); + cruisetimer->start(mainwindow->spinBox_cruise->value()*1000); + return; + } else if (cruisemode==TAB) { + if (cruisetab_waitingtoproceed) { + //We are waiting for channels in the next tab to refresh before + //we can move on, so we should check if this channel refresh + //made all soonvisible channels refreshed. If so: move on. + if (allSoonVisibleRefreshed()) { + mainwindow->tabManager()->showNextTab(); + cruisetab_waitingtoproceed=false; + //If now all visible are refreshed, we start the timer again. + if (allVisibleRefreshed()) + cruisetimer->start(mainwindow->spinBox_cruise->value()*1000); + } + } else { + //Same as in the EVENT case: Check if it is time to start the countdown: + //Abort if this refresh did not make all visible channels refreshed: + if (!mainwindow->tabManager()->isVisible(cw)||!allVisibleRefreshed()) + return; + //Start the countdown for the next event: + assert(!cruisetimer->isActive()); + cruisetimer->start(mainwindow->spinBox_cruise->value()*1000); + return; + } + + return; + } else { + assert(cruisemode==BOTH); + assert(0&&"not implemented"); + } +} + +//___________________________________________________________________ +void VP1ExecutionScheduler::Imp::initCruise() +{ + //No matter what we stop the timer when changing mode or starting a new event. + if (cruisetimer->isActive()) + cruisetimer->stop(); + cruisetab_waitingtoproceed=false; + + //FIXME: DO STUFF HERE + + switch (cruisemode) { + case NONE: + VP1Msg::messageVerbose("initCruise NONE"); + break; + case TAB: + if (allVisibleRefreshed()) + cruisetimer->start(mainwindow->spinBox_cruise->value()*1000); + VP1Msg::messageVerbose("initCruise TAB"); + break; + case EVENT: + //Start cruise countdown if all visible refreshed: + if (allVisibleRefreshed()) + cruisetimer->start(mainwindow->spinBox_cruise->value()*1000); + VP1Msg::messageVerbose("initCruise EVENT"); + break; + case BOTH: + VP1Msg::messageVerbose("initCruise BOTH"); + break; + default: + assert(0&&"UNKNOWN CRUISE MODE"); + break; + } +} + +//___________________________________________________________________ +void VP1ExecutionScheduler::setCruiseMode(const CruiseMode& m) +{ + if (m_d->cruisemode == m) + return; + m_d->cruisemode = m; + + m_d->mainwindow->tabManager()->setTabCruiseMode(m==TAB||m==BOTH); + + m_d->initCruise(); + +} + +//Fixme: abort cruise when this and that... (or, sometimes just reset timer). + +//___________________________________________________________________ +void VP1ExecutionScheduler::performCruise() +{ + //In any case, we should stop the timer (fixme: What if there are 0 visible channels - when will the timer get started again?): + m_d->cruisetimer->stop(); + + if (!m_d->mainwindow->okToProceedToNextEvent()) { + //Hmm. Would like to cruise, but that is not ok. Check back in a few seconds. + m_d->cruisetimer->start( (m_d->mainwindow->spinBox_cruise->value() > 5 ? 3000 : 1000) ); + return; + } + + assert(!m_d->goingtonextevent);//Otherwise it is a bit silly? + + switch (m_d->cruisemode) { + case NONE: + assert(0&&"should never happen"); + break; + case TAB: + assert(m_d->cruisetab_waitingtoproceed==false); + if (m_d->allSoonVisibleRefreshed()) { + m_d->mainwindow->tabManager()->showNextTab(); + //If now all visible are refreshed, we start the timer again. + if (m_d->allVisibleRefreshed()) + m_d->cruisetimer->start(m_d->mainwindow->spinBox_cruise->value()*1000); + } else { + m_d->cruisetab_waitingtoproceed=true; + } + break; + case EVENT: + m_d->mainwindow->goToNextEvent(); + VP1Msg::messageDebug("Crusing to next event"); + break; + case BOTH: + assert(0&&"Not implemented"); + VP1Msg::messageDebug("ERROR: BOTH cruise mode not implemented"); + break; + default: + assert(0&&"UNKNOWN CRUISE MODE"); + VP1Msg::messageDebug("ERROR: Unknown cruise mode"); + break; + } +} + +//___________________________________________________________________ +QStringList VP1ExecutionScheduler::userRequestedFiles() +{ + return m_d->mainwindow->userRequestedFiles(); +} + + +//When in tabcruise mode: +// 1) We know that we are not in single-channel FS mode. +// 2) Soonvisible next + +//FS tab mode: What about floating dock widgets? Rather high priority, but those in next tab should get next... + +//Actually: Floating widgets from other tabs should get docked anyway when going FS-tab when in cruise-TAB mode... + + +//___________________________________________________________________ +#ifdef BUILDVP1LIGHT +void VP1ExecutionScheduler::loadEvent(){ + // Get the name of the application: + const char* appName = "VP1Light"; + + // Initialize the environment: + if( !xAOD::Init( appName ).isSuccess() ) { + ::Error( appName, XAOD_MESSAGE( "Failed to execute xAOD::Init" ) ); + return; + } + + m_event = new xAOD::TEvent( xAOD::TEvent::kAthenaAccess ); + + // Get local xAOD and set valid xAOD path + QSettings settings("ATLAS", "VP1Light"); + std::string path = settings.value("aod/path").toString().toStdString(); + + // Open xAOD file and read it in + m_ifile = ::TFile::Open( path.c_str(), "READ" ); + if( ! m_ifile ) { + ::Error( appName, XAOD_MESSAGE( "File %s couldn't be opened..." ), + path.c_str() ); + return; + } + if( !m_event->readFrom( m_ifile ).isSuccess() ) { + ::Error( appName, XAOD_MESSAGE( "Failed to read from xAOD file %s" ), + path.c_str() ); + return; + } + + // Check if file is empty: + if( m_event->getEntry( 0 ) < 0 ) { + ::Error( appName, XAOD_MESSAGE( "Couldn't load entry 0 from file %s" ), + path.c_str() ); + return; + } + + //Load the current event + m_event->getEntry( m_evtNr ); + + // List for available collections + QStringList jetList; + QStringList vertexList; + QStringList otherList; + QStringList caloClusterList; + QStringList trackParticleList; + QStringList muonList; + QStringList electronList; + + + // // Loop over all entries in the CollectionTree + TTree* ct = (TTree*)m_ifile->Get("CollectionTree"); + m_totEvtNr = ct->GetEntriesFast(); + for (int i = 0; i<ct->GetListOfBranches()->GetEntries();i++){ + std::string className = ct->GetBranch(ct->GetListOfBranches()->At(i)->GetName())->GetClassName(); + + // Store collections in their respective QStringList + if(split(className,"_v[1-9]")=="DataVector<xAOD::Vertex>"){ + vertexList << ct->GetListOfBranches()->At(i)->GetName(); + } + if(split(className,"_v[1-9]")=="xAOD::MissingETContainer"){ + otherList << ct->GetListOfBranches()->At(i)->GetName(); + } + if(split(className,"_v[1-9]")=="DataVector<xAOD::Jet>"){ + jetList << ct->GetListOfBranches()->At(i)->GetName(); + } + if(split(className,"_v[1-9]")=="DataVector<xAOD::CaloCluster>"){ + caloClusterList << ct->GetListOfBranches()->At(i)->GetName(); + } + if(split(className,"_v[1-9]")=="DataVector<xAOD::TrackParticle>"){ + trackParticleList << ct->GetListOfBranches()->At(i)->GetName(); + } + if(split(className,"_v[1-9]")=="DataVector<xAOD::Muon>"){ + muonList << ct->GetListOfBranches()->At(i)->GetName(); + } + if(split(className,"_v[1-9]")=="DataVector<xAOD::Electron>"){ + electronList << ct->GetListOfBranches()->At(i)->GetName(); + } + } + + //Fill the collection lists + m_list.append(vertexList); + m_list.append(otherList); + m_list.append(jetList); + m_list.append(caloClusterList); + m_list.append(trackParticleList); + m_list.append(muonList); + m_list.append(electronList); + + // Get the event info: + const xAOD::EventInfo *eventInfo = nullptr; + if( !m_event->retrieve (eventInfo, "EventInfo").isSuccess() ) { + VP1Msg::messageWarningRed("Failed to retrieve EventInfo"); + return; + } + // Save Event info + m_d->mainwindow->setRunEvtNumber(eventInfo->runNumber(),eventInfo->eventNumber(),eventInfo->level1TriggerType(),eventInfo->timeStamp()); + + // Update the GUI event counter + QString currentEvt = "Event: " + QString::number(getEvtNr()+1) + "/" + QString::number(getTotEvtNr()); + m_d->mainwindow->pushButton_eventselect->setText(currentEvt); +} + +//____________________________________________________________________ +void VP1ExecutionScheduler::passEvent(IVP1System* sys){ + sys->setEvent(m_event); + sys->setObjectList(m_list); +} + +//____________________________________________________________________ +QString VP1ExecutionScheduler::split(const std::string& input, const std::string& regex) { + std::regex re(regex); + std::sregex_token_iterator first{input.begin(), input.end(), re, -1}, last; + std::vector<std::string> vec = {first, last}; + QStringList list; + for (unsigned int i=0;i<vec.size();i++){ + list << QString::fromStdString(vec[i]); + } + return list.join(""); +} +#endif // BUILDVP1LIGHT diff --git a/graphics/VTI12/VTI12Gui/src/VP1ExpertSettings.cxx b/graphics/VTI12/VTI12Gui/src/VP1ExpertSettings.cxx new file mode 100644 index 0000000000000000000000000000000000000000..e6e1c60ec763e924bede399b7a251647dce591b5 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/VP1ExpertSettings.cxx @@ -0,0 +1,551 @@ +/* + Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +*/ + +////////////////////////////////////////////////////////////////////////// +// // +// Source file for class VP1ExpertSettings // +// // +// Description: Additional VP1 settings // +// // +// Author: Sebastian Andreas Merkt (sebastian.andreas.merkt@cern.ch) // +// Initial version: August 2017 // +// // +////////////////////////////////////////////////////////////////////////// + +#include "VTI12Gui/VP1ExpertSettings.h" +#include "VP1Base/VP1QtUtils.h" +#include "VP1Base/VP1Msg.h" + +#include <QPushButton> +#include <QGridLayout> +#include <QLabel> +#include <QComboBox> +#include <QCheckBox> +#include <QDir> +#include <QKeyEvent> + +#include <QtWidgets> + + +template <typename... Args> inline void unused(Args&&...) {} // to declare variables as 'unused' + + + +VP1ExpertSettings::VP1ExpertSettings(QWidget *parent) : QDialog(parent) +{ + + m_tabWidget = new QTabWidget; + GeneralTab *generalTab = new GeneralTab(); + AdvancedTab *advancedTab = new AdvancedTab(); + m_tabWidget->addTab(generalTab, tr("Settings")); + connect(generalTab, &GeneralTab::signalScreenshotDirChanged, this, &VP1ExpertSettings::setScreenshotDir); + + #if defined BUILDVP1LIGHT + QString pluginPath=VP1QtUtils::expertSettingValue("expert","ExpertSettings/VP1PLUGINPATH"); + QString fileSelectDir=VP1QtUtils::expertSettingValue("expert","ExpertSettings/VP1_FILESELECTDIR"); + QString screenshotDir=VP1QtUtils::expertSettingValue("general","ExpertSettings/VP1_SCREENSHOTS_DIR"); + QString authLog=VP1QtUtils::expertSettingValue("expert","ExpertSettings/VP1_AUTH_ENABLELOG"); + + if(VP1QtUtils::expertSettingIsOn("general", "ExpertSettings/enableExpertSettings")){ + m_tabWidget->addTab(advancedTab, tr("Advanced")); + connect(advancedTab, &AdvancedTab::signalPluginPathChanged, this, &VP1ExpertSettings::setPluginPath); + connect(advancedTab, &AdvancedTab::signalFileSelectDirChanged, this, &VP1ExpertSettings::setFileSelectDir); + connect(advancedTab, &AdvancedTab::signalAuthLogChanged, this, &VP1ExpertSettings::setAuthLog); + } + #else + QString pluginPath=VP1QtUtils::environmentVariableValue("VP1PLUGINPATH"); + QString fileSelectDir=VP1QtUtils::environmentVariableValue("VP1_FILESELECTDIR"); + QString screenshotDir=VP1QtUtils::environmentVariableValue("VP1_SCREENSHOTS_DIR"); + QString authLog=VP1QtUtils::environmentVariableValue("VP1_AUTH_ENABLELOG"); + + // Always enable Advanced settings for VP1 + m_tabWidget->addTab(advancedTab, tr("Advanced")); + connect(advancedTab, &AdvancedTab::signalPluginPathChanged, this, &VP1ExpertSettings::setPluginPath); + connect(advancedTab, &AdvancedTab::signalFileSelectDirChanged, this, &VP1ExpertSettings::setFileSelectDir); + connect(advancedTab, &AdvancedTab::signalAuthLogChanged, this, &VP1ExpertSettings::setAuthLog); + #endif + + m_buttonBox = new QDialogButtonBox(QDialogButtonBox::Ok); + + connect(m_buttonBox, &QDialogButtonBox::accepted, this, &QDialog::close); + // connect(buttonBox, &QDialogButtonBox::rejected, this, &QDialog::reject); + + QVBoxLayout *mainLayout = new QVBoxLayout; + mainLayout->addWidget(m_tabWidget); + mainLayout->addWidget(m_buttonBox); + setLayout(mainLayout); + + this->setWindowTitle(tr("VP1 Settings")); + + +} + +void VP1ExpertSettings::closeEvent(QCloseEvent *event) +{ + //Update settings + #if defined BUILDVP1LIGHT + VP1Msg::enableMsg("general", "ExpertSettings/VP1_VERBOSE_OUTPUT"); + VP1Msg::enableMsg("general", "ExpertSettings/VP1_DEBUG_OUTPUT"); + #else + VP1Msg::enableMsg("VP1_VERBOSE_OUTPUT"); + VP1Msg::enableMsg("VP1_DEBUG_OUTPUT"); + #endif + + // if(QDir(pluginPath).exists()||pluginPath==""){ + #if defined BUILDVP1LIGHT + VP1QtUtils::setExpertSetting("expert","ExpertSettings/VP1PLUGINPATH", m_pluginPath); + VP1QtUtils::setExpertSetting("expert","ExpertSettings/VP1_FILESELECTDIR", m_fileSelectDir); + VP1QtUtils::setExpertSetting("expert","ExpertSettings/VP1_AUTH_ENABLELOG", m_authLog); + VP1QtUtils::setExpertSetting("general","ExpertSettings/VP1_SCREENSHOTS_DIR", m_screenshotDir); + #else + VP1QtUtils::setEnvironmentVariable("VP1PLUGINPATH", m_pluginPath); + VP1QtUtils::setEnvironmentVariable("VP1_FILESELECTDIR", m_fileSelectDir); + VP1QtUtils::setEnvironmentVariable("VP1_AUTH_ENABLELOG", m_authLog); + VP1QtUtils::setEnvironmentVariable("VP1_SCREENSHOTS_DIR", m_screenshotDir); + #endif + + #if defined BUILDVP1LIGHT + QMessageBox msgBox; + QCheckBox *cb = new QCheckBox("Don't ask again."); + msgBox.setWindowTitle("Settings"); + msgBox.setText("Some settings may require a restart of VP1."); + msgBox.setIcon(QMessageBox::Icon::Information); + msgBox.setCheckBox(cb); + + if(VP1QtUtils::expertSettingIsOn("general","Configuration/enableCloseSettingsReminder")){ + cb->setChecked(true); + } + connect(cb, &QCheckBox::toggled, [this](){VP1ExpertSettings::setExpertSetting("general","Configuration/enableCloseSettingsReminder");}); + + if(cb->checkState()==Qt::Unchecked){ + msgBox.exec(); + } + + event->accept(); + #else + unused(event); + #endif + + +} + +void VP1ExpertSettings::keyPressEvent(QKeyEvent *event){ + if(event->key() == Qt::Key_Escape) + VP1ExpertSettings::close(); +} + +void VP1ExpertSettings::setPluginPath(const QString &path){ + m_pluginPath = path; +} + +void VP1ExpertSettings::setFileSelectDir(const QString &path){ + m_fileSelectDir = path; +} + +void VP1ExpertSettings::setScreenshotDir(const QString &path){ + m_screenshotDir = path; +} + +void VP1ExpertSettings::setAuthLog(const QString &path){ + m_authLog = path; +} + +void VP1ExpertSettings::setExpertSetting(const QString &type, const QString &name){ + if(!VP1QtUtils::expertSettingIsOn(type, name)){ + VP1QtUtils::setExpertSetting(type, name, "1"); + } else { + VP1QtUtils::setExpertSetting(type, name, ""); + } +} + +GeneralTab::GeneralTab(QWidget *parent) + : QWidget(parent) +{ + + QGroupBox *generalGroup = new QGroupBox(tr("General settings")); + + m_checkboxVerbose = new QCheckBox("&Verbose output", this); + m_checkboxVerbose->setToolTip( QApplication::translate(__FUNCTION__, " <html>\n" + " <div style=\"width: 300px;\">Enable A LOT more verbose output to stdout from VP1. It is very useful if you run with this before sending us logfiles for bug reports.</div>" + " </html>", 0 + )); + #if defined BUILDVP1LIGHT + if(VP1QtUtils::expertSettingIsOn("general","ExpertSettings/VP1_VERBOSE_OUTPUT")){ + m_checkboxVerbose->setChecked(true); + } + connect(m_checkboxVerbose, &QCheckBox::toggled, [this](){GeneralTab::setExpertSetting("general","ExpertSettings/VP1_VERBOSE_OUTPUT");}); + #else + if(VP1QtUtils::environmentVariableIsOn("VP1_VERBOSE_OUTPUT")){ + m_checkboxVerbose->setChecked(true); + } + connect(m_checkboxVerbose, &QCheckBox::toggled, [this](){GeneralTab::setExpertSetting("VP1_VERBOSE_OUTPUT");}); + #endif + + m_checkboxDebug = new QCheckBox("&Debug output", this); + m_checkboxDebug->setToolTip( QApplication::translate(__FUNCTION__, " <html>\n" + " <div style=\"width: 300px;\">Enable A LOT more debug output to stdout from VP1. It is very useful if you run with this before sending us logfiles for bug reports.</div>" + " </html>", 0 + )); + #if defined BUILDVP1LIGHT + if(VP1QtUtils::expertSettingIsOn("general","ExpertSettings/VP1_DEBUG_OUTPUT")){ + m_checkboxDebug->setChecked(true); + } + connect(m_checkboxDebug, &QCheckBox::toggled, [this](){GeneralTab::setExpertSetting("general","ExpertSettings/VP1_DEBUG_OUTPUT");}); + #else + if(VP1QtUtils::environmentVariableIsOn("VP1_DEBUG_OUTPUT")){ + m_checkboxDebug->setChecked(true); + } + connect(m_checkboxDebug, &QCheckBox::toggled, [this](){GeneralTab::setExpertSetting("VP1_DEBUG_OUTPUT");}); + #endif + + m_checkboxDisallowMultipleChannels = new QCheckBox("D&isallow multiple channels", this); + m_checkboxDisallowMultipleChannels->setToolTip( QApplication::translate(__FUNCTION__, " <html>\n" + " <div style=\"width: 300px;\">This variable exists to help users whose graphics drivers are broken in such a way as to make VP1 crash when showing multiple 3D widgets. Setting this variable will thus ensure that the user can only ever open one channel, and it will remove the little 3D preview window normally shown when editing a material.</div>" + " </html>", 0 + )); + #if defined BUILDVP1LIGHT + if(VP1QtUtils::expertSettingIsOn("general","ExpertSettings/VP1_DISALLOW_MULTIPLE_CHANNELS")){ + m_checkboxDisallowMultipleChannels->setChecked(true); + } + connect(m_checkboxDisallowMultipleChannels, &QCheckBox::toggled, [this](){GeneralTab::setExpertSetting("general","ExpertSettings/VP1_DISALLOW_MULTIPLE_CHANNELS");}); + #else + if(VP1QtUtils::environmentVariableIsOn("VP1_DISALLOW_MULTIPLE_CHANNELS")){ + m_checkboxDisallowMultipleChannels->setChecked(true); + } + connect(m_checkboxDisallowMultipleChannels, &QCheckBox::toggled, [this](){GeneralTab::setExpertSetting("VP1_DISALLOW_MULTIPLE_CHANNELS");}); + #endif + + m_checkboxDisplayMouseClicks = new QCheckBox("Dis&play mouse clicks", this); + m_checkboxDisplayMouseClicks->setToolTip( QApplication::translate(__FUNCTION__, " <html>\n" + " <div style=\"width: 300px;\">Makes a small popup window appear whenever the user clicks a mouse-button in VP1. Basically this feature exists since it is used when producing the movies (screencasts) on this webpage.</div>" + " </html>", 0 + )); + #if defined BUILDVP1LIGHT + if(VP1QtUtils::expertSettingIsOn("general","ExpertSettings/VP1_DISPLAY_MOUSE_CLICKS")){ + m_checkboxDisplayMouseClicks->setChecked(true); + } + connect(m_checkboxDisplayMouseClicks, &QCheckBox::toggled, [this](){GeneralTab::setExpertSetting("general","ExpertSettings/VP1_DISPLAY_MOUSE_CLICKS");}); + #else + if(VP1QtUtils::environmentVariableIsOn("VP1_DISPLAY_MOUSE_CLICKS")){ + m_checkboxDisplayMouseClicks->setChecked(true); + } + connect(m_checkboxDisplayMouseClicks, &QCheckBox::toggled, [this](){GeneralTab::setExpertSetting("VP1_DISPLAY_MOUSE_CLICKS");}); + #endif + + m_checkboxEnableAskOnClose = new QCheckBox("&Ask on close", this); + m_checkboxEnableAskOnClose->setToolTip( QApplication::translate(__FUNCTION__, " <html>\n" + " <div style=\"width: 300px;\">By default, closing the VP1 window immediately results in the job being finished. Setting this variable will instead make VP1 ask the user if it should really close.</div>" + " </html>", 0 + )); + #if defined BUILDVP1LIGHT + if(VP1QtUtils::expertSettingIsOn("general","ExpertSettings/VP1_ENABLE_ASK_ON_CLOSE")){ + m_checkboxEnableAskOnClose->setChecked(true); + } + connect(m_checkboxEnableAskOnClose, &QCheckBox::toggled, [this](){GeneralTab::setExpertSetting("general","ExpertSettings/VP1_ENABLE_ASK_ON_CLOSE");}); + #else + if(VP1QtUtils::environmentVariableIsOn("VP1_ENABLE_ASK_ON_CLOSE")){ + m_checkboxEnableAskOnClose->setChecked(true); + } + connect(m_checkboxEnableAskOnClose, &QCheckBox::toggled, [this](){GeneralTab::setExpertSetting("VP1_ENABLE_ASK_ON_CLOSE");}); + #endif + + + m_checkboxGuidesSphereInsteadOfCoordaxes = new QCheckBox("G&uides sphere instead of coordinate axes", this); + m_checkboxGuidesSphereInsteadOfCoordaxes->setToolTip( QApplication::translate(__FUNCTION__, " <html>\n" + " <div style=\"width: 300px;\">Replaces the coordinate axes with a red sphere.</div>" + " </html>", 0 + )); + #if defined BUILDVP1LIGHT + if(VP1QtUtils::expertSettingIsOn("general","ExpertSettings/VP1_GUIDES_SPHERE_INSTEAD_OF_COORDAXES")){ + m_checkboxGuidesSphereInsteadOfCoordaxes->setChecked(true); + } + connect(m_checkboxGuidesSphereInsteadOfCoordaxes, &QCheckBox::toggled, [this](){GeneralTab::setExpertSetting("general","ExpertSettings/VP1_GUIDES_SPHERE_INSTEAD_OF_COORDAXES");}); + #else + if(VP1QtUtils::environmentVariableIsOn("VP1_GUIDES_SPHERE_INSTEAD_OF_COORDAXES")){ + m_checkboxGuidesSphereInsteadOfCoordaxes->setChecked(true); + } + connect(m_checkboxGuidesSphereInsteadOfCoordaxes, &QCheckBox::toggled, [this](){GeneralTab::setExpertSetting("VP1_GUIDES_SPHERE_INSTEAD_OF_COORDAXES");}); + #endif + + + m_checkboxAntiAliasing = new QCheckBox("Advanced Anti-Aliasing", this); + m_checkboxAntiAliasing->setToolTip( QApplication::translate(__FUNCTION__, " <html>\n" + " <div style=\"width: 300px;\">Switches on advanced Anti-Aliasing. WARNING: May cause issues with certain graphics drivers.</div>" + " </html>", 0 + )); + #if defined BUILDVP1LIGHT + if(VP1QtUtils::expertSettingIsOn("general","ExpertSettings/VP1_ADVANCED_ANTIALIASING")){ + m_checkboxAntiAliasing->setChecked(true); + } + connect(m_checkboxAntiAliasing, &QCheckBox::toggled, [this](){GeneralTab::setExpertSetting("general","ExpertSettings/VP1_ADVANCED_ANTIALIASING");}); + #else + if(VP1QtUtils::environmentVariableIsOn("VP1_ADVANCED_ANTIALIASING")){ + m_checkboxAntiAliasing->setChecked(true); + } + connect(m_checkboxAntiAliasing, &QCheckBox::toggled, [this](){GeneralTab::setExpertSetting("VP1_ADVANCED_ANTIALIASING");}); + #endif + + + + QGroupBox *directoryGroup = new QGroupBox(tr("Directory settings")); + + m_browseButton1 = new QPushButton(tr("&Browse..."), this); + connect(m_browseButton1, &QAbstractButton::clicked, this, &GeneralTab::on_browseButton1_clicked); + #if defined BUILDVP1LIGHT + m_lineEdit1 = new QLineEdit(VP1QtUtils::expertSettingValue("general","ExpertSettings/VP1_SCREENSHOTS_DIR"), this); + #else + m_lineEdit1 = new QLineEdit(VP1QtUtils::environmentVariableValue("VP1_SCREENSHOTS_DIR"), this); + #endif + m_lineEdit1->setToolTip( QApplication::translate(__FUNCTION__, " <html>\n" + " <div style=\"width: 300px;\">Turns on the automatic generation of screen-shots for all channels at every event. The value must be a valid writable directory, where all generated screenshot files will be stored.</div>" + " </html>", 0 + )); + connect(m_lineEdit1, &QLineEdit::textChanged, this, &GeneralTab::slotScreenshotDirChanged); + + + QVBoxLayout *generalLayout = new QVBoxLayout; + generalLayout->addWidget(m_checkboxVerbose); + generalLayout->addWidget(m_checkboxDebug); + generalLayout->addWidget(m_checkboxDisallowMultipleChannels); + generalLayout->addWidget(m_checkboxDisplayMouseClicks); + generalLayout->addWidget(m_checkboxEnableAskOnClose); + generalLayout->addWidget(m_checkboxGuidesSphereInsteadOfCoordaxes); + generalLayout->addWidget(m_checkboxAntiAliasing); + generalGroup->setLayout(generalLayout); + + QGridLayout *gridLayout = new QGridLayout(this); + gridLayout->addWidget(new QLabel(tr("Screenshots directory:")), 0, 0); + gridLayout->addWidget(m_lineEdit1,1,0); + gridLayout->addWidget(m_browseButton1,1,1); + directoryGroup->setLayout(gridLayout); + + QVBoxLayout *mainLayout = new QVBoxLayout; + mainLayout->addWidget(generalGroup); + mainLayout->addWidget(directoryGroup); + mainLayout->addStretch(1); + setLayout(mainLayout); + +} + +#if defined BUILDVP1LIGHT +void GeneralTab::setExpertSetting(const QString &type, const QString &name){ + if(!VP1QtUtils::expertSettingIsOn(type, name)){ + VP1QtUtils::setExpertSetting(type, name, "1"); + } else { + VP1QtUtils::setExpertSetting(type, name, ""); + } +} +#else +void GeneralTab::setExpertSetting(const QString &name){ + if(!VP1QtUtils::environmentVariableIsOn(name)){ + VP1QtUtils::setEnvironmentVariable(name, "1"); + } else { + VP1QtUtils::unsetEnvironmentVariable(name); + } +} +#endif + +void GeneralTab::on_browseButton1_clicked(){ + QString fileName = QFileDialog::getExistingDirectory(this, + tr("Select screenshot directory"), QDir::currentPath(), QFileDialog::ShowDirsOnly | QFileDialog::DontResolveSymlinks); + + m_lineEdit1->setText(fileName); +} + +void GeneralTab::slotScreenshotDirChanged(const QString &path){ + emit signalScreenshotDirChanged(path); +} + + +AdvancedTab::AdvancedTab(QWidget *parent) + : QWidget(parent) +{ + QGroupBox *checkBoxGroup = new QGroupBox(tr("Advanced settings")); + + m_checkboxEnableInformOnEndOfJob = new QCheckBox("&Enable inform on end of job", this); + m_checkboxEnableInformOnEndOfJob->setToolTip( QApplication::translate(__FUNCTION__, " <html>\n" + " <div style=\"width: 300px;\">By default, VP1 simply exits at the end of the ATHENA job, which might be confusing to some. When this variable is set, VP1 will show an dialog, letting the user know that the end of the job has been reached.</div>" + " </html>", 0 + )); + #if defined BUILDVP1LIGHT + if(VP1QtUtils::expertSettingIsOn("expert","ExpertSettings/VP1_ENABLE_INFORM_ON_END_OF_JOB")){ + m_checkboxEnableInformOnEndOfJob->setChecked(true); + } + connect(m_checkboxEnableInformOnEndOfJob, &QCheckBox::toggled, [this](){AdvancedTab::setExpertSetting("expert","ExpertSettings/VP1_ENABLE_INFORM_ON_END_OF_JOB");}); + #else + if(VP1QtUtils::environmentVariableIsOn("VP1_ENABLE_INFORM_ON_END_OF_JOB")){ + m_checkboxEnableInformOnEndOfJob->setChecked(true); + } + connect(m_checkboxEnableInformOnEndOfJob, &QCheckBox::toggled, [this](){AdvancedTab::setExpertSetting("VP1_ENABLE_INFORM_ON_END_OF_JOB");}); + #endif + + m_checkboxHardExitAtEnd = new QCheckBox("&Hard exit at end", this); + m_checkboxHardExitAtEnd->setToolTip( QApplication::translate(__FUNCTION__, " <html>\n" + " <div style=\"width: 300px;\">By default, the VP1 algorithm simply tells ATHENA to end the job when VP1 is being closed. This means that ATHENA will shut down with its usual procedure, calling finalise on algorithms, generating summaries, etc. If this variable is set, then VP1 will make the process end immediately and abrubtly instead - saving the user some time.</div>" + " </html>", 0 + )); + #if defined BUILDVP1LIGHT + if(VP1QtUtils::expertSettingIsOn("expert","ExpertSettings/VP1_HARD_EXIT_AT_END")){ + m_checkboxHardExitAtEnd->setChecked(true); + } + connect(m_checkboxHardExitAtEnd, &QCheckBox::toggled, [this](){AdvancedTab::setExpertSetting("expert","ExpertSettings/VP1_HARD_EXIT_AT_END");}); + #else + if(VP1QtUtils::environmentVariableIsOn("VP1_HARD_EXIT_AT_END")){ + m_checkboxHardExitAtEnd->setChecked(true); + } + connect(m_checkboxHardExitAtEnd, &QCheckBox::toggled, [this](){AdvancedTab::setExpertSetting("VP1_HARD_EXIT_AT_END");}); + #endif + + m_checkboxDevelShowAllCruiseAndEventControls = new QCheckBox("&Show all cruise and event controls", this); + m_checkboxDevelShowAllCruiseAndEventControls->setToolTip( QApplication::translate(__FUNCTION__, " <html>\n" + " <div style=\"width: 300px;\">Use to enable a few controls related to VP1 cruise-mode, which have presently been disabled.</div>" + " </html>", 0 + )); + #if defined BUILDVP1LIGHT + if(VP1QtUtils::expertSettingIsOn("expert","ExpertSettings/VP1_DEVEL_SHOW_ALL_CRUISE_AND_EVENT_CONTROLS")){ + m_checkboxDevelShowAllCruiseAndEventControls->setChecked(true); + } + connect(m_checkboxDevelShowAllCruiseAndEventControls, &QCheckBox::toggled, [this](){AdvancedTab::setExpertSetting("expert","ExpertSettings/VP1_DEVEL_SHOW_ALL_CRUISE_AND_EVENT_CONTROLS");}); + #else + if(VP1QtUtils::environmentVariableIsOn("VP1_DEVEL_SHOW_ALL_CRUISE_AND_EVENT_CONTROLS")){ + m_checkboxDevelShowAllCruiseAndEventControls->setChecked(true); + } + connect(m_checkboxDevelShowAllCruiseAndEventControls, &QCheckBox::toggled, [this](){AdvancedTab::setExpertSetting("VP1_DEVEL_SHOW_ALL_CRUISE_AND_EVENT_CONTROLS");}); + #endif + + + QGroupBox *directoryGroup = new QGroupBox(tr("Directory settings")); + + m_browseButton1 = new QPushButton(tr("&Browse..."), this); + connect(m_browseButton1, &QAbstractButton::clicked, this, &AdvancedTab::on_browseButton1_clicked); + m_lineEdit1 = new QLineEdit("", this); + + #if defined BUILDVP1LIGHT + if(VP1QtUtils::expertSettingValue("expert","ExpertSettings/VP1PLUGINPATH")==""){ + #ifdef MACBUNDLE + m_lineEdit1->setText(QCoreApplication::applicationDirPath()+"/../Frameworks"); + #else + m_lineEdit1->setText(QCoreApplication::applicationDirPath()+"/../lib"); + #endif + } else { + m_lineEdit1->setText(VP1QtUtils::expertSettingValue("expert","ExpertSettings/VP1PLUGINPATH")); + } + #else + if(VP1QtUtils::environmentVariableValue("VP1PLUGINPATH")==""){ + m_lineEdit1->setText(QCoreApplication::applicationDirPath()+"/../lib"); + } else { + m_lineEdit1->setText(VP1QtUtils::environmentVariableValue("VP1PLUGINPATH")); + } + #endif + m_lineEdit1->setToolTip( QApplication::translate(__FUNCTION__, " <html>\n" + " <div style=\"width: 300px;\">Select the directory that contains the plugin libraries.</div>" + " </html>", 0 + )); + connect(m_lineEdit1, &QLineEdit::textChanged, this, &AdvancedTab::slotPluginPathChanged); + + m_browseButton2 = new QPushButton(tr("B&rowse..."), this); + connect(m_browseButton2, &QAbstractButton::clicked, this, &AdvancedTab::on_browseButton2_clicked); + #if defined BUILDVP1LIGHT + m_lineEdit2 = new QLineEdit(VP1QtUtils::expertSettingValue("expert","ExpertSettings/VP1_FILESELECTDIR"), this); + #else + m_lineEdit2 = new QLineEdit(VP1QtUtils::environmentVariableValue("VP1_FILESELECTDIR"), this); + #endif + m_lineEdit2->setToolTip( QApplication::translate(__FUNCTION__, " <html>\n" + " <div style=\"width: 300px;\">By default, the various VP1 file selectors starts in the job run-directory. Setting this variable to a directory ensures that that directory is used by default instead.</div>" + " </html>", 0 + )); + connect(m_lineEdit2, &QLineEdit::textChanged, this, &AdvancedTab::slotFileSelectDirChanged); + + m_browseButton3 = new QPushButton(tr("Br&owse..."), this); + connect(m_browseButton3, &QAbstractButton::clicked, this, &AdvancedTab::on_browseButton3_clicked); + #if defined BUILDVP1LIGHT + m_lineEdit3 = new QLineEdit(VP1QtUtils::expertSettingValue("expert","ExpertSettings/VP1_AUTH_ENABLELOG"), this); + #else + m_lineEdit3 = new QLineEdit(VP1QtUtils::environmentVariableValue("VP1_AUTH_ENABLELOG"), this); + #endif + m_lineEdit3->setToolTip( QApplication::translate(__FUNCTION__, " <html>\n" + " <div style=\"width: 300px;\">Enables creation of an authentication log file for VP1 live.</div>" + " </html>", 0 + )); + connect(m_lineEdit3, &QLineEdit::textChanged, this, &AdvancedTab::slotAuthLogChanged); + + + QVBoxLayout *checkBoxLayout = new QVBoxLayout; + checkBoxLayout->addWidget(m_checkboxEnableInformOnEndOfJob); + checkBoxLayout->addWidget(m_checkboxHardExitAtEnd); + checkBoxLayout->addWidget(m_checkboxDevelShowAllCruiseAndEventControls); + checkBoxGroup->setLayout(checkBoxLayout); + + QGridLayout *gridLayout = new QGridLayout(this); + gridLayout->addWidget(new QLabel(tr("Plugin path:")), 0, 0); + gridLayout->addWidget(m_lineEdit1,1,0); + gridLayout->addWidget(m_browseButton1,1,1); + gridLayout->addWidget(new QLabel(tr("File selection directory:")), 2, 0); + gridLayout->addWidget(m_lineEdit2,3,0); + gridLayout->addWidget(m_browseButton2,3,1); + gridLayout->addWidget(new QLabel(tr("Authentication log directory:")), 4, 0); + gridLayout->addWidget(m_lineEdit3,5,0); + gridLayout->addWidget(m_browseButton3,5,1); + directoryGroup->setLayout(gridLayout); + + QVBoxLayout *mainLayout = new QVBoxLayout; + mainLayout->addWidget(checkBoxGroup); + mainLayout->addWidget(directoryGroup); + mainLayout->addStretch(1); + setLayout(mainLayout); +} + +void AdvancedTab::on_browseButton1_clicked() +{ + QString fileName = QFileDialog::getExistingDirectory(this, + tr("Select Plugin Path"), QDir::currentPath(), QFileDialog::ShowDirsOnly | QFileDialog::DontResolveSymlinks); + + m_lineEdit1->setText(fileName); +} + +void AdvancedTab::on_browseButton2_clicked() +{ + QString fileName = QFileDialog::getExistingDirectory(this, + tr("Select file directory"), QDir::currentPath(), QFileDialog::ShowDirsOnly | QFileDialog::DontResolveSymlinks); + + m_lineEdit2->setText(fileName); +} + +void AdvancedTab::on_browseButton3_clicked() +{ + QString fileName = QFileDialog::getExistingDirectory(this, + tr("Select authentication directory"), QDir::currentPath(), QFileDialog::ShowDirsOnly | QFileDialog::DontResolveSymlinks); + + m_lineEdit3->setText(fileName); +} + +void AdvancedTab::slotPluginPathChanged(const QString &path){ + emit signalPluginPathChanged(path); +} + +void AdvancedTab::slotFileSelectDirChanged(const QString &path){ + emit signalFileSelectDirChanged(path); +} + +void AdvancedTab::slotAuthLogChanged(const QString &path){ + emit signalAuthLogChanged(path); +} + +#if defined BUILDVP1LIGHT +void AdvancedTab::setExpertSetting(const QString &type, const QString &name){ + if(!VP1QtUtils::expertSettingIsOn(type, name)) { + VP1QtUtils::setExpertSetting(type, name, "1"); + } else { + VP1QtUtils::setExpertSetting(type, name, ""); + } +} +#else +void AdvancedTab::setExpertSetting(const QString &name){ + if(!VP1QtUtils::environmentVariableIsOn(name)) { + VP1QtUtils::setEnvironmentVariable(name, "1"); + } else { + VP1QtUtils::unsetEnvironmentVariable(name); + } +} +#endif diff --git a/graphics/VTI12/VTI12Gui/src/VP1GeoDBSelection.cxx b/graphics/VTI12/VTI12Gui/src/VP1GeoDBSelection.cxx new file mode 100644 index 0000000000000000000000000000000000000000..08356a29833f2ef6f52d1f5675071f860bc79103 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/VP1GeoDBSelection.cxx @@ -0,0 +1,129 @@ +/* + Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +*/ + +////////////////////////////////////////////////////////////////////////// +// // +// Source file for class VP1GeoDBSelection // +// // +// Description: Dialog for the selection of a geometry database // +// // +// Author: Sebastian Andreas Merkt (sebastian.andreas.merkt@cern.ch) // +// Initial version: August 2017 // +// // +////////////////////////////////////////////////////////////////////////// + +#include "VTI12Gui/VP1GeoDBSelection.h" + +#include <QPushButton> +#include <QGridLayout> +#include <QLabel> +#include <QComboBox> +#include <QFileInfo> + +#include <QtWidgets> + +VP1GeoDBSelection::VP1GeoDBSelection(QWidget *parent) : QDialog(parent) +{ + //Set default dialog size + int nWidth = 800; + int nHeight = 220; + if (parent != NULL) + setGeometry(parent->x() + parent->width()/2 - nWidth/2, + parent->y() + parent->height()/2 - nHeight/2, + nWidth, nHeight); + else + resize(nWidth, nHeight); + + //Browse button to select database + m_browseButton = new QPushButton(tr("&Browse..."), this); + connect(m_browseButton, &QAbstractButton::clicked, this, &VP1GeoDBSelection::on_browseButton_clicked); + + //Buttonbox to set Open, Cancel buttons + m_buttonBox = new QDialogButtonBox(this); + m_openButton = m_buttonBox->addButton(tr("&Open"), QDialogButtonBox::AcceptRole); + m_cancelButton = m_buttonBox->addButton(tr("&Cancel"),QDialogButtonBox::RejectRole); + connect(m_openButton, &QPushButton::clicked, this, &VP1GeoDBSelection::loadDatabase); + connect(m_cancelButton, &QPushButton::clicked, this, &VP1GeoDBSelection::reject); + + //Open QSettings to store path do database + QSettings settings("ATLAS", "VP1Light"); + QString text; + + //If no db file has been provided via command line argument, the "db/path" value is "" + if(settings.value("db/path").toString()==""){ + m_openButton->setEnabled(false); + text = "(*.db)"; + } else { //If a db file has been provided show it in the combobox + text = settings.value("db/path").toString(); + } + //Create the combobox + m_directoryComboBox = createComboBox(text); + + //Create the main layout + QGridLayout *mainLayout = new QGridLayout(this); + mainLayout->addWidget(new QLabel(tr("Select Geometry Database:")), 0, 0); + mainLayout->addWidget(m_directoryComboBox, 1, 0, 1, 2); + mainLayout->addWidget(m_browseButton, 1, 4); + mainLayout->addWidget(m_buttonBox, 3, 4); + + m_browseButton->setMinimumWidth(200); + m_buttonBox->setMinimumWidth(200); + m_browseButton->setSizePolicy(QSizePolicy::Fixed, QSizePolicy::Fixed); + m_buttonBox->setSizePolicy(QSizePolicy::Fixed, QSizePolicy::Fixed); +} + +//Method to create the drop down combobox +QComboBox *VP1GeoDBSelection::createComboBox(const QString &text) +{ + QComboBox *comboBox = new QComboBox; + comboBox->setMinimumWidth(600); + comboBox->setEditable(false); + comboBox->addItem(text); + comboBox->setSizePolicy(QSizePolicy::Expanding, QSizePolicy::Preferred); + return comboBox; +} + +//Animate the click +void VP1GeoDBSelection::animateFindClick() +{ + m_openButton->animateClick(); +} + +//Open the file selection dialog +void VP1GeoDBSelection::on_browseButton_clicked() +{ + m_fileName = QFileDialog::getOpenFileName(this, + tr("Select Database"), QDir::currentPath(), + tr("DB Files (*.db)")); + + // Add the selected file to the combobox + if (!m_fileName.isEmpty()) { + if (m_directoryComboBox->findText(m_fileName) == -1) + m_directoryComboBox->addItem(m_fileName); + m_directoryComboBox->setCurrentIndex(m_directoryComboBox->findText(m_fileName)); + + //When valid a database is selected, enable the Open button to confirm + m_openButton->setEnabled(true); + } + +} + +//Check and Save the settings +void VP1GeoDBSelection::loadDatabase(){ + + //Save DB path to settings + QSettings settings("ATLAS", "VP1Light"); + settings.setValue("db/path", m_directoryComboBox->itemText(m_directoryComboBox->currentIndex())); + + //If the selected DB does not exists, go back + if (!QFileInfo::exists(m_directoryComboBox->itemText(m_directoryComboBox->currentIndex()))){ + QMessageBox msgBox; + msgBox.setWindowTitle("Virtual TI 12"); + msgBox.setText("Database does not exist. Please choose another database file."); + msgBox.exec(); + return; + } + VP1GeoDBSelection::setResult(1); + VP1GeoDBSelection::accept(); +} diff --git a/graphics/VTI12/VTI12Gui/src/VP1Gui.cxx b/graphics/VTI12/VTI12Gui/src/VP1Gui.cxx new file mode 100644 index 0000000000000000000000000000000000000000..6b06cb35e0d0d5e861b03e826834c1d7a3e786d0 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/VP1Gui.cxx @@ -0,0 +1,242 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +///////////////////////////////////////////////////////////// +// // +// Implementation of class VP1Gui // +// // +// Author: Thomas Kittelmann <Thomas.Kittelmann@cern.ch> // +// // +// Initial version: April 2007 // +// // +///////////////////////////////////////////////////////////// + +#include "VTI12Gui/VP1Gui.h" +#include "VTI12Gui/VP1ExecutionScheduler.h" +#include "VP1Base/VP1Msg.h" + +#include <QStringList> +#include <QFile> +#include <QFileInfo> +#include <QUrl> +#include <QSslSocket> + +#include <cassert> +#include <iostream> + +//____________________________________________________________________ +class VP1Gui::Imp { +public: + Imp() : the_scheduler(nullptr), sg(nullptr), detstore(nullptr), + svclocator(nullptr), toolSvc(nullptr), + initialvp1files{}, + initialCruiseSeconds{}, + localFileCacheLimit{}{ + //nop + } + VP1ExecutionScheduler * the_scheduler; + + //We hold the arguments here until init is called: + StoreGateSvc * sg; + StoreGateSvc * detstore; + ISvcLocator * svclocator; + IToolSvc * toolSvc; + QStringList initialvp1files; + QString initialCruiseMode; + unsigned initialCruiseSeconds; + QString singleEventSource; + QString singleEventLocalTmpDir; + unsigned localFileCacheLimit; + QStringList availableLocalInputDirectories; +}; + + +//____________________________________________________________________ +VP1Gui::VP1Gui(StoreGateSvc* sg,StoreGateSvc* detstore, + ISvcLocator* svclocator,IToolSvc*toolSvc, + const std::vector<std::string>& initialvp1files, + const std::string& initialCruiseMode, unsigned initialCruiseSeconds, + const std::string& singleEventSource, const std::string& singleEventLocalTmpDir, + unsigned localFileCacheLimit, + const std::vector<std::string>& availableLocalInputDirectories ) + : m_d(new Imp) +{ + m_d->sg = sg; + m_d->detstore = detstore; + m_d->svclocator = svclocator; + m_d->toolSvc = toolSvc; + m_d->initialCruiseMode = QString(initialCruiseMode.c_str()).simplified(); + m_d->initialCruiseSeconds = initialCruiseSeconds; + m_d->singleEventSource = singleEventSource.c_str(); + m_d->singleEventLocalTmpDir = singleEventLocalTmpDir.c_str(); + m_d->localFileCacheLimit = localFileCacheLimit; + + std::vector<std::string>::const_iterator it, itE = initialvp1files.end(); + for (it = initialvp1files.begin();it!=itE;++it) + m_d->initialvp1files << it->c_str(); + + itE = availableLocalInputDirectories.end(); + for (it = availableLocalInputDirectories.begin();it!=itE;++it) + m_d->availableLocalInputDirectories << it->c_str(); + +} + +//____________________________________________________________________ +VP1Gui::~VP1Gui() +{ + delete m_d; m_d=0; +} + +//____________________________________________________________________ +bool VP1Gui::argumentsAreValid() const +{ + //Athena pointers: + + if (!m_d->sg) { + VP1Msg::message("ERROR: Null pointer to event store."); + return false; + } + if (!m_d->detstore) { + VP1Msg::message("ERROR: Null pointer to detector store."); + return false; + } + if (!m_d->svclocator) { + VP1Msg::message("ERROR: Null pointer to service locator."); + return false; + } + if (!m_d->toolSvc) { + VP1Msg::message("ERROR: Null pointer to tool service."); + return false; + } + + //Initial files: + + // ...no checks... + + //Cruise mode: + if (m_d->initialCruiseMode!="NONE"&&m_d->initialCruiseMode!="EVENT"&&m_d->initialCruiseMode!="TAB"&&m_d->initialCruiseMode!="BOTH") { + VP1Msg::message("WARNING: unknown initial cruise mode "+m_d->initialCruiseMode+" (valid are NONE/EVENT/TAB/BOTH). Assuming NONE."); + m_d->initialCruiseMode = "NONE"; + } + + //Single-Event-Per-File modes: + if (!m_d->singleEventSource.isEmpty()&&!m_d->singleEventLocalTmpDir.isEmpty()) { + const bool httpmode = m_d->singleEventSource.startsWith("http://") || m_d->singleEventSource.startsWith("https://") ; + if (httpmode) { + QUrl url(m_d->singleEventSource); + if (!url.isValid()||url.path().isEmpty()) { + //Fixme: check that path ends with a filename! + VP1Msg::message("VP1ExecutionScheduler::init ERROR: Source URL ("+m_d->singleEventSource+") incorrect format!"); + return false; + } + + // For the https mode check if the platform supports SSL + if(m_d->singleEventSource.startsWith("https://") + && ! (QSslSocket::supportsSsl()) ) { + VP1Msg::message("VP1ExecutionScheduler::init ERROR: Unable to retrieve events over Https. The platform does not support SSL"); + return false; + } + } else { + QFileInfo fi_s(m_d->singleEventSource), fi_l(m_d->singleEventLocalTmpDir); + if (!fi_s.exists()||!fi_s.isDir()||!fi_s.isReadable()) { + VP1Msg::message("ERROR: Source directory ("+m_d->singleEventSource+") does not exist, is not readable, or is not a directory!"); + return false; + } + if (!fi_l.exists()||!fi_l.isDir()||!fi_l.isReadable()||!fi_l.isWritable()) { + VP1Msg::message("ERROR: Local tmp directory ("+m_d->singleEventLocalTmpDir+") does not exist, had incorrect permissions, or is not a directory!"); + return false; + } + if (fi_l.canonicalFilePath()==fi_s.canonicalFilePath()) { + VP1Msg::message("ERROR: Local tmp directory ("+m_d->singleEventLocalTmpDir+") is the same the source directory ("+m_d->singleEventSource+")"); + return false; + } + } + } else { + if (!m_d->singleEventSource.isEmpty()||!m_d->singleEventLocalTmpDir.isEmpty()) { + VP1Msg::message("ERROR: Only one of SourceDir and LocalCopyDir set. Set either both or none."); + return false; + } + } + + if (m_d->localFileCacheLimit==1||m_d->localFileCacheLimit==2) { + VP1Msg::message("WARNING: Too low value of localFileCacheLimit. Setting to 3. (Set to 0 to disable removal of locally cached files."); + m_d->localFileCacheLimit=3; + } + + return true; +} + +//____________________________________________________________________ +bool VP1Gui::hasBeenInitialised() +{ + return m_d->the_scheduler != 0; +} + +//____________________________________________________________________ +void VP1Gui::init() +{ + VP1Msg::messageDebug("Start of VP1Gui::init()..."); + + assert(!m_d->the_scheduler&&"Dont init twice!!"); + VP1Msg::message(""); + VP1Msg::message("==================================================="); + VP1Msg::message(" Launching the VP1 GUI"); + VP1Msg::message("==================================================="); + VP1Msg::message(""); + m_d->the_scheduler = VP1ExecutionScheduler::init(m_d->sg, + m_d->detstore, + m_d->svclocator, + m_d->toolSvc, + m_d->initialvp1files, + m_d->initialCruiseMode,m_d->initialCruiseSeconds, + m_d->singleEventSource,m_d->singleEventLocalTmpDir, + m_d->localFileCacheLimit, + m_d->availableLocalInputDirectories); + + VP1Msg::messageDebug("end of VP1Gui::init()."); +} + +//____________________________________________________________________ +void VP1Gui::cleanup() +{ + assert(m_d->the_scheduler&&"Cant cleanup before init"); + VP1ExecutionScheduler::cleanup(m_d->the_scheduler); +} + +//____________________________________________________________________ +bool VP1Gui::executeNewEvent( const int& run, const uint64_t& event, const unsigned& triggerType, const unsigned& time ) +{ + VP1Msg::messageDebug("Examining new event ( run# "+QString::number(run)+", event# "+QString::number(event)+" )"); + + bool b = m_d->the_scheduler->executeNewEvent(run,event,triggerType,time); + + // NOTE: + // we will go on to the lines here below + // only when the user clicks on the "Next event" button. + + VP1Msg::messageDebug("Leaving event ( run# "+QString::number(run)+", event# "+QString::number(event)+" )" + +(nextRequestedEventFile().empty()?QString(""):". Next requested event file: "+QString(nextRequestedEventFile().c_str()))); + + VP1Msg::messageDebug("end of VP1Gui::executeNewEvent()."); + + return b; +} + +//____________________________________________________________________ +std::string VP1Gui::nextRequestedEventFile() const +{ + return m_d->the_scheduler->nextRequestedEventFile().toStdString(); +} + +//____________________________________________________________________ +std::vector<std::string> VP1Gui::userRequestedFiles() +{ + std::vector<std::string> retvector; + if(m_d->the_scheduler) { + const QStringList& inplist = m_d->the_scheduler->userRequestedFiles(); + for(int i=0; i<inplist.size(); ++i) + retvector.push_back(inplist.at(i).toStdString()); + } + return retvector; +} diff --git a/graphics/VTI12/VTI12Gui/src/VP1HttpGetFile.cxx b/graphics/VTI12/VTI12Gui/src/VP1HttpGetFile.cxx new file mode 100644 index 0000000000000000000000000000000000000000..499f244f37e07039588c7d3ea90d049f8adc6a8c --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/VP1HttpGetFile.cxx @@ -0,0 +1,156 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class VP1HttpGetFile // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: May 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12Gui/VP1HttpGetFile.h" +#include <QTimer> + +#define VP1HttpGetFile_cxx +#include "VP1HttpGetFile_Private.h" +#undef VP1HttpGetFile_cxx + +//____________________________________________________________________ +class VP1HttpGetFile::Imp { +public: + Imp() : maxDownloads(8), dead(false) {} + unsigned maxDownloads; + bool dead; + QList<VP1HttpGetFile_DownloadThread *> activeDownloadThreads; +}; + +//____________________________________________________________________ +VP1HttpGetFile::VP1HttpGetFile(QObject * parent) + : QObject(parent), m_d(new Imp) +{ +} + +//____________________________________________________________________ +VP1HttpGetFile::~VP1HttpGetFile() +{ + m_d->dead = true; + foreach( VP1HttpGetFile_DownloadThread * thread, m_d->activeDownloadThreads) { + thread->blockSignals(true); + QString urltofile = thread->urltofile(); + QString localtargetfile = thread->localtargetfile(); + QString data = thread->data(); + emit downloadFailed( "VP1HttpGetFile object deleted before download finished", urltofile, localtargetfile, data ); + thread->terminate(); + thread->wait(); + thread->deleteLater(); + } + delete m_d; +} + +//____________________________________________________________________ +void VP1HttpGetFile::setMaxNumberOfPendingDownloads(unsigned n) +{ + m_d->maxDownloads = n; +} + +//____________________________________________________________________ +unsigned VP1HttpGetFile::maxNumberOfPendingDownloads() const +{ + return m_d->maxDownloads; +} + +//____________________________________________________________________ +unsigned VP1HttpGetFile::numberOfPendingDownloads() const +{ + return m_d->activeDownloadThreads.size(); +} + +//____________________________________________________________________ +QString VP1HttpGetFile::startDownload( const QString& urltofile, + const QString& localtargetfile, + const QString& md5sum, + const QString& data ) +{ + if (m_d->maxDownloads>0 && unsigned(m_d->activeDownloadThreads.count()) >= m_d->maxDownloads) + return "Too many simultaneous downloads requested"; + + if (isDownloadingTo(localtargetfile)) + return "Already downloading file to location: "+localtargetfile; + + VP1HttpGetFile_DownloadThread * thread = new VP1HttpGetFile_DownloadThread( urltofile, localtargetfile, md5sum, data); + connect(thread,SIGNAL(finished()),this,SLOT(downloadThreadFinished())); + connect(thread,SIGNAL(terminated()),this,SLOT(downloadThreadTerminated())); + m_d->activeDownloadThreads << thread; + thread->start(); + + return "";//Download started succesfully. +} + +//____________________________________________________________________ +void VP1HttpGetFile::downloadThreadFinished() +{ + if (m_d->dead) + return; + VP1HttpGetFile_DownloadThread * thread = dynamic_cast<VP1HttpGetFile_DownloadThread *>(sender()); + if (!thread) + return; + m_d->activeDownloadThreads.removeAll(thread); + const QString urltofile = thread->urltofile(); + const QString localtargetfile = thread->localtargetfile(); + const QString data = thread->data(); + const bool errors = thread->errors(); + const QString errorString = thread->errorString(); + thread->wait(); + thread->deleteLater(); + if (errors) + emit downloadFailed( errorString, urltofile, localtargetfile, data ); + else + emit downloadSuccessful( urltofile, localtargetfile, data ); +} + +//____________________________________________________________________ +void VP1HttpGetFile::downloadThreadTerminated() +{ + if (m_d->dead) + return; + VP1HttpGetFile_DownloadThread * thread = dynamic_cast<VP1HttpGetFile_DownloadThread *>(sender()); + if (!thread) + return; + m_d->activeDownloadThreads.removeAll(thread); + const QString urltofile = thread->urltofile(); + const QString localtargetfile = thread->localtargetfile(); + const QString data = thread->data(); + thread->wait(); + thread->deleteLater(); + emit downloadFailed( "Download thread terminated", urltofile, localtargetfile, data ); + + //NB: As always when threads are terminated, we might get memory + //leaks, but it usually only happens if the VP1HttpGetFile instance + //is deleted prematurely (e.g. at program shutdown). +} + +//____________________________________________________________________ +bool VP1HttpGetFile::isDownloading(const QString& urltofile) const +{ + foreach( VP1HttpGetFile_DownloadThread * thread, m_d->activeDownloadThreads) + if (urltofile==thread->urltofile()) { + QTimer::singleShot(0, thread, SLOT(checkForStall())); + return true; + } + return false; +} + +//____________________________________________________________________ +bool VP1HttpGetFile::isDownloadingTo(const QString& localtargetfile) const +{ + foreach( VP1HttpGetFile_DownloadThread * thread, m_d->activeDownloadThreads) + if (localtargetfile==thread->localtargetfile()) { + QTimer::singleShot(0, thread, SLOT(checkForStall())); + return true; + } + return false; +} diff --git a/graphics/VTI12/VTI12Gui/src/VP1HttpGetFile_Private.h b/graphics/VTI12/VTI12Gui/src/VP1HttpGetFile_Private.h new file mode 100644 index 0000000000000000000000000000000000000000..0e05ecc831062912a8b6705df86dca3bf9912f28 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/VP1HttpGetFile_Private.h @@ -0,0 +1,275 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Internal classes for VP1HttpGetFile // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: June 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include <QThread> +#include <QMutex> +#include <QTimer> +#include <QDateTime> +#include <QFileInfo> +#include <QFile> +#include <QDir> +#include <QUrl> + +//#include <QHttp> // Qt 4 +//#include <QNetworkAccessManager> // TODO: use this to port to Qt5 + +#include "VTI12Gui/VP1MD5Sum.h" + +class VP1HttpGetFile_DownloadThread : public QThread { + + Q_OBJECT + +public: + + VP1HttpGetFile_DownloadThread( const QString& urltofile, + const QString& localtargetfile, + const QString& expectedMD5Sum, + const QString& data, + QObject * parent = 0); + virtual ~VP1HttpGetFile_DownloadThread(){} + + //For accessing the results: + bool errors() const { m_mutex.lock(); bool err=!m_errorString.isEmpty(); m_mutex.unlock(); return err; } + QString errorString() const { m_mutex.lock(); QString err = m_errorString; m_mutex.unlock(); return err; } + + QString urltofile() const { return m_urltofile; } + QString localtargetfile() const { return m_localtargetfile; } + QString expectedMD5Sum() const { return m_expectedMD5Sum; } + QString data() const { return m_data; } + +protected: + void run(); +public slots: + void checkForStall(); +private slots: + void done(bool); + void dataReadProgress(); +private: + const QString m_urltofile; + const QString m_localtargetfile; + const QString m_expectedMD5Sum; + const QString m_data; + QString m_errorString; + mutable QMutex m_mutex;//Protects m_errors; +// QHttp * m_http; // Old Qt4 code --> TODO: need to be ported to Qt5!! + enum DOWNLOADFINISHSTATUS { NOTFINISHED, NOERRORS, HTTPERROR, STALLEDERROR, SIZEDECREASEDERROR }; + DOWNLOADFINISHSTATUS m_downloadFinishedStatus;//-1: not finished, 0: error, 1: no-error + unsigned m_lastChangeTime; + qint64 m_lastcheckedsize;//-2 never checked, -1 does not exists. + enum CLEANUPOPT { CLEANUPLOCALFILE, DONTTOUCHLOCALFILE}; + void endInFailure(const QString&, CLEANUPOPT ); +}; + +//Remember that we are also included from the qt moc file: +#ifdef VP1HttpGetFile_cxx + +//____________________________________________________________________ +VP1HttpGetFile_DownloadThread::VP1HttpGetFile_DownloadThread( const QString& urltofile, + const QString& localtargetfile, + const QString& expectedMD5Sum, + const QString& data, + QObject * parent ) + : QThread(parent), + m_urltofile(urltofile), + m_localtargetfile(localtargetfile), + m_expectedMD5Sum(expectedMD5Sum), + m_data(data), + m_errorString("Download not finished"), +// m_http(0), + m_downloadFinishedStatus(NOTFINISHED), + m_lastChangeTime(0), + m_lastcheckedsize(-2) +{ +} + +//____________________________________________________________________ +void VP1HttpGetFile_DownloadThread::endInFailure(const QString& err, CLEANUPOPT opt) +{ + m_mutex.lock(); + + if (opt==CLEANUPLOCALFILE&&QFile::exists(m_localtargetfile)) + QFile::remove(m_localtargetfile); + + m_errorString = err.isEmpty() ? "Unspecified error" : err; + m_mutex.unlock(); +} + +//____________________________________________________________________ +void VP1HttpGetFile_DownloadThread::checkForStall() +{ + // TODO: to be ported to Qt5!! +// if (!m_http) +// return; +// unsigned currentTime = QDateTime::currentDateTime().toTime_t(); +// if (currentTime>m_lastChangeTime+10) {//10s +// m_downloadFinishedStatus = STALLEDERROR; +// quit(); +// } +} + +//____________________________________________________________________ +void VP1HttpGetFile_DownloadThread::done(bool error) +{ + m_downloadFinishedStatus = error ? HTTPERROR : NOERRORS; + quit(); +} + +//____________________________________________________________________ +void VP1HttpGetFile_DownloadThread::dataReadProgress() +{ + //We monitor that filesize of files downloaded is strictly + //increasing (and that a created file does not disappear): + QFileInfo fi(m_localtargetfile); + qint64 currentsize = fi.exists() ? fi.size() : -1; + if (currentsize < m_lastcheckedsize) { + m_downloadFinishedStatus = SIZEDECREASEDERROR; + quit(); + } + + //For stall-detection: + if (currentsize > m_lastcheckedsize) + m_lastChangeTime = QDateTime::currentDateTime().toTime_t(); + + m_lastcheckedsize = currentsize; +} + +//____________________________________________________________________ +void VP1HttpGetFile_DownloadThread::run() { + + // NOTE!! TODO: This has to be ported to Qt 5!!! + /* + //////////////////////// + // Input validation // + //////////////////////// + + //Input validation ==> MD5 sum + + if ( !m_expectedMD5Sum.isEmpty() && !VP1MD5Sum::validMD5Sum(m_expectedMD5Sum) ) { + endInFailure("Invalid target md5sum: "+m_expectedMD5Sum,CLEANUPLOCALFILE); + return; + } + + //Input validation ==> URL + + if (m_urltofile.isEmpty()) { + endInFailure("Empty URL",DONTTOUCHLOCALFILE); + return; + } + + QUrl url(m_urltofile.contains("://") ? m_urltofile : "http://" + m_urltofile); + if (!url.isValid()||url.host().isEmpty()) { + endInFailure("Invalid URL: "+m_urltofile,DONTTOUCHLOCALFILE); + return; + } + //Input validation ==> Target file + + //File can not exist already and we abort if we are already + //downloading a file to that location: + QFileInfo fi(m_localtargetfile); + if (fi.exists()) { + //In one case we might still end well: if we know the target + //checksum and if the file has it (this also does away with + //several problems of "simultaneous downloads started": + if (!m_expectedMD5Sum.isEmpty()&&VP1MD5Sum::sumMatches(m_localtargetfile,m_expectedMD5Sum)) + return; + endInFailure ("Download target already exists: "+m_localtargetfile,DONTTOUCHLOCALFILE); + return; + } + if (!fi.dir().exists()) { + endInFailure("Directory ("+fi.dir().absolutePath()+") for download target does not exist: "+m_localtargetfile,DONTTOUCHLOCALFILE); + return; + } + + //Open target file: + QFile file(m_localtargetfile); + if (!file.open(QIODevice::WriteOnly)) { + endInFailure("Could not open file for write access: "+m_localtargetfile,DONTTOUCHLOCALFILE); + return; + } + + /////////////////////////////////// + // HTTP request and event loop // + /////////////////////////////////// + + m_http = new QHttp(0); + + connect(m_http,SIGNAL(done(bool)),this,SLOT(done(bool))); + connect(m_http,SIGNAL(dataReadProgress(int,int)),this,SLOT(dataReadProgress())); + + QHttpRequestHeader header("GET", url.path()+(url.hasQuery()?"?"+url.encodedQuery():QString(""))); + // ^^^ Todo: We could support username/passwd part of url also. + header.setValue("Host", url.host()); + header.setValue("User-Agent", "ATLASVP1"); + m_http->setHost(url.host()); + m_lastChangeTime = QDateTime::currentDateTime().toTime_t(); + + //Go: + m_http->request(header,0,&file); + QTimer timer(0); + connect(&timer, SIGNAL(timeout()), this, SLOT(checkForStall())); + timer.start(1000);//1s + exec(); + timer.stop(); + + //Cleanup http: + m_http->blockSignals(true); + if (m_http->hasPendingRequests()) + m_http->clearPendingRequests(); + if (m_http->currentId()!=0) + m_http->abort(); + delete m_http; + m_http = 0; + + file.close(); + + //Errors? + if (m_downloadFinishedStatus!=NOERRORS) { + switch(m_downloadFinishedStatus) { + case HTTPERROR: + endInFailure("Download finished with error "+m_http->errorString(),CLEANUPLOCALFILE); + return; + case STALLEDERROR: + endInFailure("Download stalled",CLEANUPLOCALFILE); + return; + case SIZEDECREASEDERROR: + endInFailure("Aborted since file was either removed or decreased in size.",CLEANUPLOCALFILE); + return; + default: + endInFailure("Unexpected download status (SHOULD NEVER HAPPEN)",CLEANUPLOCALFILE); + return; + } + } + + ///////////////////// + // Checksum test // + ///////////////////// + + if (!m_expectedMD5Sum.isEmpty()) { + bool match = VP1MD5Sum::sumMatches(m_localtargetfile,m_expectedMD5Sum); + if (!match) { + endInFailure("Checksum did not match",CLEANUPLOCALFILE); + return; + } + } + + //All ok: + + m_mutex.lock(); + m_errorString = ""; + m_mutex.unlock(); + */ + +} + +#endif diff --git a/graphics/VTI12/VTI12Gui/src/VP1IncomingMessageDialog.cxx b/graphics/VTI12/VTI12Gui/src/VP1IncomingMessageDialog.cxx new file mode 100644 index 0000000000000000000000000000000000000000..84b6d2d28d38dcab73c4253f83850de4343db111 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/VP1IncomingMessageDialog.cxx @@ -0,0 +1,213 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +///////////////////////////////////////////////////////////// +// // +// Implementation of class VP1IncomingMessageDialog // +// // +// Author: Thomas Kittelmann <Thomas.Kittelmann@cern.ch> // +// // +// Initial version: April 2007 // +// // +///////////////////////////////////////////////////////////// + +#include "ui_vp1incomingmessagedialog.h" +#include "VTI12Gui/VP1IncomingMessageDialog.h" +#include "VTI12Gui/VP1TabManager.h" +#include "VTI12Gui/VP1ChannelManager.h" + +#include <QList> +#include <QMessageBox> + +#include <cassert> + +//____________________________________________________________________ +class VP1IncomingMessageDialog::Imp { +public: + Imp(const VP1ExternalRequest& r) : tabmanager{}, channelmanager{}, requestqueue{},request(r), + lcdNumber_pending{}, lcdNumber_pendingsender{}, lcdNumber_pendingexactsame{}, + blockallmessages{}, pushButton_allclear{}, pushButton_senderclear{}, + pushButton_messageclear{}, messages_blockedsenders{}, messages_blockedexactmessages{} + { + //nop + } + VP1TabManager* tabmanager; + VP1ChannelManager* channelmanager; + QQueue<VP1ExternalRequest>* requestqueue; + VP1ExternalRequest request; + QLCDNumber *lcdNumber_pending; + QLCDNumber *lcdNumber_pendingsender; + QLCDNumber *lcdNumber_pendingexactsame; + bool *blockallmessages; + QPushButton * pushButton_allclear; + QPushButton * pushButton_senderclear; + QPushButton * pushButton_messageclear; + QList<QString>* messages_blockedsenders; + QList<VP1ExternalRequest>* messages_blockedexactmessages; +}; + +//____________________________________________________________________ +VP1IncomingMessageDialog::VP1IncomingMessageDialog(const VP1ExternalRequest& r, + QQueue<VP1ExternalRequest>* rq, + bool *blockallmessages, + QList<QString>* messages_blockedsenders, + QList<VP1ExternalRequest>* messages_blockedexactmessages, + VP1TabManager* tm, + VP1ChannelManager* cm, + QWidget *parent) + : QDialog(parent), m_d(new Imp(r)) +{ + m_d->tabmanager= tm; + m_d->channelmanager= cm; + m_d->requestqueue = rq; + m_d->blockallmessages=blockallmessages; + m_d->messages_blockedsenders=messages_blockedsenders; + m_d->messages_blockedexactmessages=messages_blockedexactmessages; + Ui::VP1IncomingMessageForm ui; + ui.setupUi(this); + + m_d->pushButton_allclear = ui.pushButton_allclear; + m_d->pushButton_senderclear = ui.pushButton_senderclear; + m_d->pushButton_messageclear = ui.pushButton_messageclear; + + m_d->lcdNumber_pending = ui.lcdNumber_pending; + m_d->lcdNumber_pendingsender = ui.lcdNumber_pendingsender; + m_d->lcdNumber_pendingexactsame = ui.lcdNumber_pendingexactsame; + updatependinginfo(); + + connect(ui.pushButton_allclear,SIGNAL(clicked()),this,SLOT(request_allclear())); + connect(ui.pushButton_allblock,SIGNAL(clicked()),this,SLOT(request_allblock())); + connect(ui.pushButton_senderclear,SIGNAL(clicked()),this,SLOT(request_senderclear())); + connect(ui.pushButton_senderblock,SIGNAL(clicked()),this,SLOT(request_senderblock())); + connect(ui.pushButton_messageblock,SIGNAL(clicked()),this,SLOT(request_messageblock())); + connect(ui.pushButton_messageclear,SIGNAL(clicked()),this,SLOT(request_messageclear())); + + connect(ui.pushButton_showtab_gothere,SIGNAL(clicked()),this,SLOT(request_gothere())); + + ui.textBrowser_message->setText(m_d->request.message()); + ui.label_header->setText(ui.label_header->text().replace("SENDERPLACEHOLDER",m_d->request.sender())); + if (m_d->request.action()==VP1ExternalRequest::SHOWMESSAGE) { + ui.widget_showtab->hide(); + } else if (m_d->request.action()==VP1ExternalRequest::SHOWTAB) { + ui.label_showtab->setText(ui.label_showtab->text().replace("DUMMYTABNAME",m_d->request.actioninfo())); + if (m_d->tabmanager->hasTab(m_d->request.actioninfo())) { + ui.label_showtaberror->hide(); + } else { + ui.pushButton_showtab_gothere->hide(); + } + } else if (m_d->request.action()==VP1ExternalRequest::SHOWCHANNEL) { + ui.label_showtab->setText(ui.label_showtab->text().replace("tab","channel")); + ui.label_showtab->setText(ui.label_showtab->text().replace("DUMMYTABNAME",m_d->request.actioninfo())); + + if (m_d->channelmanager->channelWithBasenameIsLoaded(m_d->request.actioninfo())) { + ui.label_showtaberror->hide(); + } else { + ui.label_showtaberror->setText(ui.label_showtaberror->text().replace("tab","channel")); + ui.pushButton_showtab_gothere->hide(); + } + + } else { + assert(0&&"This should never happen unless you did not hardcode all action types!"); + } +} + +//____________________________________________________________________ +VP1IncomingMessageDialog::~VP1IncomingMessageDialog() +{ + delete m_d; m_d=0; +} + +//____________________________________________________________________ +void VP1IncomingMessageDialog::request_gothere() +{ + if (m_d->request.action()==VP1ExternalRequest::SHOWTAB) { + m_d->tabmanager->showTab(m_d->request.actioninfo()); + } else if (m_d->request.action()==VP1ExternalRequest::SHOWCHANNEL) { + m_d->tabmanager->showFirstChannelWithGivenBasename(m_d->request.actioninfo()); + } +} + +//____________________________________________________________________ +void VP1IncomingMessageDialog::updatependinginfo() +{ + m_d->lcdNumber_pending->display(m_d->requestqueue->count()); + int nsender(0); + foreach (VP1ExternalRequest er, *(m_d->requestqueue)) { + if (er.sender()==m_d->request.sender()) + ++nsender; + } + m_d->lcdNumber_pendingsender->display(nsender); + int nequal(0); + foreach (VP1ExternalRequest er, *(m_d->requestqueue)) { + if (m_d->request==er) + ++nequal; + } + m_d->lcdNumber_pendingexactsame->display(nequal); + + + m_d->pushButton_allclear->setEnabled(m_d->requestqueue->count()>0); + m_d->pushButton_senderclear->setEnabled(nsender>0); + m_d->pushButton_messageclear->setEnabled(nequal>0); +} + +//____________________________________________________________________ +void VP1IncomingMessageDialog::request_allclear() +{ + m_d->requestqueue->clear(); + updatependinginfo(); +} + +//____________________________________________________________________ +void VP1IncomingMessageDialog::request_allblock() +{ + int ret = QMessageBox::question(this, "VP1 - Block all incoming messages?", + "This will block all incoming messages to the application.\nProceed?", + QMessageBox::Ok | QMessageBox::Cancel, QMessageBox::Cancel ); + if (ret!=QMessageBox::Ok) + return; + *(m_d->blockallmessages)=true; + request_allclear(); +} + +//____________________________________________________________________ +void VP1IncomingMessageDialog::request_senderclear() +{ + QList<VP1ExternalRequest> tmp; + foreach (VP1ExternalRequest er, *(m_d->requestqueue)) { + if (!tmp.contains(er)&&er.sender()==m_d->request.sender()) + tmp<<er; + } + foreach (VP1ExternalRequest er, tmp) { + m_d->requestqueue->removeAll (er); + } + updatependinginfo(); +} + +//____________________________________________________________________ +void VP1IncomingMessageDialog::request_senderblock() +{ + *(m_d->messages_blockedsenders)<<m_d->request.sender(); + request_senderclear(); +} + +//____________________________________________________________________ +void VP1IncomingMessageDialog::request_messageclear() +{ + QList<VP1ExternalRequest> tmp; + foreach (VP1ExternalRequest er, *(m_d->requestqueue)) { + if (!tmp.contains(er)&&er==m_d->request) + tmp<<er; + } + foreach (VP1ExternalRequest er, tmp) { + m_d->requestqueue->removeAll(er); + } + updatependinginfo(); +} + +//____________________________________________________________________ +void VP1IncomingMessageDialog::request_messageblock() +{ + *(m_d->messages_blockedexactmessages)<<m_d->request; + request_messageclear(); +} diff --git a/graphics/VTI12/VTI12Gui/src/VP1LocalEvtRetriever.cxx b/graphics/VTI12/VTI12Gui/src/VP1LocalEvtRetriever.cxx new file mode 100644 index 0000000000000000000000000000000000000000..1b6778281213b524246f088a5cddc4d008cb0627 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/VP1LocalEvtRetriever.cxx @@ -0,0 +1,135 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#include "VP1LocalEvtRetriever.h" +#include "VTI12Gui/VP1AvailEvtsLocalDir.h" + +#include <QFile> +#include <QFileInfo> +#include <QTimer> +#include <QMutexLocker> + +VP1LocalEvtRetriever::VP1LocalEvtRetriever(VP1AvailEvtsLocalDir* availEvts + , QString sourcedir + , QObject* parent) + : QThread(parent) + , m_availEvts(availEvts) + , m_sourcedir(sourcedir) + , m_timer(0) +{ +} + +VP1LocalEvtRetriever::~VP1LocalEvtRetriever() +{ + delete m_timer; +} + +void VP1LocalEvtRetriever::run() +{ + m_timer = new QTimer(0); + connect(m_timer, SIGNAL(timeout()), this, SLOT(updateLocalDirFromSource()),Qt::DirectConnection); + m_timer->start(3000); + updateLocalDirFromSource(); + exec(); +} + +void VP1LocalEvtRetriever::updateLocalDirFromSource() +{ + QMutexLocker locker(&m_mutex); + updateLocalDir(); +} + +void VP1LocalEvtRetriever::updateLocalDir() +{ + QList<VP1EventFile> evts = m_availEvts->allEventFilesInDir(m_sourcedir); + if (evts.isEmpty()) { + m_availEvts->cleanupAndCheckForEventListChanges();//In case we e.g. changed to an empty input directory + return; + } + //We don't copy more than enough to give us 3 fresh files. But if + //there are more available, we will check back in 3 seconds. + + const int nfreshneeded = 3 - m_availEvts->freshEvents().count(); + if (evts.count()>m_availEvts->maxLocalFilesToKeep()+3&&nfreshneeded<=0) { + //Don't copy anything, but schedule cleanup and check back in 3 seconds: + m_availEvts->cleanupAndCheckForEventListChanges(); +// --- todo? QTimer::singleShot(3000, this, SLOT(updateLocalDirFromSource())); + return; + } + + static unsigned ntmpdlcount = 0; + + QList<VP1EventFile> freshEvtsInSource = m_availEvts->freshEvents(evts.front(), evts); + + QString ad = m_availEvts->tmpActiveRetrievalDir(); + QString tmplocal = m_availEvts->tmpLocalFileDir(); + bool changestmplocal(false), changesad(false); + if (!ad.isEmpty()&&!tmplocal.isEmpty()) { + int ncopied(0); + foreach (VP1EventFile evt, freshEvtsInSource) { + QString fn = evt.fileName(); + QString basefn = QFileInfo(fn).fileName(); + QString target = tmplocal + basefn; + if (!QFile::exists(target)) { + QString tmptarget = ad+basefn+"_"+QString::number(ntmpdlcount++); + if (!QFile::copy(fn,tmptarget)) { + m_availEvts->message("Problems copying "+fn+" to "+tmptarget); + changesad = true; + } else { + if (!QFile::rename(tmptarget,target)) { + m_availEvts->message("Problems moving "+tmptarget+" to "+target+" directory"); + changesad = true; + } else { + if (!QFile::exists(target)) { + m_availEvts->message("Inconsistent copy of "+basefn+" to local tmp directory"); + } else { + ++ncopied; + m_availEvts->messageDebug("Copied "+basefn+" to local tmp directory");//Fixme: verbose! + changestmplocal = true; + } + } + } + } + if (ncopied>=nfreshneeded) { +// -- todo? QTimer::singleShot(3000, this, SLOT(updateLocalDirFromSource())); + break; + } + } + } else { + m_availEvts->message("Problems with temporary local directories."); + } + if (changestmplocal) + m_availEvts->invalidateDirCache(tmplocal); + if (changesad) + m_availEvts->invalidateDirCache(ad); + m_availEvts->cleanupAndCheckForEventListChanges(); +} + +void VP1LocalEvtRetriever::setSourceDir(QString dir) +{ + QMutexLocker locker(&m_mutex); + + if (!dir.endsWith("/")) + dir += "/"; + if (m_sourcedir==dir) + return; + + //Ensure that the next event is from the new directory by removing + //all cached fresh events: + + while (true) { + QList<VP1EventFile> freshevts = m_availEvts->freshEvents(); + if (freshevts.isEmpty()) + break; + foreach(VP1EventFile evt, freshevts) { + QString fn = evt.fileName(); + if (!QFile::remove(fn)) + m_availEvts->message("ERROR: Could not remove "+fn); + } + } + + //Now change directory + m_sourcedir = dir; + updateLocalDir(); +} diff --git a/graphics/VTI12/VTI12Gui/src/VP1LocalEvtRetriever.h b/graphics/VTI12/VTI12Gui/src/VP1LocalEvtRetriever.h new file mode 100644 index 0000000000000000000000000000000000000000..4b436b5c7eb2d22643ffd87651eb9f6c8ffb7365 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/VP1LocalEvtRetriever.h @@ -0,0 +1,43 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef VP1LocalEvtRetriever_h +#define VP1LocalEvtRetriever_h + +#include <QThread> +#include <QString> +#include <QMutex> + +class VP1AvailEvtsLocalDir; +class QTimer; + +class VP1LocalEvtRetriever : public QThread +{ + Q_OBJECT + + public: + VP1LocalEvtRetriever(VP1AvailEvtsLocalDir* + ,QString + ,QObject* parent = 0); + ~VP1LocalEvtRetriever(); + + void setSourceDir(QString); + + public slots: + void updateLocalDirFromSource(); + + protected: + void run(); + + private: + void updateLocalDir(); // Called by updateLocalDirFromSource() and by setSourceDir(QString) + // Does the actual work. Has been introduced in order to avoid mutex deadlocks + + VP1AvailEvtsLocalDir* m_availEvts; + QString m_sourcedir; + QTimer* m_timer; + QMutex m_mutex; +}; + +#endif diff --git a/graphics/VTI12/VTI12Gui/src/VP1MD5Sum.cxx b/graphics/VTI12/VTI12Gui/src/VP1MD5Sum.cxx new file mode 100644 index 0000000000000000000000000000000000000000..952516c54416e54920a78d69901f9a028af333d4 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/VP1MD5Sum.cxx @@ -0,0 +1,99 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class VP1MD5Sum // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: May 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12Gui/VP1MD5Sum.h" +#include <QFileInfo> +#include <QCryptographicHash> +#include <QRegExp> + +//____________________________________________________________________ +class VP1MD5Sum::Imp { +public: + static bool fileok(const QString& filename); + static QByteArray actualMd5Sum( const QString& filename, bool&ok ); +}; + +//____________________________________________________________________ +QByteArray VP1MD5Sum::sum(const QString& filename) +{ + if (!Imp::fileok(filename)) + return QByteArray(); + bool ok; + QByteArray arr = Imp::actualMd5Sum(filename,ok); + return ok ? arr : QByteArray(); +} + +//____________________________________________________________________ +bool VP1MD5Sum::sumMatches( const QString& filename, const QByteArray& targetmd5sum ) +{ + if (targetmd5sum.isEmpty()||!Imp::fileok(filename)) + return false; + bool ok; + return targetmd5sum==Imp::actualMd5Sum(filename,ok) && ok; +} + +//____________________________________________________________________ +bool VP1MD5Sum::sumMatches( const QString& filename, const QString& md5sum ) +{ + return sumMatches( filename, sumToByteArray(md5sum) ); +} + +//____________________________________________________________________ +bool VP1MD5Sum::Imp::fileok(const QString& filename) +{ + QFileInfo fi(filename); + return fi.exists() && fi.isReadable(); +} + +//____________________________________________________________________ +QByteArray VP1MD5Sum::Imp::actualMd5Sum( const QString& filename, bool&ok ) +{ + ok = false; + QFile file(filename); + QCryptographicHash md5Hash(QCryptographicHash::Md5); + + if (file.open(QIODevice::ReadOnly | QIODevice::Unbuffered)) { + ok = true; + while (!file.atEnd()) + md5Hash.addData(file.read(10485760)); + } + file.close(); + return md5Hash.result(); +} + +//____________________________________________________________________ +QString VP1MD5Sum::sumToString(const QByteArray& ba ) +{ + return ba.toHex(); +} + +//____________________________________________________________________ +QByteArray VP1MD5Sum::sumToByteArray(const QString& str ) +{ + return QByteArray::fromHex(QByteArray().append(str)); +} + +//____________________________________________________________________ +bool VP1MD5Sum::validMD5Sum(const QString& sum) +{ + if (sum.count()!=32) + return false; + return QRegExp("[0-9a-z]*").exactMatch(sum.toLower()); +} + +//____________________________________________________________________ +QString VP1MD5Sum::sumToStandardFormat(const QString& sum) +{ + return sum.simplified().toLower(); +} diff --git a/graphics/VTI12/VTI12Gui/src/VP1MainWindow.cxx b/graphics/VTI12/VTI12Gui/src/VP1MainWindow.cxx new file mode 100644 index 0000000000000000000000000000000000000000..f86ddf08faf1fead9da2cfc4964a92514a57c5ed --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/VP1MainWindow.cxx @@ -0,0 +1,1943 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +///////////////////////////////////////////////////////////// +// // +// Implementation of class VP1MainWindow // +// // +// Author: Thomas Kittelmann <Thomas.Kittelmann@cern.ch> // +// // +// Initial version: April 2007 // +// +// Updates: +// - Riccardo.Maria.Bianchi@cern.ch +// // +///////////////////////////////////////////////////////////// + +#include "VTI12Gui/VP1MainWindow.h" + +#include "VTI12Gui/VP1ChannelManager.h" +#include "VTI12Gui/VP1TabManager.h" +#include "VTI12Gui/VP1ExecutionScheduler.h" +#include "VTI12Gui/VP1IncomingMessageDialog.h" +#include "VTI12Gui/VP1PluginDialog.h" +#include "VTI12Gui/VP1DockWidget.h" +#include "VTI12Gui/VP1AvailEvents.h" +#include "VTI12Gui/VP1AvailEvtsLocalDir.h" +#include "VP1StreamMenuUpdater.h" + +#ifdef BUILDVP1LIGHT + #include "VP1Gui/VP1ExpertSettings.h" + #include "VP1Gui/VP1GeoDBSelection.h" + #include "VP1Gui/VP1AODSelection.h" + #include "VP1Gui/VP1SelectEvent.h" +#endif + +#include "VP1UtilsBase/VP1FileUtilities.h" + +#include "VP1Base/IVP1ChannelWidget.h" +#include "VP1Base/IVP1System.h" +#include "VP1Base/VP1Msg.h" +#include "VP1Base/VP1Settings.h" +#include "VP1Base/VP1QtUtils.h" + + +#include <QMessageBox> +#include <QInputDialog> +#include <QLabel> +#include <QCloseEvent> +#include <QFileDialog> +#include <QDir> +#include <QTimer> +#include <QSettings> +#include <QComboBox> +#include <QPainter> +#include <QPrinter> +#include <QPrintDialog> +#include <QProgressBar> +#include <QStyleFactory> +#include <QDateTime> +#include <QMutex> +#include <QDesktopServices> +#include <QUrl> +#include <QProcess> +#include <QGraphicsView> +#include <QGraphicsScene> +#include <QtGui> +#include <QSettings> +#include <QScrollBar> + + + +/* FIXME: LCG does not ship QWebEngine with Qt5 at the moment, + * but later you want to put it back again! + */ +/* +#include <QtGlobal> +#if QT_VERSION > QT_VERSION_CHECK(5, 5, 0) + #include <QWebEngineView> // Qt 5.6 +#else + #include <QtWebKit> +#endif +*/ + +#include <cassert> +#include <iostream> + + +//_________________________________________________________________________________ +VP1MainWindow::VP1MainWindow(VP1ExecutionScheduler*sched,VP1AvailEvents * ae,QWidget * parent) +: QMainWindow(parent), + m_runnumber(-1), + m_eventnumber(-1), + m_betweenevents(true), + m_mustquit(false), + m_dummyemptycontroller(new QWidget(0)), + m_scheduler(sched), + m_availEvents(ae), + m_settingsfile(QDir::homePath()+QDir::separator()+".atlasvp1"), + m_userRequestedExit(false), + m_streamMenuUpdater(0), + m_mutex(new QMutex()), +// #if QT_VERSION > QT_VERSION_CHECK(5, 5, 0) +// m_view(new QWebEngineView(0)), +// #else +// m_view(new QWebView(0)), +// #endif + m_edEditor(0) +{ + setupUi(this); // this sets up the GUI + + setupStatusBar(); + // + #if defined BUILDVP1LIGHT + bool checkShowAllCruiseAndEventControls = VP1QtUtils::expertSettingIsSet("expert","ExpertSettings/VP1_DEVEL_SHOW_ALL_CRUISE_AND_EVENT_CONTROLS"); + #else + bool checkShowAllCruiseAndEventControls = VP1QtUtils::environmentVariableIsOn("VP1_DEVEL_SHOW_ALL_CRUISE_AND_EVENT_CONTROLS"); + #endif + + if (!checkShowAllCruiseAndEventControls) { + pushButton_eventseek->setVisible(false); + groupBox_cruise->setVisible(false); + } + + if (m_availEvents) { + connect(m_availEvents,SIGNAL(message(const QString&)),this,SLOT(helperAddToMessageBox(const QString&))); + connect(m_availEvents,SIGNAL(freshEventsChanged()),this,SLOT(updateEventControls())); + } + + // File menu + if(!m_availEvents) { + QMenu* menu_file = new QMenu(menubar); + menu_file->setObjectName("menu_file"); + menu_file->setTitle("&File"); + menubar->addAction(menu_file->menuAction()); + m_action_addEventFile = menu_file->addAction("&Add event file ..."); + + connect(m_action_addEventFile,SIGNAL(triggered(bool)),this,SLOT(addEventFile())); + } + + #ifndef BUILDVP1LIGHT + pushButton_previousevent->setVisible(false); + pushButton_eventselect->setVisible(false); + #else + pushButton_eventselect->setVisible(true); + pushButton_eventselect->setText("Event: 0/0"); + pushButton_eventselect->setEnabled(false); + pushButton_previousevent->setEnabled(false); + //Disable all controls that are not available in VP1Light + // pushButton_quicksetup_3dcocktail->setEnabled(false); + // pushButton_quicksetup_3dcocktail->setToolTip("Not available in VP1Light"); + pushButton_quicksetup_trackingstudies->setEnabled(false); + pushButton_quicksetup_trackingstudies->setToolTip("Not available in VP1Light"); + pushButton_quicksetup_calostudies->setEnabled(false); + pushButton_quicksetup_calostudies->setToolTip("Not available in VP1Light"); + action_quicklaunch_Tracking_studies->setEnabled(false); + action_quicklaunch_Tracking_studies->setToolTip("Not available in VP1Light"); + action_quicklaunch_Calo_studies->setEnabled(false); + action_quicklaunch_Calo_studies->setToolTip("Not available in VP1Light"); + action_quicklaunch_Storegate_browser->setEnabled(false); + action_quicklaunch_Storegate_browser->setToolTip("Not available in VP1Light"); + action_quicklaunch_trackcalo_commis->setEnabled(false); + action_quicklaunch_trackcalo_commis->setToolTip("Not available in VP1Light"); + m_action_addEventFile->setEnabled(false); + #endif + + //////////////////////////////////////////////////// + //Do we need a menu for multiple input directories? + + VP1AvailEvtsLocalDir* availLocal = dynamic_cast<VP1AvailEvtsLocalDir*>(m_availEvents); + + QStringList inputdirs; + if (availLocal) + inputdirs = availLocal->availableSourceDirectories(); + + if (availLocal&&!inputdirs.isEmpty()) { + + QString currentdir = availLocal->currentSourceDir(); + if (currentdir.endsWith("/")) + currentdir.chop(1); + m_currentStream = QDir(currentdir).dirName(); + QMenu * menu_inputdir = new QMenu(menubar); + menu_inputdir->setObjectName("menu_inputdir"); + menu_inputdir->setTitle("&Stream"); + + menubar->addAction(menu_inputdir->menuAction()); + + QActionGroup * inputdir_actiongroup = new QActionGroup(menu_inputdir); + QAction*action_inputdir_current(0); + foreach (QString inputdir, inputdirs) { + if (inputdir.endsWith("/")) + inputdir.chop(1); + QString dirname = QDir(inputdir).dirName(); + QAction * action_inputdir = new QAction(this); + action_inputdir->setObjectName("action_inputdir_"+dirname); + action_inputdir->setData(inputdir); + action_inputdir->setStatusTip("Get input files from: "+inputdir); + action_inputdir->setCheckable(true); + + if (currentdir==inputdir) + action_inputdir_current = action_inputdir; + menu_inputdir->addAction(action_inputdir); + inputdir_actiongroup->addAction(action_inputdir); + m_inputdiractions << action_inputdir; + connect(action_inputdir,SIGNAL(triggered(bool)),this,SLOT(inputDirectoryActionTriggered())); + } + if (action_inputdir_current) { + action_inputdir_current->blockSignals(true); + action_inputdir_current->setChecked(true); + action_inputdir_current->blockSignals(false); + } + + // Populate inputdirstatuses + foreach(QAction* action, m_inputdiractions) + m_inputdirstatuses[action] = VP1DirStatusData(action->data().toString(), + QString(), + true, + false); + + m_streamMenuUpdater = new VP1StreamMenuUpdater(m_inputdirstatuses,m_mutex); + m_streamMenuUpdater->start(); + + //Fixme: start timer which every minute checks the status of these directories + QTimer *timer = new QTimer(this); + connect(timer, SIGNAL(timeout()), this, SLOT(updateInputDirectoriesStatus())); + timer->start(5000);//update this menu rather often (this is only for P1 anyway) + } + + //....... + + m_channelmanager = new VP1ChannelManager(m_scheduler,this); + m_tabmanager = new VP1TabManager(this,tabWidget_central,m_channelmanager); + stackedWidget_customcontrols->addWidget(m_dummyemptycontroller); + + //Final touches to instructions page: + + // Remove any margins added by the layouts in the stacked + // widget. This really ought to be the default for stacked widgets! + for (int i=0;i<stackedWidget_central->count();++i) + stackedWidget_central->widget(i)->layout()->setContentsMargins(0,0,0,0); + + frame_instructions->setStyleSheet("QFrame#frame_instructions { "+VP1DockWidget::highlightStyle()+" } "); + frame_instructions->setFrameShape(QFrame::StyledPanel); + // textBrowser_intro1->setStyleSheet("QTextBrowser#textBrowser_intro1 { background-color: rgba(0, 0, 0, 0%) } "); + // textBrowser_intro2->setStyleSheet("QTextBrowser#textBrowser_intro2 { background-color: rgba(0, 0, 0, 0%) } "); + #ifndef BUILDVP1LIGHT + connect(pushButton_quicksetup_faser,SIGNAL(clicked()),this,SLOT(quickSetupTriggered())); + #else + connect(pushButton_quicksetup_faser,SIGNAL(clicked()),this,SLOT(quickSetupTriggered())); + #endif + // connect(pushButton_quicksetup_trackingstudies,SIGNAL(clicked()),this,SLOT(quickSetupTriggered())); + // connect(pushButton_quicksetup_calostudies,SIGNAL(clicked()),this,SLOT(quickSetupTriggered())); + connect(pushButton_quicksetup_geometrystudies,SIGNAL(clicked()),this,SLOT(quickSetupTriggered())); + connect(pushButton_quicksetup_analysisstudies,SIGNAL(clicked()),this,SLOT(quickSetupTriggered())); + + //Default application font: + m_defaultfont = QApplication::font(); + m_defaultfont_pointsize = m_defaultfont.pointSizeF(); + if (m_defaultfont_pointsize<0.0) + m_defaultfont_pixelsize = m_defaultfont.pixelSize(); + else + m_defaultfont_pixelsize = -1; + + //Tabs: + connect(m_tabmanager,SIGNAL(tabListChanged(QStringList)),this,SLOT(tabListChanged(QStringList))); + connect(tabWidget_central,SIGNAL(currentChanged(int)),this,SLOT(updateCentralStackWidget())); + updateCentralStackWidget(); + + //Channels: + + connect(pushButton_saveAllChannels,SIGNAL(clicked()),this,SLOT(saveAllCurrentChannels())); + connect(pushButton_makeEventDisplay,SIGNAL(clicked()),this,SLOT(makeAllChannelsEventDisplay())); + + connect(pushButton_3D,SIGNAL(clicked()),this,SLOT(launch3DstereoEditor())); + + connect(pushButton_channelfullscreen,SIGNAL(clicked()),m_tabmanager,SLOT(showCurrentChannelFullScreen())); + connect(pushButton_channelinformation,SIGNAL(clicked()),this,SLOT(request_channelInformation())); + connect(pushButton_printchannel,SIGNAL(clicked()),this,SLOT(request_printChannel())); + connect(pushButton_savesnapshotchannel,SIGNAL(clicked()),this,SLOT(request_saveChannelSnapshot())); + connect(m_tabmanager,SIGNAL(selectedChannelChanged(IVP1ChannelWidget*)),this,SLOT(selectedChannelChanged(IVP1ChannelWidget*))); + + //Menu: + //Quick start: + // connect(action_quicklaunch_Tracking_studies,SIGNAL(triggered(bool)),this,SLOT(quickSetupTriggered())); + // connect(action_quicklaunch_Calo_studies,SIGNAL(triggered(bool)),this,SLOT(quickSetupTriggered())); + connect(action_quicklaunch_Geometry_studies,SIGNAL(triggered(bool)),this,SLOT(quickSetupTriggered())); + connect(action_quicklaunch_analysisstudies,SIGNAL(triggered(bool)),this,SLOT(quickSetupTriggered())); + connect(action_quicklaunch_Storegate_browser,SIGNAL(triggered(bool)),this,SLOT(quickSetupTriggered())); + connect(action_quicklaunch_faser,SIGNAL(triggered(bool)),this,SLOT(quickSetupTriggered())); + // connect(action_quicklaunch_trackcalo_commis,SIGNAL(triggered(bool)),this,SLOT(quickSetupTriggered())); + connect(action_exit_VP1,SIGNAL(triggered(bool)),this,SLOT(close())); + + //Configuration + m_menu_loadConfFile = menuConfiguration->addMenu ( "&Load tab configuration from file" ); + m_menu_loadConfFile->setStatusTip("Select .vp1 config file to load"); + connect(m_menu_loadConfFile,SIGNAL(aboutToShow()),this,SLOT(showMenu_loadConfFile())); + menuConfiguration->addSeparator(); + //plugins: + m_menu_loadPlugin = menuConfiguration->addMenu ( "&Load plugin" ); + m_menu_loadPlugin->setStatusTip("Select plugin to load"); + // m_action_infoAboutLoadedPlugins = menuPlugins->addAction ( "&Info about loaded plugins" ); + // m_action_infoAboutLoadedPlugins->setStatusTip("Get information about the presently loaded plugins"); + // m_action_infoAboutLoadedPlugins->setEnabled(false); + connect(m_menu_loadPlugin,SIGNAL(aboutToShow()),this,SLOT(showMenu_loadPlugin())); + //Style + m_menu_changeStyle = menu_Style->addMenu ( "&Style" ); + QActionGroup * styleGroup = new QActionGroup(this); + QAction * laststyleact(0); + bool foundplastique=false; + QSettings s(m_settingsfile,QSettings::IniFormat); + QString defaultstyle=s.value("style/defaultstyle", "Fusion").toString(); + foreach (QString style, QStyleFactory::keys() ) { + QAction * act = m_menu_changeStyle->addAction(style); + act->setStatusTip("Change application style to "+style); + connect(act,SIGNAL(triggered(bool)),this,SLOT(changeStyleActionTriggered())); + act->setCheckable(true); + styleGroup->addAction(act); + laststyleact=act; + if (act->text()==defaultstyle) { + act->setChecked(true); + QApplication::setStyle(QStyleFactory::create(act->text())); + foundplastique=true; + } + } + if (!foundplastique) { + laststyleact->setChecked(true); + QApplication::setStyle(QStyleFactory::create(laststyleact->text())); + } + //Fonts: + int savedgoal = 0; + if (m_defaultfont_pointsize<0.0) + savedgoal = s.value("font/pixelsize_diff", 0).toInt(); + else + savedgoal = s.value("font/pointsize_relativepercent", 0).toInt(); + + m_menu_changeFontSize = menu_Style->addMenu ( "&Font size" ); + QList<int> fontoptions; + if (m_defaultfont_pointsize<0.0) + fontoptions <<15<<10<<+5<<+3<<+2<<+1<<0<<-1<<-2<<-3<<-5<<-10<<-20<<-30; + else + fontoptions <<150<<100<<50<<30<<20<<10<<5<<0<<-5<<-10<<-20<<-30<<-50; + + QActionGroup * fontGroup = new QActionGroup(this); + bool foundsavedgoal(false); + QAction * normalfontact(0); + foreach (int fontopt,fontoptions) { + if (m_defaultfont_pixelsize>0&&m_defaultfont_pixelsize+fontopt<=0) + continue; + QString text = (fontopt==0?"normal": (fontopt>0?"+":"")+QString::number(fontopt)+(m_defaultfont_pointsize < 0.0? " pixels" : "%")); + QAction * act = m_menu_changeFontSize->addAction(text); + act->setStatusTip("Change overall font size of application to "+text); + act->setData(fontopt); + act->setCheckable(true); + fontGroup->addAction(act); + connect(act,SIGNAL(triggered(bool)),this,SLOT(changeFontSizeActionTriggered())); + if (fontopt==0) + normalfontact=act; + if (savedgoal==fontopt) { + act->setChecked(true); + changeFontSize(fontopt); + foundsavedgoal=true; + } + } + if (!foundsavedgoal) { + normalfontact->setChecked(true); + } + + // + m_actionSave_current_tabs = menuConfiguration->addAction ( "&Save current tab configuration to file" ); + m_actionSave_current_tabs->setStatusTip("Save current tab/channel layout to .vp1 config file"); + menuConfiguration->addSeparator(); + m_actionAdd_empty_tab = menuConfiguration->addAction ( "&Add empty tab" ); + m_actionAdd_empty_tab->setStatusTip("Add empty tab to the current tab list"); + connect(m_actionAdd_empty_tab,SIGNAL(triggered(bool)),this,SLOT(request_addEmptyTab())); + connect(m_actionSave_current_tabs,SIGNAL(triggered(bool)),this,SLOT(request_saveasConfig())); + + //ExpertSettings + #ifdef BUILDVP1LIGHT + menuConfiguration->addSeparator(); + m_actionEnableExpertSettings = menuConfiguration->addAction ( "&Settings" ); + m_actionEnableExpertSettings->setStatusTip("Open additional settings"); + connect(m_actionEnableExpertSettings, &QAction::triggered, this, &VP1MainWindow::request_expertSettings); + #endif + + //Event navigation: + connect(pushButton_nextevent,SIGNAL(clicked()),this,SLOT(goToNextEvent())); + #ifdef BUILDVP1LIGHT + connect(pushButton_previousevent,SIGNAL(clicked()),this,SLOT(goToPreviousEvent())); + connect(pushButton_eventselect,SIGNAL(clicked()),this,SLOT(chooseEvent())); + #endif + + //Listen for external requests: + connect(&m_tcpserver,SIGNAL(receivedExternalRequest(VP1ExternalRequest)),this,SLOT(receivedExternalRequest(VP1ExternalRequest))); + listenOnTcp(); + // updateTcpIcon(); + connect(&m_tcpserver,SIGNAL(listenStateChanged(bool)),this,SLOT(updateTcpIcon())); + updateTcpIcon(); + m_currentincomingdialog=0; + m_blockallmessages=false; + m_plugindialog=0; + + //Cruise: + connect(pushButton_cruise,SIGNAL(clicked()),this,SLOT(request_cruisemodechange())); + connect(radioButton_cruise_event,SIGNAL(clicked()),this,SLOT(request_cruisemodechange())); + connect(radioButton_cruise_tab,SIGNAL(clicked()),this,SLOT(request_cruisemodechange())); + connect(radioButton_cruise_both,SIGNAL(clicked()),this,SLOT(request_cruisemodechange())); + + // Help menu + QMenu* menu_help = new QMenu(menubar); + menu_help->setObjectName("menu_help"); + menu_help->setTitle("&Help"); + menubar->addAction(menu_help->menuAction()); + m_action_openVP1Site = menu_help->addAction("VP1 &Web Site"); + m_action_openUsersGuide = menu_help->addAction("VP1 &User's Guide"); + m_action_openUsersSupport = menu_help->addAction("VP1 User's &Support (in the system browser)"); + menu_help->addSeparator(); + m_action_openAbout = menu_help->addAction("&About VP1"); + + QTimer::singleShot(0, this, SLOT(postInitUpdates())); + m_currentsaveimagepath = VP1Settings::defaultFileSelectDirectory(); + m_currentloadpluginpath = VP1Settings::defaultFileSelectDirectory(); + + connect(m_action_openUsersGuide,SIGNAL(triggered(bool)),this,SLOT(help_openUserGuide())); + connect(m_action_openVP1Site,SIGNAL(triggered(bool)),this,SLOT(help_openVP1WebSite())); + connect(m_action_openUsersSupport,SIGNAL(triggered(bool)),this,SLOT(help_openUserSupport())); + connect(m_action_openAbout,SIGNAL(triggered(bool)),this,SLOT(help_openAbout())); + + // FIXME: enabling menubar again. It's part of a quickfix, described here: https://its.cern.ch/jira/browse/ATLASVPONE-120 + #ifndef BUILDVP1LIGHT + menubar->setEnabled(false); + #endif +} + +//_________________________________________________________________________________ +void VP1MainWindow::launch3DstereoEditor() +{ + VP1Msg::messageDebug("VP1MainWindow::launch3DstereoEditor()"); + m_tabmanager->launchStereoEditorCurrentTab(); + +} + +//_________________________________________________________________________________ +void VP1MainWindow::help_openUserGuide() { + /* + * Open the online help from a web url location + * with the default system web browser + */ + VP1Msg::messageDebug("VP1MainWindow::help_openUserGuide()"); +// +// // we use the Qt Web Browser to show the VP1 documentation +// #if QT_VERSION > QT_VERSION_CHECK(5, 5, 0) +// QWebEngineView *old = m_view; +// m_view = new QWebEngineView(0); +// #else +// QWebView *old = m_view; +// m_view = new QWebView(0); +// #endif +// +// m_view->load(QUrl("http://atlas-vp1.web.cern.ch/atlas-vp1/doc/")); +// m_view->show(); +// delete old; old = 0; + + return; +} + +//_________________________________________________________________________________ +void VP1MainWindow::help_openUserSupport() { + /* + * Open the online page with links to the JIRA issue collectors + * with the default system web browser + */ + VP1Msg::messageDebug("VP1MainWindow::help_openUserSupport()"); + + // fixme: apparently javascript does not work in the embedded browser, so I use the default system one + + // we use here the default system browser + QDesktopServices::openUrl(QUrl("http://atlas-vp1.web.cern.ch/atlas-vp1/vp1_users_support/")); + +// // we use the Qt Web Browser to show the VP1 user's support page +// QWebEngineView *old = m_view; +// m_view = new QWebEngineView(0); +// m_view->load(QUrl("http://atlas-vp1.web.cern.ch/atlas-vp1/vp1_users_support_em/")); +// m_view->show(); +// delete old; old = 0; + + return; +} + +//_________________________________________________________________________________ +void VP1MainWindow::help_openVP1WebSite() { + /* + * Open the online help from a web url location + * with the default system web browser + */ + VP1Msg::messageDebug("VP1MainWindow::help_openVP1WebSite()"); +// +// // we use the Qt Web Browser to show the VP1 web site +// #if QT_VERSION > QT_VERSION_CHECK(5, 5, 0) +// QWebEngineView *old = m_view; +// m_view = new QWebEngineView(0); +// #else +// QWebView *old = m_view; +// m_view = new QWebView(0); +// #endif +// +// m_view->resize(1000, 800); +// m_view->load(QUrl("http://atlas-vp1.web.cern.ch/atlas-vp1/")); +// m_view->show(); +// delete old; old = 0; + return; +} + + +//_________________________________________________________________________________ +void VP1MainWindow::help_openAbout() { + /* + * open the online help with the internal web browser + */ + VP1Msg::messageDebug("VP1MainWindow::help_openAbout()"); +// +// // we use the Qt Web Browser to show the VP1 "About" page +// #if QT_VERSION > QT_VERSION_CHECK(5, 5, 0) +// QWebEngineView *old = m_view; +// m_view = new QWebEngineView(0); +// #else +// QWebView *old = m_view; +// m_view = new QWebView(0); +// #endif +// +// m_view->load(QUrl("https://atlas-vp1.web.cern.ch/atlas-vp1/doc_new/about_vp1/CREDITS.html")); +// m_view->show(); +// delete old; old = 0; + + return; +} + + +//_________________________________________________________________________________ +void VP1MainWindow::postInitUpdates(){ + + //Make sure that the splitters give maximum space for the tab area. + + int sum1 = splitter_tabwidget_messagebox->sizes().at(0) + splitter_tabwidget_messagebox->sizes().at(1); + QList<int> sizes1; sizes1 << sum1 << 0; + splitter_tabwidget_messagebox->setSizes ( sizes1 ); + int bottom = 1; + while (splitter_tabwidget_messagebox->sizes().at(1)==0&&bottom<50000) { + QList<int> sizes2; sizes2 << sum1-bottom << bottom; + splitter_tabwidget_messagebox->setSizes ( sizes2 ); + ++bottom; + } + + int sum2 = splitter_leftright->sizes().at(0) + splitter_leftright->sizes().at(1); + int left = 300; + QList<int> sizes3; sizes3 << left << sum2-left; + splitter_leftright->setSizes ( sizes3 ); + while (splitter_leftright->sizes().at(0)==0&&left<50000) { + QList<int> sizes4; sizes4 << left << sum2-left; + splitter_leftright->setSizes ( sizes4 ); + ++left; + } + + int prefwidths = std::max<int>(left,widget_controlsContainer->sizeHint().width()); + prefwidths = std::max<int>(prefwidths,groupBox_channelcontrols->sizeHint().width()); + prefwidths = std::max<int>(prefwidths,groupBox_cruise->sizeHint().width()); + prefwidths = std::max<int>(prefwidths,groupBox_event->sizeHint().width()); + prefwidths = std::max<int>(prefwidths,stackedWidget_customcontrols->sizeHint().width()); + widget_controlsContainer->setMaximumWidth(50+prefwidths); + // int h1(textBrowser_intro1->viewport()->sizeHint().height()); + // textBrowser_intro1->setMaximumHeight(h1+2); + if (m_availEvents) + m_availEvents->init(); + updateEventControls(); +} + +//_________________________________________________________________________________ +void VP1MainWindow::setupStatusBar() { + progressbar = new QProgressBar(); + progressbar->setMinimum(0); + progressbar->reset(); + progressbar->setOrientation(Qt::Horizontal); + statusBar()->addPermanentWidget(progressbar); + m_statusbarlabel = new QLabel(); + //Turn off ugly box around items in statusbar: + statusBar()->setStyleSheet("QStatusBar::item { border-width: 0 }"); + statusBar()->addPermanentWidget(m_statusbarlabel); + progressbar->hide(); +} + +//_________________________________________________________________________________ +VP1MainWindow::~VP1MainWindow() +{ + if (m_edEditor) { + VP1Msg::messageDebug("deleting the editor"); + delete m_edEditor; + } + VP1Msg::messageDebug("deleting the tab manager"); + delete m_tabmanager; + VP1Msg::messageDebug("deleting the channel manager"); + delete m_channelmanager; + VP1Msg::messageDebug("deleting the events"); + delete m_availEvents; + + if(m_streamMenuUpdater) { + VP1Msg::messageDebug("deleting the streamupdater"); + m_streamMenuUpdater->quit(); + m_streamMenuUpdater->deleteLater(); + } + + VP1Msg::messageDebug("deleting the mutex"); + delete m_mutex; + + VP1Msg::messageDebug("deleting the view"); +// delete m_view; // TODO: Qt5 +// m_view = 0;// TODO: Qt5 +} + +//_________________________________________________________________________________ +bool VP1MainWindow::mustQuit() const { + return m_mustquit; +} + + +//_________________________________________________________________________________ +void VP1MainWindow::updateTcpIcon() +{ + bool l = m_tcpserver.isListening(); + m_statusbarlabel->setPixmap(QIcon(l?":/vp1/icons/icons/network_64x64.png":":/vp1/icons/icons/network_disconnect_64x64.png") + .pixmap(progressbar->height(),progressbar->height(),QIcon::Normal,QIcon::On)); + m_statusbarlabel->setToolTip(l?"Listening on port "+QString::number(m_tcpserver.port())+" for incoming messsages" + :"VP1 is presently NOT listening for incoming messages"); + +} + +//_________________________________________________________________________________ +void VP1MainWindow::loadPluginFile(QString filename) +{ + VP1Msg::messageDebug("loadPluginFile()"); + + QString err = m_channelmanager->loadPluginFile(filename); + if (!err.isEmpty()) { + QMessageBox::critical(0, "Error - could not load plugin file: "+filename, + "Could not load plugin file: " + +filename+"\n\nReason: "+err,QMessageBox::Ok,QMessageBox::Ok); + VP1Msg::message("Could not load plugin file: "+filename+"\n\nReason: "+err); + } + //Fixme: Error message here is hardcoded to be the same as in loadPluginFile method!! +} + +//_________________________________________________________________________________ +void VP1MainWindow::request_addEmptyTab() { + bool ok; + QString newtabname = QInputDialog::getText( 0, "New Tab Name","New tab name:", + QLineEdit::Normal, m_tabmanager->suggestNewTabName("My Tab"), &ok ); + if (!ok||newtabname.isEmpty()) + return; + m_tabmanager->addNewTab(newtabname); +} + +//_________________________________________________________________________________ +void VP1MainWindow::tabListChanged(QStringList l) { + updateCentralStackWidget(); + if (l.count()) { + m_actionSave_current_tabs->setEnabled(true); + groupBox_cruise->setEnabled(true); + } else { + m_actionSave_current_tabs->setEnabled(false); + groupBox_cruise->setEnabled(false); + } + if (l.count()>1) { + radioButton_cruise_tab->setEnabled(true); + radioButton_cruise_both->setEnabled(true); + } else { + if (radioButton_cruise_tab->isChecked()||radioButton_cruise_both->isChecked()) + radioButton_cruise_event->setChecked(true); + radioButton_cruise_tab->setEnabled(false); + radioButton_cruise_both->setEnabled(false); + } +} + +//_________________________________________________________________________________ +void VP1MainWindow::addChannelIconsToComboBox(QComboBox* cb, const bool& isbasenames) { + int n= cb->count(); + for (int i = 0; i<n; ++i) { + QString icontext = m_channelmanager->getIconLocation(cb->itemText(i), isbasenames); + if (!icontext.isEmpty()) + cb->setItemIcon ( i, QIcon(icontext) ); + } +} + +//_________________________________________________________________________________ +void VP1MainWindow::selectedChannelChanged(IVP1ChannelWidget* cw) +{ + VP1Msg::messageDebug("VP1MainWindow::selectedChannelChanged()"); + + //Controls box: + if (cw) { + groupBox_channelcontrols->setTitle("Controls: "+cw->unique_name()); + groupBox_channelcontrols->setEnabled(true); + QWidget* controller = m_channelmanager->getController(cw); + if (!controller) { + stackedWidget_customcontrols->setCurrentWidget(m_dummyemptycontroller); + } else { + if (stackedWidget_customcontrols->indexOf(controller)==-1) + stackedWidget_customcontrols->addWidget(controller); + stackedWidget_customcontrols->setCurrentWidget(controller); + } + } else { + groupBox_channelcontrols->setTitle("Controls: no channel selected"); + groupBox_channelcontrols->setEnabled(false); + stackedWidget_customcontrols->setCurrentWidget(m_dummyemptycontroller); + } + + // FIXME: enabling menubar again. It's part of a quickfix, described here: https://its.cern.ch/jira/browse/ATLASVPONE-120 + menubar->setEnabled(true); + + // FIXME: enabling menubar again. It's part of a quickfix, described here: https://its.cern.ch/jira/browse/ATLASVPONE-120 + menubar->setEnabled(true); +} + +//_________________________________________________________________________________ +void VP1MainWindow::request_saveasConfig() { + + QString filename = QFileDialog::getSaveFileName(this, "Select configuration file to save", + (m_currentconfigfile.isEmpty()?VP1Settings::defaultFileSelectDirectory():m_currentconfigfile), + "VP1 Configuration files (*.vp1)",0,QFileDialog::DontResolveSymlinks); + if(filename.isEmpty()) + return; + + if (!filename.endsWith(".vp1")) + filename += ".vp1"; + + m_tabmanager->saveConfigurationToFile(filename,false/*Since the filedialog already asks*/); + m_currentconfigfile=filename; +} + +//_________________________________________________________________________________ +void VP1MainWindow::request_saveConfig() +{ + if (m_currentconfigfile.isEmpty()) { + request_saveasConfig(); + return; + } + m_tabmanager->saveConfigurationToFile(m_currentconfigfile,false); +} + +//_________________________________________________________________________________ +void VP1MainWindow::request_loadConfig() +{ + QString filename = QFileDialog::getOpenFileName(this, "Select configuration file to load", + (m_currentconfigfile.isEmpty()?VP1Settings::defaultFileSelectDirectory():m_currentconfigfile), + "VP1 configuration files (*.vp1)",0,QFileDialog::DontResolveSymlinks); + if(filename.isEmpty()) + return; + m_tabmanager->loadConfigurationFromFile(filename,availablePluginFiles()); + m_currentconfigfile=filename; +} + +//_________________________________________________________________________________ +void VP1MainWindow::request_loadPlugin() +{ +#ifdef __APPLE__ + QString sharedlibsuffix = "dylib"; +#else + QString sharedlibsuffix = "so"; +#endif + qDebug() << "VP1MainWindow::request_loadPlugin()"<<m_currentloadpluginpath; + + QString filename = QFileDialog::getOpenFileName(this, "Select plugin file to load", + m_currentloadpluginpath, + "VP1 plugin files (*VP1*."+sharedlibsuffix+")",0,QFileDialog::DontResolveSymlinks); + if(filename.isEmpty()) + return; + m_currentloadpluginpath = QFileInfo(filename).dir().absolutePath(); + loadPluginFile(filename); +} + +//_________________________________________________________________________________ +QMap<QString,QString> VP1MainWindow::availableFiles(const QString& extension, + const QString& pathvar,//LD_LIBRARY_PATH or DATAPATH + const QString& instareasubdir, + const QString& extradirenvvar, + bool currentdir ) const +{ + + qDebug() << "VP1MainWindow::availableFiles()"; + qDebug() << "extension:" << extension << "pathvar:" << pathvar << "instareasubdir:" << instareasubdir << "extradirenvvar:" << extradirenvvar << "currentdir:" << currentdir; + + + //Add directories from extradirenvvar (e.g. $VP1PLUGINPATH) + QStringList vp1pluginpath = extradirenvvar.isEmpty() ? QStringList() : QString(::getenv(extradirenvvar.toStdString().c_str())).split(":",QString::SkipEmptyParts); + if(VP1Msg::debug()){ + qDebug() << "extradirenvvar:" << extradirenvvar; + qDebug() << "vp1pluginpath:" << vp1pluginpath; + } + + #ifdef BUILDVP1LIGHT + //Add dir from Expert Settings + if(VP1QtUtils::expertSettingValue("expert","ExpertSettings/VP1PLUGINPATH")==""){ + vp1pluginpath<<QCoreApplication::applicationDirPath()+"/../lib"; + } else{ + vp1pluginpath<<VP1QtUtils::expertSettingValue("expert","ExpertSettings/VP1PLUGINPATH"); + } + #endif + + //Currentdir: + if (currentdir) { + vp1pluginpath<<QDir::currentPath(); + if (QDir::currentPath()!=VP1Settings::defaultFileSelectDirectory()) + vp1pluginpath<<VP1Settings::defaultFileSelectDirectory(); + } + + //Add directories from pathvar (looking in subdir instareasubdir): + QString varStr = QString(::getenv(pathvar.toStdString().c_str())); + //VP1Msg::messageDebug("Add directories from pathvar... " + pathvar + " - " + varStr); + QString path = QString(::getenv(pathvar.toStdString().c_str())); + if (!path.isEmpty()) { + //!instareasubdir.isEmpty()&& + QStringList tmp = path.split(":",QString::SkipEmptyParts);//This 'tmp' is for SLC3 compilation. + foreach (QString dir,tmp) { + vp1pluginpath << ( instareasubdir.isEmpty() ? dir : dir+QDir::separator()+QDir::separator()+instareasubdir ); + } + } + + //Remove all nonexisting directories: + foreach (QString plugindir, vp1pluginpath) { + QFileInfo fi(plugindir); + if (!fi.exists()||!fi.isDir()) { + vp1pluginpath.removeAll(plugindir); + } + } + + //Find all files with required extension in the directories (in case of duplicates - the ones appearing first are used): + QMap<QString,QString> plugins2fullpath; + foreach (QString plugindir, vp1pluginpath) { + QStringList plugins = QDir(plugindir).entryList((QStringList()<<("*"+extension)),QDir::CaseSensitive | QDir::Files | QDir::Readable,QDir::Name); + foreach (QString plugin, plugins) { + plugin = QFileInfo(plugin).fileName(); + if (!plugins2fullpath.contains(plugin)) { + QString fullpath = plugindir+QDir::separator()+plugin; + plugins2fullpath[plugin]=fullpath; + } + } + } + return plugins2fullpath; +} + +//_________________________________________________________________________________ +QMap<QString,QString> VP1MainWindow::availablePluginFiles() const +{ +VP1Msg::messageDebug("VP1MainWindow::availablePluginFiles()"); + +#ifdef __APPLE__ + QString sharedlibsuffix = "dylib"; +#else + QString sharedlibsuffix = "so"; +#endif + + return availableFiles( "."+sharedlibsuffix, "LD_LIBRARY_PATH", "vp1plugins", "VP1PLUGINPATH" ); + +} + +//_________________________________________________________________________________ +void VP1MainWindow::pluginDialogClosed() { + if (!m_plugindialog) + return; + + int res = m_plugindialog->result(); + QString filename = m_plugindialog->unloadfile(); + disconnect(m_plugindialog,SIGNAL(finished(int)),this,SLOT(pluginDialogClosed())); + m_plugindialog->deleteLater(); + m_plugindialog = 0; + + if (res!=QDialog::Accepted||filename.isEmpty()) + return; + + //How many channels would be affected by such unloading? + QStringList bns = m_channelmanager->channelsInPluginFile(filename); + int naffected(0); + foreach (QString bn, bns) + naffected += m_channelmanager->nActive(bn); + + foreach (QString bn, bns) { + while(m_channelmanager->basename2UniqueNames(bn).count()>0) + m_tabmanager->removeChannel(m_channelmanager->basename2UniqueNames(bn).value(0)); + } + + m_currentunloadpluginfiles << filename; + QTimer::singleShot(0, this, SLOT(unloadPlugin_continue())); + +} + +//_________________________________________________________________________________ +void VP1MainWindow::unloadPlugin_continue() +{ + foreach (QString filename, m_currentunloadpluginfiles) { + bool success = m_channelmanager->unloadPluginFile(filename); + if (!success) + QMessageBox::critical(0, "Error - problems unloading plugin file: "+filename, + "Problems encountered while attempting to unload plugin file: "+filename,QMessageBox::Ok,QMessageBox::Ok); + } + m_currentunloadpluginfiles.clear(); +} + +//_________________________________________________________________________________ +bool VP1MainWindow::okToProceedToNextEvent() const +{ + return ! (m_betweenevents || (m_availEvents&&m_availEvents->freshEvents().isEmpty())); +} + + +//_________________________________________________________________________________ +void VP1MainWindow::nextEvent() { + m_betweenevents=true; + if (m_availEvents) { + QList<VP1EventFile> evts = m_availEvents->freshEvents(); + if (evts.empty()) { + addToMessageBox("ERROR: Going to next event, but one is not available!"); + m_scheduler->setNextRequestedEventFile(""); + } else { + m_scheduler->setNextRequestedEventFile(evts.front().fileName()); + } + } + updateEventControls(); +} + +//_________________________________________________________________________________ +void VP1MainWindow::goToNextEvent() { + #if defined BUILDVP1LIGHT + std::cout << "goToNextEvent: \n" + << "m_scheduler->getEvtNr()+2: " << m_scheduler->getEvtNr()+2 + << "\nm_scheduler->getTotEvtNr(): " << m_scheduler->getTotEvtNr() << std::endl; + if ( m_scheduler->getEvtNr()+2 < m_scheduler->getTotEvtNr() ) { + std::cout << "First case" << std::endl; + m_scheduler->setEvtNr(m_scheduler->getEvtNr()+1); + nextEvent(); + qApp->quit(); + } + else if( m_scheduler->getEvtNr()+2 == m_scheduler->getTotEvtNr() ) { + std::cout << "Second case" << std::endl; + m_scheduler->setEvtNr(m_scheduler->getEvtNr()+1); + nextEvent(); + qApp->quit(); + } + #else + nextEvent(); + qApp->quit(); + #endif +} + +#if defined BUILDVP1LIGHT +//_________________________________________________________________________________ +void VP1MainWindow::goToPreviousEvent() { + if ( m_scheduler->getEvtNr()-1 > 0 ) { + m_scheduler->setEvtNr(m_scheduler->getEvtNr()-1); + nextEvent(); + qApp->quit(); + } + else if( m_scheduler->getEvtNr()-1 == 0 ) { + m_scheduler->setEvtNr(m_scheduler->getEvtNr()-1); + nextEvent(); + qApp->quit(); + } +} +#endif + +//_________________________________________________________________________________ +void VP1MainWindow::closeEvent(QCloseEvent * event) +{ + VP1Msg::messageDebug("VP1MainWindow::closeEvent()"); + + bool checkEnableAskOnClose; + #if defined BUILDVP1LIGHT + checkEnableAskOnClose = VP1QtUtils::expertSettingIsSet("general","ExpertSettings/VP1_ENABLE_ASK_ON_CLOSE"); + #else + checkEnableAskOnClose = VP1QtUtils::environmentVariableIsOn("VP1_ENABLE_ASK_ON_CLOSE"); + #endif + + if (checkEnableAskOnClose) { + int ret = QMessageBox::warning(this, + "Close VP1?", + "You are about to close VP1 and end the job.\nProceed?", + QMessageBox::Ok| QMessageBox::Cancel, + QMessageBox::Cancel ); + if (ret!=QMessageBox::Ok) { + event->ignore(); + return; + } + m_userRequestedExit = true; + } + + hide(); + + VP1Msg::messageDebug("calling tabmanager->setSelectedDockWidget(0)..."); + m_tabmanager->setSelectedDockWidget(0); + VP1Msg::messageDebug("tabmanager->setSelectedDockWidget(0) called."); + + m_mustquit=true; // this will inform VP1Alg that we want to quit VP1 (then we'll quit the Athena algorithm) + VP1Msg::messageDebug("calling qApp->quit()..."); + qApp->quit(); +} + +//_________________________________________________________________________________ +void VP1MainWindow::setRunEvtNumber(const int& r, const unsigned long long& e, const unsigned& triggerType, const unsigned& time, const bool& printmessage ) { + + m_scheduler->setNextRequestedEventFile(""); + const bool sameasold(m_runnumber==r&&m_eventnumber==e); + + m_runnumber=r; + m_eventnumber=e; + m_timestamp=time; + + m_betweenevents = false; + if (m_availEvents) + m_availEvents->setCurrentEvent(r,e); + + foreach(IVP1ChannelWidget* channel,m_tabmanager->allChannels()) { + channel->setRunEvtNumber(r,e); + channel->setEvtTimestamp(time); + } + + if(printmessage) { + qulonglong evNumber = m_eventnumber; + QString evtstr = "run# "+QString::number(m_runnumber)+", event# "+QString::number(evNumber)+(sameasold?" (reused)":""); + QString trighex = triggerType > 0 ? "0x"+QString::number(triggerType, 16).toUpper().rightJustified(sizeof(triggerType),'0') : ""; + QString expandedevtstr = evtstr + + QString(trighex.isEmpty()?QString(""):", triggerType: "+trighex) + + QString(time>0 ? ", time: "+QDateTime::fromTime_t(time).toString(Qt::ISODate).replace('T',' ') : "") + + QString(m_currentStream.isEmpty()?"":", "+m_currentStream); + + #ifdef BUILDVP1LIGHT + setWindowTitle("VP1Light ["+expandedevtstr+"]"); + #else + setWindowTitle("VTI 12 (Virtual TI 12) ["+expandedevtstr+"]"); + #endif // BUILDVP1LIGHT + + groupBox_event->setTitle("Event [loaded]"); + label_run_event->setText("["+evtstr+"]"); + + addToMessageBox("New event: "+expandedevtstr,"color:#ff0000"); + + } + updateEventControls(); +} + +//_________________________________________________________________________________ +void VP1MainWindow::addToMessageBox( const QString& m, const QString& extrastyleopts, + const QString& title, const QString& titleextrastyleopts ) +{ + + if (title.isEmpty()) + std::cout<<VP1Msg::prefix_msg()<<": "<<m.toStdString()<<std::endl; + else + std::cout<<VP1Msg::prefix_msg()<<": "<<title.toStdString() << ": " <<m.toStdString()<<std::endl; + + + QString titlepart = ( title.isEmpty() ? "" : ( titleextrastyleopts.isEmpty() ? title + : "<span style=\"font-style:italic;"+titleextrastyleopts+";\">["+title+"]</span> ")); + + textBrowser_channelmessages->append(titlepart + + ( extrastyleopts.isEmpty() ? m + : "<span style=\"font-style:italic;"+extrastyleopts+";\">"+m+"</span>")); + textBrowser_channelmessages->verticalScrollBar()->setSliderPosition(textBrowser_channelmessages->verticalScrollBar()->maximum()); +} + +//_________________________________________________________________________________ +void VP1MainWindow::systemAddToMessageBox( const QString& m ) +{ + IVP1System*sys = static_cast<IVP1System*>(sender()); + if (!sys) { + addToMessageBox("VP1MainWindow::systemAddToMessageBox Error: Only prints system messages!"); + return; + } + if (!sys->channel()) { + addToMessageBox("VP1MainWindow::systemAddToMessageBox Error: System does not know its channel!"); + return; + } + addToMessageBox( m, "color:#000000",sys->channel()->unique_name()+"/"+sys->name(),"color:#0000ff" ); +} + +//_________________________________________________________________________________ +void VP1MainWindow::channelAddToMessageBox( const QString& m ) +{ + IVP1ChannelWidget*cw = static_cast<IVP1ChannelWidget*>(sender()); + if (!cw) { + addToMessageBox("VP1MainWindow::channelAddToMessageBox Error: Only prints channelwidget messages!"); + return; + } + addToMessageBox(m,"color:#000000", cw->unique_name(),"color:#0000ff"); +} + +//_________________________________________________________________________________ +void VP1MainWindow::helperAddToMessageBox( const QString& m ) +{ + addToMessageBox(m); +} + +//_________________________________________________________________________________ +void VP1MainWindow::request_channelInformation() { + if(!m_tabmanager->selectedChannelWidget()) + return; + + QString out = "Information about channel: "+m_tabmanager->selectedChannelWidget()->name() + "\n\n"; + out += "Contact: "+m_tabmanager->selectedChannelWidget()->contact_info()+"\n"; + out += "Information: "+m_tabmanager->selectedChannelWidget()->information()+"\n"; + out += "Systems:\n\n"; + std::set<IVP1System *>::iterator itsys, itsysE = m_tabmanager->selectedChannelWidget()->systems().end(); + for (itsys = m_tabmanager->selectedChannelWidget()->systems().begin();itsys!=itsysE;++itsys) { + out += " ==> System "+(*itsys)->name()+"\n"; + out += " Contact: "+(*itsys)->contact_info()+"\n"; + out += " Information: "+(*itsys)->information()+"\n"; + out += "\n"; + } + + QMessageBox::information(0, "Information about channel: "+m_tabmanager->selectedChannelWidget()->name(),Qt::convertFromPlainText(out),QMessageBox::Ok,QMessageBox::Ok); +} + +//_________________________________________________________________________________ +void VP1MainWindow::makeAllChannelsEventDisplay() +{ + VP1Msg::messageVerbose("VP1MainWindow::makeAllChannelsEventDisplay()"); + + QList<QPixmap> list; + QStringList listNames; + QList<unsigned long long> listRunEventNumberTimestamp; + + getAllChannelsIntoSnapshots(list, listNames); + + listRunEventNumberTimestamp << m_runnumber; + listRunEventNumberTimestamp << m_eventnumber; + listRunEventNumberTimestamp << m_timestamp; + + // create a new editor window + m_edEditor = new VP1EventDisplayEditor(this, listRunEventNumberTimestamp); + + m_edEditor->addPixmapList(list, listNames); + + // pass the lists of all tabs and their names to the editor + m_edEditor->setTabsList( listNames); + + m_edEditor->show(); + +} + + + + +//_________________________________________________________________________________ +void VP1MainWindow::getAllChannelsIntoSnapshots(QList<QPixmap>& list, QStringList& listNames) +{ + VP1Msg::messageDebug("VP1MainWindow::getAllChannelsIntoSnapshots()"); + +// int nTabs = m_tabmanager->nTabs(); + QList<IVP1ChannelWidget*> allTabs = m_tabmanager->allChannels(); + + if (allTabs.isEmpty()) { + VP1Msg::message("WARNING - No tabs to save."); + return; + } + + int nT = 0; + + // loop over all tabs/channels + foreach(IVP1ChannelWidget* widg, allTabs) { + + // increase tab number + ++nT; + + // get channel name (e.g. Geometry, 3DCocktail) +// QString channelname = widg->unique_name().toLower(); + QString channelname = m_tabmanager->channelToTab(widg); + channelname.replace(' ','_'); + VP1Msg::messageDebug("tab: " + channelname); + +// // get channel info, only for debug +// QString info = widg->information(); +// VP1Msg::messageDebug("channel info: " + info); + + + QPixmap snap = getSingleChannelCustomSnapshot(widg); + + list << snap; + listNames << channelname; + + } + + VP1Msg::messageVerbose(QString::number(nT)+" tabs/channels saved in the QList."); + +} + +//_________________________________________________________________________________ +QPixmap VP1MainWindow::getSingleChannelCustomSnapshot(IVP1ChannelWidget* tab, int width) +{ + VP1Msg::messageDebug("VP1MainWindow::getSingleChannelCustomSnapshot()"); + + // std::cout << "tab: " << tab << std::endl; + + // save the anti-aliasing status, set by the user + bool antialias_original = tab->isAntiAliasing(); + + // for the final event display images we want the anti-aliasing turned ON, + tab->setAntiAliasing(true); + + // get the snapshot + QPixmap snap; + if (width) + snap = tab->getSnapshot(true, width); // 'true' means 'transparent background' + else + snap = tab->getSnapshot(true); // 'true' means 'transparent background' + + if (snap.isNull()) { + VP1Msg::message("ERROR! - No snapshot produced!"); + return QPixmap(); + } + + // go back to the original anti-aliasing status, set by the user for the tab + tab->setAntiAliasing(antialias_original); + + return snap; +} +//_________________________________________________________________________________ +QPixmap VP1MainWindow::getSingleChannelCustomSnapshot(QString tabName, int width) +{ + QList<IVP1ChannelWidget*> allTabs = m_tabmanager->allChannels(); + + if (allTabs.isEmpty()) { + VP1Msg::message("WARNING - No tabs to get snapshots from."); + } + + // loop over all tabs/channels + foreach(IVP1ChannelWidget* widg, allTabs) { + + // get channel name (e.g. Geometry, 3DCocktail) + QString channelname = m_tabmanager->channelToTab(widg); + channelname.replace(' ','_'); + + if (channelname == tabName) { + VP1Msg::messageDebug("found tab: " + channelname); + + if (width) + return getSingleChannelCustomSnapshot(widg, width); + else + return getSingleChannelCustomSnapshot(widg); + + } + } + return QPixmap(); +} + +//_________________________________________________________________________________ +void VP1MainWindow::saveAllCurrentChannels() +{ + VP1Msg::messageDebug("VP1MainWindow::saveAllCurrentChannels()"); + + int nTabs = m_tabmanager->nTabs(); + + VP1Msg::messageDebug("# of tabs: " + QString::number(nTabs)); + + QList<IVP1ChannelWidget*> allTabs = m_tabmanager->allChannels(); + + if (allTabs.isEmpty()) { + VP1Msg::message("WARNING - No tabs to save."); + return; + } + + +// QString guess; +// QString chnlname = m_tabmanager->selectedChannelWidget()->name().toLower(); +// chnlname.replace(' ','_'); + + QString base=m_currentsaveimagepath+QDir::separator()+"vp1" + + "_run"+QString::number(m_runnumber)+"_evt"+QString::number(m_eventnumber) + + QString(m_timestamp>0 ? "_"+QDateTime::fromTime_t(m_timestamp).toString(Qt::ISODate).replace(':','-') : ""); + + + // check for existing files + int i(2); + while (QFile::exists(base+".png")) { + base = base+"_"+QString::number(i++); + } + + // let the user choose the base filename + QString filename = QFileDialog::getSaveFileName(0, "Select target image file", base, + "Image (*.png *.bmp)", + 0,QFileDialog::DontResolveSymlinks); + if(filename.isEmpty()) { + VP1Msg::message("WARNING - No filename selected."); + return; + } + + m_currentsaveimagepath = QFileInfo(filename).dir().absolutePath (); + + + QStringList tab_save_files; + + int nT = 0; + foreach(IVP1ChannelWidget* widg, allTabs) { + + // increase tab number + ++nT; + + // get channel name (e.g. Geometry, 3DCocktail) + QString channelname = widg->name().toLower(); + channelname.replace(' ','_'); + VP1Msg::messageDebug("tab: " + channelname); + +// // get channel info, only for debug +// QString info = widg->information(); +// VP1Msg::messageDebug("channel info: " + info); + + QPixmap snap = widg->getSnapshot(); + if (snap.isNull()) { + VP1Msg::message("ERROR! - No snapshot produced!"); + return; + } + + QString tabfilename = filename + "_" + QString::number(nT) + "_" + channelname + ".png"; + + if (!(tabfilename.endsWith(".png",Qt::CaseInsensitive)||tabfilename.endsWith(".bmp",Qt::CaseInsensitive))) + tabfilename += ".png"; + + + snap.save(tabfilename); + + tab_save_files << tabfilename; + } + + VP1Msg::message("Tabs saved as: " + tab_save_files.join(" - ")); + + + QMessageBox::information(this, tr("Snapshots saved."), + "All tabs have been saved as snapshots in the following files:\n\n"+tab_save_files.join("\n"), + QMessageBox::Ok, + QMessageBox::Ok); + + +// // TODO: test to create a multilayered PSD or TIFF file +// // but doesn't work with the ImageMagick version shipped with SLC5... +// // So I give it up now... +// QProcess *proc = new QProcess(); +// QString program = "convert"; +// QStringList arguments; +// arguments = tab_save_files; +// arguments << " " + m_currentsaveimagepath + QDir::separator() + "out.psd"; +// VP1Msg::messageDebug("running: " + program + " " + arguments.join(" ")); +// +// // start the process +// proc->start(program, arguments ); +// +// if (!proc->waitForStarted()) +// return; +// +// if (!proc->waitForFinished()) +// return; + +} + +//_________________________________________________________________________________ +/* + * save a snaphot of the currently selected tab. + * + * nsnap is an optional parameter: it's an extra label being added + * to the output filename. + */ +QString VP1MainWindow::request_saveChannelSnapshot(QString xLabel) +{ + + VP1Msg::messageDebug("VP1MainWindow::request_saveChannelSnapshot()"); + + if(!m_tabmanager->selectedChannelWidget()) { + return QString(); + } + + QString guess; + QString chnlname = m_tabmanager->selectedChannelWidget()->name().toLower(); + chnlname.replace(' ','_'); + + QString base=m_currentsaveimagepath+QDir::separator()+"vp1_"+chnlname + +"_run"+QString::number(m_runnumber)+"_evt"+QString::number(m_eventnumber) + + QString(m_timestamp>0 ? "_"+QDateTime::fromTime_t(m_timestamp).toString(Qt::ISODate).replace(':','-') : ""); + + + // check for existing files + guess=base; + int i(2); + while (QFile::exists(guess+".png")) { + guess=base+"_"+QString::number(i++); + } + guess+=".png"; + + + // adding the extra label xLabel, if provided + if (!xLabel.isEmpty()) { + guess += "_" + xLabel; + } + + + QString filename = QFileDialog::getSaveFileName(0, "Select target image file", guess, + "Image (*.png *.bmp)", + 0,QFileDialog::DontResolveSymlinks); + if(filename.isEmpty()) + return QString(); + + m_currentsaveimagepath = QFileInfo(filename).dir().absolutePath (); + + if (!(filename.endsWith(".png",Qt::CaseInsensitive)||filename.endsWith(".bmp",Qt::CaseInsensitive))) + filename += ".png"; + + VP1Msg::messageVerbose("calling snapshot"); + QPixmap pm = m_tabmanager->selectedChannelWidget()->getSnapshot(); + + if (pm.isNull()) + return QString(); + + pm.save(filename); + return filename; +} + +//_________________________________________________________________________________ +void VP1MainWindow::request_printChannel() { + if(!m_tabmanager->selectedChannelWidget()) + return; + + //The following will paint the widget onto a paper and bring up the print dialog: + QPrinter printer; + QPrintDialog dialog(&printer, this); + if (dialog.exec() == QDialog::Accepted) { + QPixmap pm = m_tabmanager->selectedChannelWidget()->getSnapshot(); + if (pm.isNull()) + return; + QPainter painter; + painter.begin(&printer); + painter.drawPixmap(0,0,pm); + painter.end(); + } +} + + +//_________________________________________________________________________________ +void VP1MainWindow::loadConfigurationFromFile(QString file) { + m_tabmanager->loadConfigurationFromFile(file,availablePluginFiles()); +} + +//_________________________________________________________________________________ +void VP1MainWindow::replaceConfigurationFile(QString file) +{ + VP1Msg::messageDebug("VP1MainWindow::replaceConfigurationFile() : " + file); + m_tabmanager->removeAllTabs(); + m_tabmanager->loadConfigurationFromFile(file,availablePluginFiles()); +} + +//_________________________________________________________________________________ +void VP1MainWindow::listenOnTcp() +{ + QString err; + if (!m_tcpserver.listen(err)) { + qDebug("%s", err.toStdString().c_str()); + } +} + + +//_________________________________________________________________________________ +void VP1MainWindow::finishedIncomingDialog() +{ + m_currentincomingdialog=0; + if (!m_requestqueue.empty()) + QTimer::singleShot(0, this, SLOT(processEnqueuedRequests())); +} + + +//_________________________________________________________________________________ +void VP1MainWindow::processEnqueuedRequests() +{ + if (!m_requestqueue.empty()) + receivedExternalRequest(m_requestqueue.dequeue()); +} + +//_________________________________________________________________________________ +void VP1MainWindow::receivedExternalRequest(VP1ExternalRequest request) +{ + if (m_blockallmessages) + return; + if (m_messages_blockedsenders.contains(request.sender())) + return; + if (m_messages_blockedexactmessages.contains(request)) + return; + if (m_currentincomingdialog) { + //Fixme: store TIME of incoming request (to show the user). + if (m_requestqueue.count()<999) { + m_requestqueue.enqueue(request); + m_currentincomingdialog->updatependinginfo(); + } + return; + } + VP1IncomingMessageDialog * md = new VP1IncomingMessageDialog(request,&m_requestqueue,&m_blockallmessages, + &m_messages_blockedsenders,&m_messages_blockedexactmessages, + m_tabmanager,m_channelmanager,this); + m_currentincomingdialog=md; + connect(md,SIGNAL(finished(int)),this,SLOT(finishedIncomingDialog())); + m_tabmanager->dropOutOfFullScreen(); + md->show(); +} + +//_________________________________________________________________________________ +void VP1MainWindow::request_cruisemodechange() +{ + if (pushButton_cruise->isChecked()) { + if (radioButton_cruise_event->isChecked()) { + m_scheduler->setCruiseMode(VP1ExecutionScheduler::EVENT); + groupBox_cruise->setTitle("Cruise Mode [event]"); + } else if (radioButton_cruise_tab->isChecked()) { + m_scheduler->setCruiseMode(VP1ExecutionScheduler::TAB); + groupBox_cruise->setTitle("Cruise Mode [tab]"); + } else if (radioButton_cruise_both->isChecked()) { + m_scheduler->setCruiseMode(VP1ExecutionScheduler::BOTH); + groupBox_cruise->setTitle("Cruise Mode [event && tab]"); + } else { assert(0); } + } else { + m_scheduler->setCruiseMode(VP1ExecutionScheduler::NONE); + groupBox_cruise->setTitle("Cruise Mode [off]"); + } +} + +//_________________________________________________________________________________ +void VP1MainWindow::showMenu_loadPlugin() +{ + m_menu_loadPlugin->clear(); + + QMap<QString,QString> plugins2fullpath = availablePluginFiles(); + + if (plugins2fullpath.empty()) { + m_menu_loadPlugin->addAction("No plugins found")->setEnabled(false); + return; + } + + QStringList pluglist(plugins2fullpath.keys()); + pluglist.sort(); + + QStringList currentpluginfiles = m_channelmanager->currentPluginFiles(); + foreach(QString plug,pluglist) { + QAction * act = m_menu_loadPlugin->addAction(plug); + assert(plugins2fullpath.contains(plug)); + QString fullpath = plugins2fullpath[plug]; + if (currentpluginfiles.contains(fullpath)) { + act->setEnabled(false); + } else { + act->setData(fullpath); + act->setStatusTip(fullpath); + connect(act,SIGNAL(triggered(bool)),this,SLOT(showMenu_loadPluginItemSelected())); + } + } + + m_menu_loadPlugin->addSeparator(); + QAction * act_browse = m_menu_loadPlugin->addAction("&Browse..."); + act_browse->setStatusTip("Browse filesystem for VP1 plugin files"); + connect(act_browse,SIGNAL(triggered(bool)),this,SLOT(request_loadPlugin())); + +} + +//_________________________________________________________________________________ +void VP1MainWindow::showMenu_loadPluginItemSelected() +{ + QAction * act = static_cast<QAction*>(sender()); + assert(act); + if (!act) + return; + loadPluginFile(act->data().toString()); +} + + +//_________________________________________________________________________________ +void VP1MainWindow::showMenu_loadConfFile() +{ + m_menu_loadConfFile->clear(); + + QMap<QString,QString> conffile2fullpath = availableFiles( ".vp1", "DATAPATH", "", "VP1CONFIGFILEPATH", true ); + + #ifndef BUILDVP1LIGHT + if (conffile2fullpath.empty()) { + m_menu_loadConfFile->addAction("No .vp1 config files found")->setEnabled(false); + return; + } + + QStringList filelist(conffile2fullpath.keys()); + filelist.sort(); + + foreach(QString file,filelist) { + QAction * act = m_menu_loadConfFile->addAction(file); + assert(conffile2fullpath.contains(file)); + QString fullpath = conffile2fullpath[file]; + act->setData(fullpath); + act->setStatusTip(fullpath); + connect(act,SIGNAL(triggered(bool)),this,SLOT(showMenu_loadConfFileItemSelected())); + } + #endif + + m_menu_loadConfFile->addSeparator(); + QAction * act_browse = m_menu_loadConfFile->addAction("&Browse..."); + act_browse->setStatusTip("Browse filesystem for .vp1 config file"); + connect(act_browse,SIGNAL(triggered(bool)),this,SLOT(request_loadConfig())); + +} + + +//_________________________________________________________________________________ +void VP1MainWindow::showMenu_loadConfFileItemSelected() +{ + QAction * act = static_cast<QAction*>(sender()); + assert(act); + if (!act) + return; + loadConfigurationFromFile(act->data().toString()); +} + +//_________________________________________________________________________________ +void VP1MainWindow::changeStyleActionTriggered() +{ + QAction * act = static_cast<QAction*>(sender()); + assert(act); + if (!act) + return; + assert(QStyleFactory::keys().contains(act->text())); + if (!QStyleFactory::keys().contains(act->text())) + return; + QApplication::setStyle(QStyleFactory::create(act->text())); + QSettings s(m_settingsfile,QSettings::IniFormat); + s.setValue("style/defaultstyle",act->text()); + +} + +//_________________________________________________________________________________ +void VP1MainWindow::changeFontSizeActionTriggered() +{ + QAction * act = static_cast<QAction*>(sender()); + assert(act); + if (!act) + return; + bool ok; + int goal = act->data().toInt(&ok); + assert(ok); + if (!ok) + return; + changeFontSize(goal); +} + +//_________________________________________________________________________________ +void VP1MainWindow::changeFontSize(int goal) +{ + QFont newfont = m_defaultfont; + QSettings s(m_settingsfile,QSettings::IniFormat); + if (m_defaultfont_pointsize<0.0) { + //pixels + assert(m_defaultfont_pixelsize+goal>0); + if (m_defaultfont_pixelsize+goal<=0) + return; + if (m_defaultfont_pixelsize+goal>200) + return; + newfont.setPixelSize(m_defaultfont_pixelsize+goal); + s.setValue("font/pixelsize_diff",goal); + } else { + //pointsize + double fact = (goal+100.0)/100.0; + if (fact<0.01||fact>50) + return; + double newpointsize=m_defaultfont_pointsize*fact; + if (newpointsize<0) + return; + newfont.setPointSizeF(newpointsize); + s.setValue("font/pointsize_relativepercent",goal); + } + QApplication::setFont(newfont); +} + + +//_________________________________________________________________________________ +void VP1MainWindow::updateCentralStackWidget() +{ + QWidget * targetpage = tabWidget_central->count() ? page_tabwidget : page_instructions; + if (stackedWidget_central->currentWidget() != targetpage) + stackedWidget_central->setCurrentWidget(targetpage); +} + +//_________________________________________________________________________________ +void VP1MainWindow::quickSetupTriggered() +{ + VP1Msg::messageVerbose("VP1MainWindow::quickSetupTriggered()"); + + QSettings settings("FASER", "VP1Light"); + + QString plugfile, channelname, tabname; + + if (sender()==pushButton_quicksetup_geometrystudies||sender()==action_quicklaunch_Geometry_studies) { + + //Open geometry database selection dialog for VP1Light +#ifdef BUILDVP1LIGHT + if(settings.value("db/dbByEnv").toString().isEmpty()){ + VP1GeoDBSelection dbSelection; + dbSelection.exec(); + if(!dbSelection.result()) + return; + } +#endif // BUILDVP1LIGHT + + plugfile="libVTI12GeometryPlugin.so"; + channelname="Geometry"; + tabname = "Geometry"; + } /*else if (sender()==pushButton_quicksetup_trackingstudies||sender()==action_quicklaunch_Tracking_studies) { + plugfile="libVP1TrackPlugin.so"; + channelname="Tracking"; + tabname = "Tracking"; + } else if (sender()==pushButton_quicksetup_calostudies||sender()==action_quicklaunch_Calo_studies) { + plugfile="libVP1CaloPlugin.so"; + channelname="Calo Cells"; + tabname = "Calorimeter"; + } else if (sender()==action_quicklaunch_Storegate_browser) { + plugfile="libVP1BanksPlugin.so"; + channelname="Banks"; + tabname = "StoreGate"; + }*/ + else if (sender()==pushButton_quicksetup_faser||sender()==action_quicklaunch_faser) { +#ifndef BUILDVP1LIGHT + plugfile="libVTI12FaserPlugin.so"; + channelname="Faser"; + tabname = "Faser"; +#else + //Open Geometry DB and AOD file selection dialog for VP1Light + if(settings.value("aod/aodByEnv").toString().isEmpty()){ + VP1AODSelection aodSelection; + aodSelection.exec(); + if(!aodSelection.result()) + return; + } + if(settings.value("db/dbByEnv").toString().isEmpty()){ + VP1GeoDBSelection dbSelection; + dbSelection.exec(); + if(!dbSelection.result()) + return; + } + m_scheduler->loadEvent(); + + pushButton_eventselect->setEnabled(true); + plugfile="libVP1LightPlugin.so"; + channelname="VP1Light"; + tabname = "Geometry/AOD"; +#endif // BUILDVP1LIGHT + } /*else if (sender()==action_quicklaunch_trackcalo_commis) { + plugfile="libVP13DCocktailPlugin.so"; + channelname="TrackCalo"; + tabname = "Track/Calo"; + } */else if (sender()==pushButton_quicksetup_analysisstudies||sender()==action_quicklaunch_analysisstudies) { + + //Open AOD file selection dialog for VP1Light +#ifdef BUILDVP1LIGHT + if(settings.value("aod/aodByEnv").toString().isEmpty()){ + VP1AODSelection aodSelection; + aodSelection.exec(); + if(!aodSelection.result()) + return; + } + m_scheduler->loadEvent(); + pushButton_eventselect->setEnabled(true); +#endif // BUILDVP1LIGHT + + plugfile="libVP1AODPlugin.so"; + channelname="AOD"; + tabname = "Analysis"; + } else { + addToMessageBox("quickSetupTriggered() Error: Unknown sender"); + return; + } + +#ifdef __APPLE__ + if (plugfile.endsWith(".so")) + plugfile = plugfile.left(plugfile.count()-3)+".dylib"; +#endif + + + //Check that the plugin is available: + QMap<QString,QString> plugins2fullpath = availablePluginFiles(); + if(VP1Msg::debug()){ + qDebug() << "plugins2fullpath: " << plugins2fullpath; + } + + if (!plugins2fullpath.contains(plugfile)) { + QMessageBox::critical(0, "Error - could not locate plugin file: "+plugfile, + "could not locate plugin file: " + +plugfile,QMessageBox::Ok,QMessageBox::Ok); + return; + } + QString plugfile_fullpath = plugins2fullpath[plugfile]; + + + //Load plugin + if (!m_channelmanager->currentPluginFiles().contains(plugfile_fullpath)) { + QString err = m_channelmanager->loadPluginFile(plugfile_fullpath); + if (!err.isEmpty()||!m_channelmanager->currentPluginFiles().contains(plugfile_fullpath)) { + QMessageBox::critical(0, "Error - could not load plugin file: "+plugfile_fullpath,//Fixme: Error message here is hardcoded to be the same as in loadPluginFile method!! + "Could not load plugin file: " + +plugfile_fullpath+"\n\nReason: "+err,QMessageBox::Ok,QMessageBox::Ok); + return; + } + } + + + //Check that plugin contains necessary channel: + if (!m_channelmanager->channelsInPluginFile(plugfile_fullpath).contains(channelname)) { + QMessageBox::critical(0, "Error - did not find necessary channel: "+channelname, + "Could not find channel: "+channelname+" in loaded plugin "+plugfile_fullpath, + QMessageBox::Ok,QMessageBox::Ok); + return; + } + + bool save = updatesEnabled(); + setUpdatesEnabled(false); + + + //Add tab: + QString newtabname = m_tabmanager->suggestNewTabName(tabname); + m_tabmanager->addNewTab(newtabname); + if (!m_tabmanager->hasTab(newtabname)) { + QMessageBox::critical(0, "Error - could not create tab: "+newtabname, + "Could not create tab: "+newtabname, + QMessageBox::Ok,QMessageBox::Ok); + setUpdatesEnabled(save); + return; + } + + + //Finally, add channel: + + if (!m_tabmanager->addChannelToTab( channelname, newtabname )) { + QMessageBox::critical(0, "Error - problems launching channel: "+channelname, + "Problems launching channel: "+channelname, + QMessageBox::Ok,QMessageBox::Ok); + setUpdatesEnabled(save); + return; + } + + + m_tabmanager->showTab(newtabname); + + + setUpdatesEnabled(save); +} + +//_________________________________________________________________________________ +void VP1MainWindow::updateEventControls() +{ + pushButton_nextevent->setEnabled(okToProceedToNextEvent()); + #if defined BUILDVP1LIGHT + pushButton_previousevent->setEnabled(okToProceedToNextEvent()); + #endif +} + +//_________________________________________________________________________________ +void VP1MainWindow::updateInputDirectoriesStatus() +{ + if(!m_mutex->tryLock()) return; + + QFont f; + QFont fb; + fb.setBold(true); + + foreach (QAction * act,m_inputdiractions) { + VP1DirStatusData& dirstatus = m_inputdirstatuses[act]; + QString inputdir(act->data().toString()); + QString dirname = QDir(inputdir).dirName(); + act->setEnabled(dirstatus.enabled); + act->setFont(dirstatus.bold?fb:f); + act->setText(dirname+" ["+dirstatus.dirStatus+"]"); + } + + m_mutex->unlock(); +} + +//_________________________________________________________________________________ +void VP1MainWindow::inputDirectoryActionTriggered() +{ + QAction * act = dynamic_cast<QAction*>(sender()); + if (!act) + return; + VP1AvailEvtsLocalDir* availLocal = dynamic_cast<VP1AvailEvtsLocalDir*>(m_availEvents); + if (!availLocal) + return; + QString inputdir(act->data().toString()); + QFileInfo fi(inputdir); + if (fi.exists()&&fi.isDir()) { + availLocal->setSourceDir(inputdir); + // std::cout<<VP1Msg::prefix_msg()<<": " + // <<"VP1Message: inputdirectory changed to " + // <<availLocal->currentSourceDir().toStdString()<<std::endl; + m_currentStream = QDir(availLocal->currentSourceDir()).dirName(); + } + + +} + +//________________________________________________________________________________ +QStringList VP1MainWindow::userRequestedFiles() +{ + QStringList returnval(m_userRequestedFiles); + m_userRequestedFiles.clear(); + return returnval; +} + +//_________________________________________________________________________________ +void VP1MainWindow::addEventFile() +{ + QString newEventFile = QFileDialog::getOpenFileName(NULL + ,tr("Open Event File") + ,VP1Settings::defaultFileSelectDirectory() + ,tr("All files (*.*)")); + if(newEventFile.isEmpty()) return; + if(VP1FileUtilities::fileExistsAndReadable(newEventFile.toStdString())) { + m_userRequestedFiles.append(newEventFile); + addToMessageBox(newEventFile + " will be appended to the list of input files"); + } + else + QMessageBox::critical(0, newEventFile + " either does not exist or is not readable", + newEventFile + " either does not exist or is not readable", + QMessageBox::Ok,QMessageBox::Ok); +} + +//_________________________________________________________________________________ +#ifdef BUILDVP1LIGHT +void VP1MainWindow::request_expertSettings(){ + VP1ExpertSettings es; + es.exec(); +} + +void VP1MainWindow::chooseEvent(){ + //Open event selection dialog for VP1Light + VP1SelectEvent selectEvent(m_scheduler->getTotEvtNr(), m_scheduler->getEvtNr()); + selectEvent.exec(); + int newEvtNr = selectEvent.result()-1; + + if( (newEvtNr >= 0) && (newEvtNr <= m_scheduler->getTotEvtNr()-1) ){ + m_scheduler->setEvtNr(newEvtNr); + nextEvent(); + qApp->quit(); + } +} +#endif // BUILDVP1LIGHT diff --git a/graphics/VTI12/VTI12Gui/src/VP1PluginDialog.cxx b/graphics/VTI12/VTI12Gui/src/VP1PluginDialog.cxx new file mode 100644 index 0000000000000000000000000000000000000000..e5078e6d3391404293f501a4dd839f8acfaa877b --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/VP1PluginDialog.cxx @@ -0,0 +1,164 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +///////////////////////////////////////////////////////////// +// // +// Implementation of class VP1PluginDialog // +// // +// Author: Thomas Kittelmann <Thomas.Kittelmann@cern.ch> // +// // +// Initial version: April 2007 // +// // +///////////////////////////////////////////////////////////// + +#include "VTI12Gui/VP1PluginDialog.h" +#include "ui_vp1plugindialog.h" +#include "VTI12Gui/VP1ChannelManager.h" +#include "VTI12Gui/VP1ExecutionScheduler.h" +#include "VP1Base/IVP1ChannelWidget.h" +#include <QFileInfo> +#include <cassert> + +//____________________________________________________________________ +class VP1PluginDialog::Imp { +public: + VP1PluginDialog*pd; + VP1ChannelManager* channelmanager; + VP1ExecutionScheduler* scheduler; + void setInfo(); + QLabel * label_selectplugin; + QComboBox * comboBox_plugins; + QLabel * label_fullpathtitle; + QLabel * label_fullpath; + QLabel * label_channels; + QPushButton * pushButton_unload; + QTextBrowser * textBrowser_channels; + QMap<int,QString> index_2_fullpath; + QString unloadfile; +}; + +//____________________________________________________________________ +VP1PluginDialog::VP1PluginDialog(QWidget*parent, VP1ChannelManager*cm,VP1ExecutionScheduler*scheduler) + : QDialog(parent), m_d(new Imp) +{ + m_d->pd = this; + m_d->channelmanager=cm; + m_d->scheduler=scheduler; + Ui::VP1PluginDialog ui; + ui.setupUi(this); + ui.textBrowser_channels->viewport()->setBackgroundRole(QPalette::NoRole); + m_d->label_selectplugin = ui.label_selectplugin; + m_d->comboBox_plugins = ui.comboBox_plugins; + m_d->label_fullpathtitle = ui.label_fullpathtitle; + m_d->label_fullpath = ui.label_fullpath; + m_d->label_channels = ui.label_channels; + m_d->pushButton_unload = ui.pushButton_unload; + m_d->textBrowser_channels = ui.textBrowser_channels; + m_d->setInfo(); + setModal(true); + connect(m_d->comboBox_plugins,SIGNAL(currentIndexChanged(int)),this,SLOT(pluginSelected(int))); + connect(m_d->pushButton_unload,SIGNAL(clicked()),this,SLOT(unloadclicked())); + connect(scheduler,SIGNAL(refreshingStatusChanged(bool)),this,SLOT(updateRefreshInfo())); + +} + +//____________________________________________________________________ +void VP1PluginDialog::unloadclicked() +{ + int i = m_d->comboBox_plugins->currentIndex(); + if (i<0) + return; + assert(m_d->index_2_fullpath.contains(i)); + m_d->unloadfile=m_d->index_2_fullpath.value(i); + accept(); +} + +//____________________________________________________________________ +QString VP1PluginDialog::unloadfile() +{ + return m_d->unloadfile; +} + +//____________________________________________________________________ +VP1PluginDialog::~VP1PluginDialog() +{ + delete m_d; m_d=0; +} + +//____________________________________________________________________ +void VP1PluginDialog::Imp::setInfo() +{ + QStringList files = channelmanager->currentPluginFiles(); + comboBox_plugins->clear(); + index_2_fullpath.clear(); + if (files.empty()) { + label_selectplugin->setEnabled(false); + comboBox_plugins->setEnabled(false); + label_fullpathtitle->setEnabled(false); + label_fullpath->setEnabled(false); + label_channels->setEnabled(false); + pushButton_unload->setEnabled(false); + label_fullpath->setText("n/a"); + comboBox_plugins->addItem("No plugins loaded"); + textBrowser_channels->setHtml(""); + textBrowser_channels->setEnabled(false); + } else { + label_selectplugin->setEnabled(true); + comboBox_plugins->setEnabled(true); + label_fullpathtitle->setEnabled(true); + label_fullpath->setEnabled(true); + label_channels->setEnabled(true); + pushButton_unload->setEnabled(true); + textBrowser_channels->setEnabled(true); + + int i(0); + foreach(QString file,files) { + QFileInfo fi(file); + comboBox_plugins->addItem(fi.fileName()); + index_2_fullpath.insert(i++,file); + } + comboBox_plugins->setCurrentIndex(0); + pd->pluginSelected(0); + } +} + +//____________________________________________________________________ +void VP1PluginDialog::pluginSelected(int i) +{ + assert(i<m_d->comboBox_plugins->count()); + assert(m_d->index_2_fullpath.contains(i)); + m_d->label_fullpath->setText(m_d->index_2_fullpath.value(i)); + QStringList availablechannels = m_d->channelmanager->channelsInPluginFile(m_d->index_2_fullpath.value(i)); + if (availablechannels.empty()) { + m_d->textBrowser_channels->setHtml("none"); + m_d->textBrowser_channels->setEnabled(false); + } else { + QString text; + foreach(QString bn,availablechannels) { + QStringList uns = m_d->channelmanager->basename2UniqueNames(bn); + bool refreshing=false; + foreach(QString un,uns) { + if (m_d->channelmanager->hasRefreshingSystem(un)) + refreshing=true; + IVP1ChannelWidget* cw = m_d->channelmanager->uniqueName2Channel(un); + assert(cw); + connect(cw,SIGNAL(systemRefreshInfoChanged(QString,int,int)),this,SLOT(updateRefreshInfo())); + } + m_d->pushButton_unload->setEnabled(!m_d->scheduler->isRefreshing()); + QString icontext = m_d->channelmanager->getIconLocation(bn); + text += (icontext.isEmpty()?"":"<img src=\""+icontext+"\">")+"<i>" + +bn+(uns.empty()?"":" ["+QString::number(uns.count()) + +" active"+(refreshing?" (refreshing)":"")+"]")+"</i><br/>"; + } + m_d->textBrowser_channels->setHtml(text); + m_d->textBrowser_channels->setEnabled(true); + } +} + +//____________________________________________________________________ +void VP1PluginDialog::updateRefreshInfo() { + int i = m_d->comboBox_plugins->currentIndex(); + if (i!=-1) + pluginSelected(i); +} diff --git a/graphics/VTI12/VTI12Gui/src/VP1Prioritiser.cxx b/graphics/VTI12/VTI12Gui/src/VP1Prioritiser.cxx new file mode 100644 index 0000000000000000000000000000000000000000..1fa524816dba5200d6a90bb06a88dbd432b3c5e9 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/VP1Prioritiser.cxx @@ -0,0 +1,329 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +///////////////////////////////////////////////////////////// +// // +// Implementation of class VP1Prioritiser // +// // +// Author: Thomas Kittelmann <Thomas.Kittelmann@cern.ch> // +// // +// Initial version: April 2007 // +// // +///////////////////////////////////////////////////////////// + +#include "VTI12Gui/VP1Prioritiser.h" +#include "VP1Base/IVP1ChannelWidget.h" +#include "VP1Base/IVP1System.h" +#include <QTime> +#include <QQueue> +#include <QSet> +#include <map> +#include <cassert> + +///////////////////////////////////////////////////////////////////// +//////////////////// Class VP1Prioritiser::Imp //////////////////// +///////////////////////////////////////////////////////////////////// + +//____________________________________________________________________ +class VP1Prioritiser::Imp { +public: + + class SystemInfo{ + public: + enum VisibilityState { NOTVISIBLE, VISIBLE, SOONVISIBLE }; + SystemInfo(IVP1System*,Imp *, IVP1ChannelWidget *, const VisibilityState& ); + ~SystemInfo(); + IVP1System * system; + void setVisibilityState(const VisibilityState&); + void addTimeMeasurement(const double&); + double refreshtime() const { return m_timing; } + private: + double m_timing; + double m_priority; + const bool m_accumulator; + VisibilityState m_vs; + void calcPriority(); + Imp *m_d; + void removeFromPriMap(); + QQueue<double> m_timemeasurements; + }; + + VP1Prioritiser * prioritiser; + //The following map is for prioritising the order of system refreshes: + typedef std::multimap<double,IVP1System*> Pri2SysMap; + Pri2SysMap priority2sys;//This map is kept updated automatically by the SystemInfo objects. + + QSet<IVP1ChannelWidget*> visiblechannels, soonvisiblechannels; + double soonvisbonus; + + QHash<IVP1System*,SystemInfo*> sys2info; + + QTime * stopwatch; + IVP1System* currenttimedsystem; + + void updateSysinfoWithVisibilityState(const QSet<IVP1ChannelWidget*>& channels, + const SystemInfo::VisibilityState&vs); + + + std::set<IVP1System *>::const_iterator itsys, itsysE; +}; + +///////////////////////////////////////////////////////////////////// +////////////// Class VP1Prioritiser::Imp::SystemInfo ////////////// +///////////////////////////////////////////////////////////////////// + +//____________________________________________________________________ +inline VP1Prioritiser::Imp::SystemInfo::SystemInfo(IVP1System*s,Imp *d,IVP1ChannelWidget * cw, const VisibilityState& vs ) + : system(s), m_priority(117117.117), + m_accumulator(cw->isAccumulator()),m_vs(vs),m_d(d) +{ + //If another system with the same name exists already, we use that + //timing as a reasonable guess. Otherwise we use the average of the + //other channels. Failing that we use a default of 500ms.: + double tmp(0); + bool found(false); + QHash<IVP1System*,Imp::SystemInfo*>::iterator itE = m_d->sys2info.end(); + for (QHash<IVP1System*,Imp::SystemInfo*>::iterator it=m_d->sys2info.begin();it!=itE;++it) { + if ( it.key()->name() == s->name() ) { + m_timing=it.value()->refreshtime(); + found=true; + break; + } + tmp += m_timing=it.value()->refreshtime(); + } + if (!found&&!m_d->sys2info.empty()) + m_timing = tmp/m_d->sys2info.count(); + else + m_timing=500; + + calcPriority(); +} + +//____________________________________________________________________ +inline VP1Prioritiser::Imp::SystemInfo::~SystemInfo() +{ + removeFromPriMap(); +} + +//____________________________________________________________________ +inline void VP1Prioritiser::Imp::SystemInfo::setVisibilityState(const VisibilityState& vs ) +{ + //Fixme: When do we get tabmanager setVisible signals? At startup? When channels are added? + //Fixme: Do not emit these during file loading!! + if (m_vs==vs) + return; + m_vs = vs; + calcPriority(); +} + +//____________________________________________________________________ +inline void VP1Prioritiser::Imp::SystemInfo::addTimeMeasurement(const double&t) +{ + //Keep the seven latest measurements, and use a truncated mean as + //final estimate. + + m_timemeasurements.enqueue(t); + if (m_timemeasurements.count()==8) + m_timemeasurements.dequeue(); + + QList<double> tmplist = m_timemeasurements; + qSort(tmplist.begin(), tmplist.end()); + + switch(tmplist.count()) { + case 1: m_timing = tmplist.at(0); break; + case 2: m_timing = 0.5*(tmplist.at(0)+tmplist.at(1)); break; + case 3: m_timing = tmplist.at(1); break; + case 4: m_timing = 0.5*(tmplist.at(1)+tmplist.at(2)); break; + case 5: m_timing = (tmplist.at(1)+tmplist.at(2)+tmplist.at(3))/3.0; break; + case 6: m_timing = 0.5*(tmplist.at(2)+tmplist.at(3)); break; + case 7: m_timing = (tmplist.at(2)+tmplist.at(3)+tmplist.at(4))/3.0; break; + default: assert(0&&"Should never happen"); break; + } + + calcPriority(); +} + +//____________________________________________________________________ +inline void VP1Prioritiser::Imp::SystemInfo::calcPriority() +{ + //1) Remove from m_d->priority2sys map + + if (m_priority!=117117.117) + removeFromPriMap(); + + //2) Calculate new priority + + //Priority is based on how long the systems take to refresh (the + //fastest gets refreshed first). In order to ensure that visible, + //soonvisible, and accumulators gets priority they get a bonus of + //30s, XXXms, and 100ms respectively (where XXX depends on the scenario): + + m_priority = m_timing + (m_vs==VISIBLE?-30000.0:(m_vs==SOONVISIBLE?-m_d->soonvisbonus:0.0)) + (m_accumulator?-100.0:0.0); + + //3) Add to m_d->priority2sys map + + std::pair<double,IVP1System*> a(m_priority,system); + m_d->priority2sys.insert(a); +} + +//____________________________________________________________________ +inline void VP1Prioritiser::Imp::SystemInfo::removeFromPriMap() +{ + //Fixme: Cache itp and it (in class Imp even?)! + std::pair<Pri2SysMap::iterator, Pri2SysMap::iterator> itp(m_d->priority2sys.equal_range(m_priority)); + Pri2SysMap::iterator it = itp.first; + for (;it!=itp.second;++it) { + if (it->second==system) { + m_d->priority2sys.erase(it); + break; + } + } + assert(it != itp.second); +} + +///////////////////////////////////////////////////////////////////// +////////////////////// Class VP1Prioritiser /////////////////////// +///////////////////////////////////////////////////////////////////// + +//____________________________________________________________________ +VP1Prioritiser::VP1Prioritiser(QObject*parent) + : QObject(parent), m_d(new Imp) +{ + m_d->prioritiser=this; + m_d->stopwatch = new QTime(); + m_d->currenttimedsystem=0; + m_d->soonvisbonus=0; +} + +//____________________________________________________________________ +VP1Prioritiser::~VP1Prioritiser() +{ + delete m_d->stopwatch; + delete m_d; m_d=0; +} + +//___________________________________________________________________ +IVP1System* VP1Prioritiser::nextErasedActiveSystemByPriority() { + Imp::Pri2SysMap::iterator itE = m_d->priority2sys.end(); + for (Imp::Pri2SysMap::iterator it=m_d->priority2sys.begin();it!=itE;++it) { + if ( it->second->state()==IVP1System::ERASED &&it->second->activeState()==IVP1System::ON ) + return it->second; + } + return 0; +} + +//___________________________________________________________________ +QList<IVP1System*> VP1Prioritiser::getSystemsToEraseByPriority() { + QList<IVP1System*> tmp; + Imp::Pri2SysMap::iterator itE = m_d->priority2sys.end(); + for (Imp::Pri2SysMap::iterator it=m_d->priority2sys.begin();it!=itE;++it) { + if ( it->second->state()==IVP1System::REFRESHED ) + tmp << it->second; + } + return tmp; +} + + +//___________________________________________________________________ +double VP1Prioritiser::estimateRemainingCalcTime() const +{ + double tmp(0); + QHash<IVP1System*,Imp::SystemInfo*>::iterator itE = m_d->sys2info.end(); + for (QHash<IVP1System*,Imp::SystemInfo*>::iterator it=m_d->sys2info.begin();it!=itE;++it) { + if ( it.key()->state()==IVP1System::ERASED &&it.key()->activeState()==IVP1System::ON ) + tmp += it.value()->refreshtime(); + } + return tmp; +} + +//___________________________________________________________________ +double VP1Prioritiser::beginTiming_Refresh(IVP1System*s) +{ + assert(!m_d->currenttimedsystem); + m_d->stopwatch->start(); + m_d->currenttimedsystem=s; + assert(m_d->sys2info.contains(s)); + return m_d->sys2info[s]->refreshtime(); +} + + +//___________________________________________________________________ +double VP1Prioritiser::elapsedTiming_Refresh() +{ + return static_cast<double>(m_d->stopwatch->elapsed()); +} + +//___________________________________________________________________ +double VP1Prioritiser::endTiming_Refresh() +{ + assert(m_d->currenttimedsystem); + double timing = static_cast<double>(m_d->stopwatch->elapsed()); + if (m_d->sys2info.contains(m_d->currenttimedsystem)) {//This check, since the corresponding channel might have become uncreated in the meantime. + m_d->sys2info[m_d->currenttimedsystem]->addTimeMeasurement(timing); + } + m_d->currenttimedsystem=0; + return timing; +} + +//____________________________________________________________________ +void VP1Prioritiser::setupSysItr(IVP1ChannelWidget*cw) { + m_d->itsys = cw->systems().begin(); + m_d->itsysE = cw->systems().end(); +} + +//___________________________________________________________________ +void VP1Prioritiser::Imp::updateSysinfoWithVisibilityState(const QSet<IVP1ChannelWidget*>& channels, + const SystemInfo::VisibilityState&vs) { + foreach(IVP1ChannelWidget*cw,channels) { + for (prioritiser->setupSysItr(cw);itsys!=itsysE;++itsys) { + assert(sys2info.contains(*itsys)); + //if (sys2info.contains(*itsys))//This check since channel deletion might have triggered this update. + sys2info[*itsys]->setVisibilityState(vs); + } + } +} + +//___________________________________________________________________ +void VP1Prioritiser::visibleChannelsChanged(const QSet<IVP1ChannelWidget*>&newvis, + const QSet<IVP1ChannelWidget*>&newsoonvis, + const double& soonvisbonus) +{ + if (m_d->visiblechannels==newvis&&m_d->soonvisiblechannels==newsoonvis&&m_d->soonvisbonus==soonvisbonus) + return; + m_d->updateSysinfoWithVisibilityState(m_d->visiblechannels,Imp::SystemInfo::NOTVISIBLE); + m_d->updateSysinfoWithVisibilityState(m_d->soonvisiblechannels,Imp::SystemInfo::NOTVISIBLE); + m_d->updateSysinfoWithVisibilityState(newvis,Imp::SystemInfo::VISIBLE); + m_d->updateSysinfoWithVisibilityState(newsoonvis,Imp::SystemInfo::SOONVISIBLE); + m_d->visiblechannels = newvis; + m_d->soonvisiblechannels = newsoonvis; + m_d->soonvisbonus = soonvisbonus; +} + +//___________________________________________________________________ +void VP1Prioritiser::channelCreated(IVP1ChannelWidget* cw) +{ + bool visible = m_d->visiblechannels.contains(cw); + bool soonvisible = m_d->soonvisiblechannels.contains(cw); + assert(!(visible&&soonvisible)); + for (setupSysItr(cw);m_d->itsys!=m_d->itsysE;++m_d->itsys) { + assert(!m_d->sys2info.contains(*(m_d->itsys))); + Imp::SystemInfo* info = new Imp::SystemInfo(*(m_d->itsys),m_d,cw, + (visible?Imp::SystemInfo::VISIBLE:(soonvisible?Imp::SystemInfo::SOONVISIBLE:Imp::SystemInfo::NOTVISIBLE))); + m_d->sys2info.insert(*(m_d->itsys),info); + } +} + +//___________________________________________________________________ +void VP1Prioritiser::channelUncreated(IVP1ChannelWidget* cw) +{ + for (setupSysItr(cw);m_d->itsys!=m_d->itsysE;++m_d->itsys) { + assert(m_d->sys2info.contains(*(m_d->itsys))); + delete m_d->sys2info[*(m_d->itsys)]; + m_d->sys2info.remove(*(m_d->itsys)); + } + if (m_d->visiblechannels.contains(cw)) + m_d->visiblechannels.remove(cw); + if (m_d->soonvisiblechannels.contains(cw)) + m_d->soonvisiblechannels.remove(cw); +} diff --git a/graphics/VTI12/VTI12Gui/src/VP1QtApplication.cxx b/graphics/VTI12/VTI12Gui/src/VP1QtApplication.cxx new file mode 100644 index 0000000000000000000000000000000000000000..dee159985474c0b80cf7d03d3ad041d70c5b54dc --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/VP1QtApplication.cxx @@ -0,0 +1,69 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +///////////////////////////////////////////////////////// +// // +// Implementation file for class VP1QtApplication // +// // +// Author: Riccardo Maria BIANCHI <rbianchi@cern.ch> // +// // +// This class reimplements the basic notify() method // +// of the QApplication class, in order to catch // +// exceptions from C++, and to avoid fatal errors // +// like: // +// "Qt has caught an exception thrown from an event // +// handler. Throwing exceptions from an event handler // +// is not supported in Qt. You must reimplement // +// QApplication::notify() and catch all exceptions // +// there. // +// // +// // +// Initial version: 19 November 2012 // +// // +///////////////////////////////////////////////////////// + + +// include VP1 +#include "VTI12Gui/VP1QtApplication.h" +#include "VP1Base/VP1Msg.h" + +// include Qt +#include <QEvent> + +// include C++ +#include <typeinfo> +//#include <stddef.h> // this to fix the 'ptrdiff_t' does not name a type error with Qt (http://qt-project.org/forums/viewthread/16992) + + +bool VP1QtApplication::notify(QObject *rec, QEvent *ev) +{ + //std::cout << (3, "Called VP1QtApplication::notify()") << std::endl; + + // only for debug + //VP1Msg::message("VP1QtApplication:notify()"); + + // for normal events we pass to QApplication:notify()... + try { + return QApplication::notify(rec, ev); + } + catch (std::exception &e) { + VP1Msg::message("VP1QtApplication: std::exception: "); + qWarning("VP1QtApplication: Error '%s' sending event '%s' to object '%s' ('%s')", + e.what(), typeid(*ev).name(), qPrintable(rec->objectName()), + typeid(*rec).name()); + qWarning("throwing the exception again..."); + throw e; + return false; + } + catch (char const *str) { + VP1Msg::message("VP1QtApplication: EXCEPTION: " + QString(str) ); + return false; + } + catch (...) { + VP1Msg::message("VP1QtApplication: Unknown exception!"); + return false; + } + //VP1Msg::message("VP1QtApplication: outside catch..."); // only for DEBUG + return false; +} diff --git a/graphics/VTI12/VTI12Gui/src/VP1SelectEvent.cxx b/graphics/VTI12/VTI12Gui/src/VP1SelectEvent.cxx new file mode 100644 index 0000000000000000000000000000000000000000..41a4ac70b1de89e1565035462189025b5bee9ece --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/VP1SelectEvent.cxx @@ -0,0 +1,68 @@ +/* + Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +*/ + +////////////////////////////////////////////////////////////////////////// +// // +// Source file for class VP1SelectEvent // +// // +// Description: Dialog for the selection of a specific event in a file // +// // +// Author: Sebastian Andreas Merkt (sebastian.andreas.merkt@cern.ch) // +// Initial version: August 2018 // +// // +////////////////////////////////////////////////////////////////////////// + +#include "VTI12Gui/VP1SelectEvent.h" + +#include <QPushButton> +#include <QGridLayout> + +#include <QtWidgets> +#include <QString> + +VP1SelectEvent::VP1SelectEvent(int totEvtNr, int evtNr, QWidget *parent) : QDialog(parent) +{ + //Set default dialog size + int nWidth = 400; + int nHeight = 200; + if (parent != NULL) + setGeometry(parent->x() + parent->width()/2 - nWidth/2, + parent->y() + parent->height()/2 - nHeight/2, + nWidth, nHeight); + else + resize(nWidth, nHeight); + + //Buttonbox to set Open, Cancel buttons + m_buttonBox = new QDialogButtonBox(this); + m_openButton = m_buttonBox->addButton(tr("&Select"), QDialogButtonBox::AcceptRole); + m_cancelButton = m_buttonBox->addButton(tr("&Cancel"),QDialogButtonBox::RejectRole); + connect(m_openButton, &QPushButton::clicked, this, &VP1SelectEvent::passEvtNr); + connect(m_cancelButton, &QPushButton::clicked, this, &VP1SelectEvent::reject); + + + m_spinBox = new QSpinBox(); + m_spinBox->setRange(1, totEvtNr); + m_spinBox->setSingleStep(1); + m_spinBox->setValue(evtNr+1); + + const QString line2 = QString::number(totEvtNr) + " events in file."; + + //Create the main layout + QGridLayout *mainLayout = new QGridLayout(this); + mainLayout->addWidget(new QLabel(tr("Select event:")), 0, 0); + mainLayout->addWidget(m_spinBox, 0, 1); + mainLayout->addWidget(new QLabel(line2), 1, 0); + mainLayout->addWidget(m_buttonBox, 2, 1); + +} + +void VP1SelectEvent::passEvtNr(){ + if( m_spinBox->value() != 0 ) { + VP1SelectEvent::done(m_spinBox->value()); + } +} + +void VP1SelectEvent::reject(){ + VP1SelectEvent::done(-1); +} diff --git a/graphics/VTI12/VTI12Gui/src/VP1StreamMenuUpdater.cxx b/graphics/VTI12/VTI12Gui/src/VP1StreamMenuUpdater.cxx new file mode 100644 index 0000000000000000000000000000000000000000..a3a3925c3993e5200e46a0103529f766a77e480a --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/VP1StreamMenuUpdater.cxx @@ -0,0 +1,78 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#include "VP1StreamMenuUpdater.h" + +#include <QDir> +#include <QFile> +#include <QFileInfo> +#include <QTextStream> +#include <QTimer> +#include <QDateTime> +#include <QMutexLocker> + +VP1StreamMenuUpdater::VP1StreamMenuUpdater(VP1DirStatuses& diractions + ,QMutex* mutex + ,QObject* parent) + : QThread(parent) + , m_inputdiractions(diractions) + , m_mutex(mutex) + , m_timer(0) +{ +} + +VP1StreamMenuUpdater::~VP1StreamMenuUpdater() +{ + delete m_timer; +} + +void VP1StreamMenuUpdater::run() +{ + updateInputDirectoriesStatus(); + m_timer = new QTimer(0); + connect(m_timer, SIGNAL(timeout()), this, SLOT(updateInputDirectoriesStatus()),Qt::DirectConnection); + m_timer->start(5000); + exec(); +} + +void VP1StreamMenuUpdater::updateInputDirectoriesStatus() +{ + QMutexLocker locker(m_mutex); + + foreach (QAction* act,m_inputdiractions.keys()) { + VP1DirStatusData& dirstatus = m_inputdiractions[act]; + dirstatus.enabled = true; + dirstatus.bold = false; + dirstatus.dirStatus = "unknown"; + + // Check whether it exists and is really a directory + QFileInfo fi(dirstatus.inputDir); + if (!fi.exists()||!fi.isDir()) { + dirstatus.enabled = false; + dirstatus.dirStatus = "not found"; + } else { + // Access the latest_vp1event file in order to get the name of the latest vp1 event file + // in the directory + QFile latestFileRef(dirstatus.inputDir + "/latest_vp1event"); + if(latestFileRef.exists() + && latestFileRef.open(QIODevice::ReadOnly | QIODevice::Text)) { + QTextStream textStream(&latestFileRef); + QString latestFileName = textStream.readLine(); + latestFileRef.close(); + + QFileInfo latestFile(latestFileName); + if(latestFile.exists()) { + int secondswithoutupdate = latestFile.lastModified().secsTo(QDateTime::currentDateTime()); + dirstatus.bold = (secondswithoutupdate<60); + if (secondswithoutupdate<120) + dirstatus.dirStatus = QString::number(secondswithoutupdate)+" seconds since update"; + else if (secondswithoutupdate<7200) + dirstatus.dirStatus = QString::number(static_cast<int>(secondswithoutupdate/60.0+0.5))+" minutes since update"; + else + dirstatus.dirStatus = QString::number(static_cast<int>(secondswithoutupdate/3600.0+0.5))+" hours since update"; + } + } + } + } +} diff --git a/graphics/VTI12/VTI12Gui/src/VP1StreamMenuUpdater.h b/graphics/VTI12/VTI12Gui/src/VP1StreamMenuUpdater.h new file mode 100644 index 0000000000000000000000000000000000000000..2ded5f6ba78e59c12ead965734b4642a4398745b --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/VP1StreamMenuUpdater.h @@ -0,0 +1,37 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef VP1StreamMenuUpdater_h +#define VP1StreamMenuUpdater_h + +#include "VTI12Gui/VP1MainWindow.h" +#include <QThread> + +class QMutex; +class QTimer; + +class VP1StreamMenuUpdater : public QThread +{ + Q_OBJECT + + public: + VP1StreamMenuUpdater(VP1DirStatuses& + ,QMutex* + ,QObject* parent = 0); + + ~VP1StreamMenuUpdater(); + + public slots: + void updateInputDirectoriesStatus(); + + protected: + void run(); + + private: + VP1DirStatuses& m_inputdiractions; + QMutex* m_mutex; + QTimer* m_timer; +}; + +#endif diff --git a/graphics/VTI12/VTI12Gui/src/VP1TabManager.cxx b/graphics/VTI12/VTI12Gui/src/VP1TabManager.cxx new file mode 100644 index 0000000000000000000000000000000000000000..58a127a995fe994c1643e138ba7ec5d541ad47ac --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/VP1TabManager.cxx @@ -0,0 +1,1580 @@ +/* + Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +*/ + +///////////////////////////////////////////////////////////// +// // +// Implementation of class VP1TabManager // +// // +// Author: Thomas Kittelmann <Thomas.Kittelmann@cern.ch> // +// // +// Initial version: April 2007 // +// // +///////////////////////////////////////////////////////////// + +#include "VTI12Gui/VP1TabManager.h" +#include "VTI12Gui/VP1ChannelManager.h" +#include "VTI12Gui/VP1DockWidget.h" + +#include "VP1Base/VP1TabWidget.h" +#include "VP1Base/VP1TabBar.h" +#include "VP1Base/IVP1System.h" +#include "VP1Base/IVP1ChannelWidget.h" +#include "VP1Base/IVP13DStandardChannelWidget.h" +#include "VP1Base/VP1QtUtils.h" +#include "VP1Base/VP1Serialise.h" +#include "VP1Base/VP1Deserialise.h" +#include "VP1Base/VP1Msg.h" + +#include <QEvent> +#include <QPoint> +#include <QSet> +#include <QFileInfo> +#include <QMap> +#include <QTimer> +#include <QBuffer> +#include <QByteArray> +#include <QMessageBox> +#include <QMenu> +#include <QKeyEvent> +#include <QMainWindow> +#include <QApplication> +#include <QInputDialog> + +#include <map> +#include <set> +#include <cassert> +#include <iostream>//fixme + + + +//_______________________________________________________________________ +class VP1TabManager::Imp { +public: + //Constructor, tabwidget & channel manager: + Imp(VP1TabManager*tm,VP1TabWidget* tw, VP1ChannelManager* cm) + : tabmanager(tm), tabwidget(tw),channelmanager(cm), + dontEmitVisibilityChanges{}, + selecteddockwidget(0), + fullscreen_dockwidget(0),fullscreen_channelwidget(0), + fullscreen_tabindex(-1),fullscreen_tab(0),tabcruisemode(false) {} + + VP1TabManager* tabmanager; + VP1TabWidget * tabwidget; + VP1ChannelManager* channelmanager; + + //Convenience: + QMainWindow * channel2tab(IVP1ChannelWidget*cw); + QMainWindow * name2tab(QString tabname);//Returns 0 if not found + + //The actual bookkeeping maps: + std::map<QString,QMainWindow *> name_2_tab; + std::map<IVP1ChannelWidget*,VP1DockWidget*> channelwidget_2_dockwidget; + std::map<QMainWindow*,std::set<IVP1ChannelWidget*> > tab_2_channelwidgets; + + //For sanity checking input, and providing appropriate warnings. + //Fixme: Check also max number of chars. + bool checkTabnameNotEmpty(QString tabname) const; + bool checkTabnameExists(QString tabname) const; + bool checkTabnameNotExists(QString tabname) const; + + bool checkChannelNameExists(QString channelbasename, const bool& isuniquename, const bool& checkfornonexistance = false) const; + + bool dontEmitVisibilityChanges; + QSet<IVP1ChannelWidget*> lastvisible; + QSet<IVP1ChannelWidget*> lastsoonvisible; + + VP1DockWidget* selecteddockwidget; + //Fullscreen of individual channels: + VP1DockWidget* fullscreen_dockwidget; + IVP1ChannelWidget* fullscreen_channelwidget; + //Fullscreen of tabs: + QString fullscreen_tabname; + int fullscreen_tabindex; + QMainWindow* fullscreen_tab; + std::set<VP1DockWidget*> fullscreen_floatingdocks; + + QMap<QString,QStringList> serializeTabAndChannelConfigInfo() const; + void serializeTabAndChannelConfigInfo(QMap<QString,QMultiMap<QString,ChanState> >& tab2channels, + QMap<QString,QByteArray>&tab2arrangements) const; + + QMainWindow* previousTab(); + QMainWindow* nextTab(); + bool tabcruisemode; + + QStringList channelsInTab(QMainWindow* tab); + QStringList channelsInTab(const QString&); + + QString channelWithPendingRemoval; +}; + +//_______________________________________________________________________ +VP1TabManager::VP1TabManager( QObject* parent, VP1TabWidget * tw, VP1ChannelManager* cm ) + : QObject(parent), m_d(new Imp(this,tw,cm)) { + + m_d->dontEmitVisibilityChanges=false; + tw->setTabReorderingEnabled(true); + connect(tw->getVP1TabBar(),SIGNAL(contextMenu( int, const QPoint& )), + this,SLOT(raiseTabBarContextMenu(int,const QPoint &))); + + connect(tw,SIGNAL(currentChanged(int)),this,SLOT(currentVisibleChanged())); +} + + + +//_______________________________________________________________________ +VP1TabManager::~VP1TabManager(){ + while (m_d->tabwidget->count()>0) { + removeTab( m_d->tabwidget->tabText(0) ); + } + delete m_d; +} + + +//___________________________________________________________________________________ +void VP1TabManager::launchStereoEditorCurrentTab(){ + VP1Msg::messageVerbose("VP1TabManager::launchStereoEditorCurrentTab()"); + IVP13DStandardChannelWidget* channel = dynamic_cast<IVP13DStandardChannelWidget*>(selectedChannelWidget()); + if (channel ) { + channel->launchStereoEditor(); + } +} + + + +////___________________________________________________________________________________ +//void VP1TabManager::setAntiAliasingCurrentTab(bool aa) +//{ +// VP1Msg::messageVerbose("VP1TabManager::setAntiAliasingCurrentTab()"); +// +// if (dynamic_cast<IVP13DStandardChannelWidget*>(selectedChannelWidget()) ) { +// IVP13DStandardChannelWidget* channel = dynamic_cast<IVP13DStandardChannelWidget*>(selectedChannelWidget()); +// channel->setAntiAliasing(aa); +// } +//} + + +//___________________________________________________________________________________ +bool VP1TabManager::Imp::checkTabnameExists(QString tabname) const { + if (!checkTabnameNotEmpty(tabname)) + return false; + if (name_2_tab.find(tabname)==name_2_tab.end()) { + QMessageBox::critical(0, "Error - Tab "+tabname+" does not exists", + "Tab <i>"+tabname+"</i> does not exists.",QMessageBox::Ok,QMessageBox::Ok); + return false; + } + return true; +} + +//___________________________________________________________________________________ +bool VP1TabManager::Imp::checkTabnameNotExists(QString tabname) const { + if (!checkTabnameNotEmpty(tabname)) + return false; + if (name_2_tab.find(tabname)!=name_2_tab.end()) { + QMessageBox::critical(0, "Error - Tab "+tabname+" already exists", + "Tab <i>"+tabname+"</i> already exists.",QMessageBox::Ok,QMessageBox::Ok); + return false; + } + return true; +} + +//___________________________________________________________________________________ +bool VP1TabManager::Imp::checkTabnameNotEmpty(QString tabname) const { + if (tabname.isEmpty()) { + QMessageBox::critical(0, "Error - Empty tab name provided", + "Empty tab name provided.",QMessageBox::Ok,QMessageBox::Ok); + return false; + } + return true; +} + +//___________________________________________________________________________________ +bool VP1TabManager::Imp::checkChannelNameExists(QString channelname, const bool& isuniquename, const bool& checkfornonexistance) const { + if (channelname.isEmpty()) { + QMessageBox::critical(0, "Error - Empty channel name provided", + "Empty channel name provided.",QMessageBox::Ok,QMessageBox::Ok); + return false; + } + if ( checkfornonexistance == ( isuniquename ? channelmanager->uniqueNameExists(channelname) + : channelmanager->baseNameExists(channelname) ) ) { + QString tmp = ( checkfornonexistance ? "already":"does not" ); + QMessageBox::critical(0, "Error - Channel "+channelname+" "+tmp+" exists", + "Channel <i>"+channelname+"</i> "+tmp+" exists.",QMessageBox::Ok,QMessageBox::Ok); + return false; + } + return true; +} + +//_______________________________________________________________________ +QStringList VP1TabManager::Imp::channelsInTab(QMainWindow* tab) +{ + assert(tab_2_channelwidgets.find(tab)!=tab_2_channelwidgets.end()); + if (tab_2_channelwidgets.find(tab)==tab_2_channelwidgets.end()) + return QStringList(); + std::set<IVP1ChannelWidget*>::const_iterator it, itE = tab_2_channelwidgets[tab].end(); + + QStringList l; + for (it = tab_2_channelwidgets[tab].begin();it!=itE;++it) { + l << (*it)->unique_name(); + } + + return l; +} + +//_______________________________________________________________________ +QStringList VP1TabManager::Imp::channelsInTab(const QString& tabname) +{ + //Get list of (unique) names of channels in this tab: + assert(name_2_tab.find(tabname)!=name_2_tab.end()); + if (name_2_tab.find(tabname)==name_2_tab.end()) + return QStringList(); + return channelsInTab(name_2_tab[tabname]); +} + + +//_______________________________________________________________________ +void VP1TabManager::addNewTab(QString tabname,const int& index) +{ + if (!m_d->checkTabnameNotExists(tabname)) return; + bool save = m_d->dontEmitVisibilityChanges; + m_d->dontEmitVisibilityChanges=true; + + QMainWindow * t = new QMainWindow(); + t->setDockNestingEnabled(true); + if (index==-1) + m_d->tabwidget->addTab(t,tabname); + else + m_d->tabwidget->insertTab(index,t,tabname); + //NB: Do not call: t->setParent(m_d->tabwidget); + m_d->name_2_tab[tabname]=t; + m_d->tab_2_channelwidgets[t] = std::set<IVP1ChannelWidget*>(); + tabListChanged(tabList()); + m_d->dontEmitVisibilityChanges=save; + currentVisibleChanged(); +} + +//___________________________________________________________________________________ +void VP1TabManager::dropOutOfFullScreen() +{ + if (!(m_d->fullscreen_dockwidget||m_d->fullscreen_tab)) + return; + + bool save = m_d->dontEmitVisibilityChanges; + m_d->dontEmitVisibilityChanges=true; + qApp->removeEventFilter(this); + QWidget * focuswidget = qApp->focusWidget(); + + if (m_d->fullscreen_dockwidget) { + assert(m_d->fullscreen_dockwidget&&m_d->fullscreen_channelwidget); + m_d->fullscreen_dockwidget->ensureCWHasParent(); + m_d->fullscreen_channelwidget->showNormal();//fixme? Do inside dockwidget? + m_d->fullscreen_dockwidget=0; + m_d->fullscreen_channelwidget=0; + } else { + assert(m_d->fullscreen_tab); + QWidget * dummywidget=m_d->tabwidget->widget(m_d->fullscreen_tabindex); + m_d->tabwidget->removeTab(m_d->fullscreen_tabindex); + m_d->tabwidget->insertTab(m_d->fullscreen_tabindex, m_d->fullscreen_tab, m_d->fullscreen_tabname ); + delete dummywidget; + m_d->tabwidget->setCurrentIndex(m_d->fullscreen_tabindex); + //Make dockwidgets in the tab floatable again + assert(m_d->tab_2_channelwidgets.find(m_d->fullscreen_tab)!=m_d->tab_2_channelwidgets.end()); + std::set<IVP1ChannelWidget*>::const_iterator it = m_d->tab_2_channelwidgets[m_d->fullscreen_tab].begin(); + std::set<IVP1ChannelWidget*>::const_iterator itE = m_d->tab_2_channelwidgets[m_d->fullscreen_tab].end(); + for (;it!=itE;++it) { + assert(m_d->channelwidget_2_dockwidget.find(*it)!=m_d->channelwidget_2_dockwidget.end()); + VP1DockWidget * dock = m_d->channelwidget_2_dockwidget[*it]; + dock->setFeatures(VP1DockWidget::DockWidgetMovable|VP1DockWidget::DockWidgetFloatable); + if (m_d->fullscreen_floatingdocks.find(dock)!=m_d->fullscreen_floatingdocks.end()) + dock->setFloating(true); + } + m_d->fullscreen_tabname = ""; + m_d->fullscreen_tabindex = -1; + m_d->fullscreen_tab = 0; + m_d->fullscreen_floatingdocks.clear(); + } + if (focuswidget&&!focuswidget->hasFocus()) + focuswidget->setFocus(Qt::OtherFocusReason); + m_d->dontEmitVisibilityChanges=save; + currentVisibleChanged(); +} + +//___________________________________________________________________________________ +bool VP1TabManager::eventFilter ( QObject *, QEvent * event ) { + + //When in fullscreen mode we monitor all events in the application + //to look for ESC (leave fullscreen) and to prevent any toplevel + //widgets from getting closed by e.g. the user pressing ALT+F4. + + if (event->type()==QEvent::Close) { + event->ignore(); + return true; + } + + if (event->type()!=QEvent::KeyPress) + return false; + + QKeyEvent *keyEvent = static_cast<QKeyEvent*>(event); + assert(keyEvent); + if (keyEvent->key()!=Qt::Key_Escape) + return false; + + dropOutOfFullScreen(); + + //Eat the event: + return true; +} + +//___________________________________________________________________________________ +void VP1TabManager::setSelectedDockWidget(VP1DockWidget*dw) { + + VP1Msg::messageDebug("VP1TabManager::setSelectedDockWidget()"); + + if ( m_d->selecteddockwidget == dw ) + return; + + if (m_d->selecteddockwidget) + m_d->selecteddockwidget->setUnselected(); + + m_d->selecteddockwidget=dw; + if (dw) + dw->setSelected(); + + selectedChannelChanged( dw ? dw->channelWidget() : 0 ); +} + +//___________________________________________________________________________________ +void VP1TabManager::setSelectedChannelWidget(IVP1ChannelWidget*cw) +{ + if (!cw) { + setSelectedDockWidget(0); + return; + } + assert(m_d->channelwidget_2_dockwidget.find(cw)!=m_d->channelwidget_2_dockwidget.end()); + setSelectedDockWidget(m_d->channelwidget_2_dockwidget[cw]); +} + +//___________________________________________________________________________________ +void VP1TabManager::showChannelFullScreen(IVP1ChannelWidget*cw) { + dropOutOfFullScreen(); + + assert(m_d->channelwidget_2_dockwidget.find(cw)!=m_d->channelwidget_2_dockwidget.end()); + VP1DockWidget* dock = m_d->channelwidget_2_dockwidget[cw]; + bool save = m_d->dontEmitVisibilityChanges; + m_d->dontEmitVisibilityChanges=true; + m_d->fullscreen_dockwidget=dock; + m_d->fullscreen_channelwidget=cw; + cw->hide(); + dock->ensureCWHasNoParent(); + cw->showFullScreen(); + qApp->installEventFilter(this); + m_d->dontEmitVisibilityChanges=save; + currentVisibleChanged(); + + +} + +//___________________________________________________________________________________ +void VP1TabManager::showCurrentChannelFullScreen() +{ + if(!m_d->selecteddockwidget) + return; + showChannelFullScreen(m_d->selecteddockwidget->channelWidget()); +} + +//___________________________________________________________________________________ +QString VP1TabManager::currentChannelUniqueName() const +{ + if(!m_d->selecteddockwidget) + return ""; + else + return m_d->selecteddockwidget->channelWidget()->unique_name(); +} + +//___________________________________________________________________________________ +void VP1TabManager::showTabFullScreen(QString tabname) +{ + int index = 0; + for (; index < m_d->tabwidget->count(); ++index) { + if (m_d->tabwidget->tabText(index)==tabname) + break; + } + if (index >= m_d->tabwidget->count()) + return; + dropOutOfFullScreen(); + //Test that we are not already fs: + assert(m_d->fullscreen_tabname.isEmpty()); + assert(m_d->fullscreen_tabindex==-1); + assert(!m_d->fullscreen_tab); + assert(m_d->fullscreen_floatingdocks.empty()); + + bool save = m_d->dontEmitVisibilityChanges; + m_d->dontEmitVisibilityChanges=true; + + //Set tab info: + m_d->fullscreen_tabindex = index; + m_d->fullscreen_tabname = m_d->tabwidget->tabText(m_d->fullscreen_tabindex); + assert(m_d->name_2_tab.find(m_d->fullscreen_tabname)!=m_d->name_2_tab.end()); + m_d->fullscreen_tab = m_d->name_2_tab[m_d->fullscreen_tabname]; + //Dock all dockwidgets in the tab that are currently floating, and make them unfloatable: + assert(m_d->tab_2_channelwidgets.find(m_d->fullscreen_tab)!=m_d->tab_2_channelwidgets.end()); + std::set<IVP1ChannelWidget*>::const_iterator it = m_d->tab_2_channelwidgets[m_d->fullscreen_tab].begin(); + std::set<IVP1ChannelWidget*>::const_iterator itE = m_d->tab_2_channelwidgets[m_d->fullscreen_tab].end(); + for (;it!=itE;++it) { + assert(m_d->channelwidget_2_dockwidget.find(*it)!=m_d->channelwidget_2_dockwidget.end()); + VP1DockWidget * dock = m_d->channelwidget_2_dockwidget[*it]; + if (dock->isFloating()) { + m_d->fullscreen_floatingdocks.insert(dock); + dock->setFloating(false); + } + dock->setFeatures(VP1DockWidget::DockWidgetMovable); + } + + //Remove tab, put a dummy in its place, and go fullscreen: + m_d->tabwidget->removeTab(m_d->fullscreen_tabindex); + m_d->fullscreen_tab->hide(); + m_d->fullscreen_tab->setParent(0); + m_d->tabwidget->insertTab ( m_d->fullscreen_tabindex, new QWidget(), m_d->fullscreen_tabname ); + m_d->fullscreen_tab->showFullScreen(); + //Needs an extra update apparently, to get selection frame properly enlarged + it = m_d->tab_2_channelwidgets[m_d->fullscreen_tab].begin(); + itE = m_d->tab_2_channelwidgets[m_d->fullscreen_tab].end(); + for (;it!=itE;++it) { + assert(m_d->channelwidget_2_dockwidget.find(*it)!=m_d->channelwidget_2_dockwidget.end()); + VP1DockWidget * dock = m_d->channelwidget_2_dockwidget[*it]; + dock->update(); + } + + qApp->installEventFilter(this); + m_d->dontEmitVisibilityChanges=save; + currentVisibleChanged(); + +} + +//___________________________________________________________________________________ +void VP1TabManager::showCurrentTabFullScreen() +{ + if (m_d->tabwidget->count()==0) + return; + showTabFullScreen(m_d->tabwidget->tabText(m_d->tabwidget->currentIndex())); +} + + + +//___________________________________________________________________________________ +IVP1ChannelWidget* VP1TabManager::selectedChannelWidget() const { + return m_d->selecteddockwidget ? m_d->selecteddockwidget->channelWidget() : 0; +} + +//_______________________________________________________________________ +IVP1ChannelWidget * VP1TabManager::addChannelToTab(QString channelbasename,QString tabname) { + + #if defined BUILDVP1LIGHT + bool checkDisallowMultipleChannels = VP1QtUtils::expertSettingIsOn("general","ExpertSettings/VP1_DISALLOW_MULTIPLE_CHANNELS"); + #else + bool checkDisallowMultipleChannels = VP1QtUtils::environmentVariableIsOn("VP1_DISALLOW_MULTIPLE_CHANNELS"); + #endif + + if (m_d->channelwidget_2_dockwidget.size()&&checkDisallowMultipleChannels) { + QMessageBox::critical(0, "Error - Not allowed to open channel", + "The possibility to launch multiple channels has been disabled by the environment variable VP1_DISALLOW_MULTIPLE_CHANNELS." + " This was likely set since some badly written 3D drivers have been known to cause crashes when showing multiple 3D views." + "\n In order to launch a new channel you must thus first remove the already active channel." + "\n To disable this behaviour don't set VP1_DISALLOW_MULTIPLE_CHANNELS, or set it to \"0'.",QMessageBox::Ok,QMessageBox::Ok); + return 0; + } + + if (!m_d->checkTabnameExists(tabname)) return 0; + if (!m_d->checkChannelNameExists(channelbasename, false)) return 0; + + //Then we get the channel: + QString err; + IVP1ChannelWidget * cw = m_d->channelmanager->getChannel( channelbasename,err ); + if (!err.isEmpty()) { + QMessageBox::critical(0, "Error - could not get channel: "+channelbasename, + "Could not get channel: "+channelbasename + +"\n\nReason: "+err,QMessageBox::Ok,QMessageBox::Ok); + + return 0; + } + assert(cw); + bool save = m_d->dontEmitVisibilityChanges; + m_d->dontEmitVisibilityChanges=true; + cw->setUpdatesEnabled(false); + + //Everything went well - go ahead and add the channel to the tab. + VP1DockWidget *dock = new VP1DockWidget(cw,this); + connect(dock,SIGNAL(topLevelChanged(bool)),this,SLOT(currentVisibleChanged())); + connect(dock,SIGNAL(wasSelected(VP1DockWidget*)),this,SLOT(setSelectedDockWidget(VP1DockWidget*))); + + QMainWindow * tab = m_d->name_2_tab[tabname]; + tab->addDockWidget(Qt::TopDockWidgetArea, dock); + + assert(m_d->channelwidget_2_dockwidget.find(cw)==m_d->channelwidget_2_dockwidget.end()); + m_d->channelwidget_2_dockwidget[cw]=dock; + assert(m_d->tab_2_channelwidgets.find(tab)!=m_d->tab_2_channelwidgets.end()); + m_d->tab_2_channelwidgets[tab].insert(cw); + cw->setUpdatesEnabled(true); + m_d->dontEmitVisibilityChanges=save; + currentVisibleChanged(); + return cw; +} + +//_______________________________________________________________________ +void VP1TabManager::renameTab( QString tabname, QString newtabname ) { + if (!m_d->checkTabnameExists(tabname)) return; + if (!m_d->checkTabnameNotExists(newtabname)) return; + + QMainWindow * tab = m_d->name_2_tab[tabname]; + + m_d->name_2_tab.erase(m_d->name_2_tab.find(tabname)); + m_d->name_2_tab[newtabname]=tab; + int tabindex = m_d->tabwidget->indexOf(tab); + assert(tabindex!=-1); + m_d->tabwidget->setTabText ( tabindex, newtabname ); + tabListChanged(tabList()); +} + +//_______________________________________________________________________ +QStringList VP1TabManager::tabList() { + QStringList l; + for (int i = 0; i < m_d->tabwidget->count(); ++i) { + l<<m_d->tabwidget->tabText(i); + } + return l; +} + + +//_______________________________________________________________________ +void VP1TabManager::removeTab( QString tabname ) { + + if (!m_d->checkTabnameExists(tabname)) return; + + bool save = m_d->dontEmitVisibilityChanges; + m_d->dontEmitVisibilityChanges=true; + + assert(m_d->name_2_tab.find(tabname)!=m_d->name_2_tab.end()); + QMainWindow * tab = m_d->name_2_tab[tabname]; + assert(tab); + assert(m_d->tab_2_channelwidgets.find(tab)!=m_d->tab_2_channelwidgets.end()); + + //First, we turn off updates on all channel widgets in the tab (this + //prevents some crashes due to poorly written channels): + std::set<IVP1ChannelWidget*>::const_iterator it = m_d->tab_2_channelwidgets[tab].begin(); + std::set<IVP1ChannelWidget*>::const_iterator itE = m_d->tab_2_channelwidgets[tab].end(); + for (;it!=itE;++it) { + (*it)->setUpdatesEnabled(false);//Fixme: do this on detach/reattach also? + (*it)->hide(); + } + + while(m_d->tab_2_channelwidgets[tab].size()>0) { + IVP1ChannelWidget * channelwidget = *(m_d->tab_2_channelwidgets[tab].begin()); + removeChannel(channelwidget->unique_name()); + } + + //Remove the tab from the tabwidget (this does not actually delete the tab) + m_d->name_2_tab.erase(m_d->name_2_tab.find(tabname)); + int i = m_d->tabwidget->indexOf(tab); + assert(i!=-1); + m_d->tabwidget->removeTab(i); + + delete tab; + + tabListChanged(tabList()); + m_d->dontEmitVisibilityChanges=save; + currentVisibleChanged(); +} + + +//_______________________________________________________________________ +void VP1TabManager::removeAllTabs() +{ + VP1Msg::messageDebug("VP1TabManager::removeAllTabs()"); + foreach(QString tab, tabList() ) { + removeTab(tab); + } +} + + +//___________________________________________________________________________________ +void VP1TabManager::removeChannel(QString channeluniquename) { + + VP1Msg::messageDebug("VP1TabManager::removeChannel()"); + + if (!m_d->checkChannelNameExists(channeluniquename, true)) return; + + IVP1ChannelWidget* cw = m_d->channelmanager->uniqueName2Channel(channeluniquename); + assert(cw); + + //Unselect if selected: + if (m_d->selecteddockwidget&&cw==m_d->selecteddockwidget->channelWidget()) + setSelectedDockWidget(0); + + QString bn = cw->name(); + cw->setUpdatesEnabled(false); + + assert(m_d->channelwidget_2_dockwidget.find(cw)!=m_d->channelwidget_2_dockwidget.end()); + VP1DockWidget * dw = m_d->channelwidget_2_dockwidget[cw]; + + //Update maps: + assert(m_d->channelwidget_2_dockwidget.find(cw)!=m_d->channelwidget_2_dockwidget.end()); + m_d->channelwidget_2_dockwidget.erase(m_d->channelwidget_2_dockwidget.find(cw)); + + //And remove dock from tab. + QMainWindow * tab = m_d->channel2tab(cw); + assert(tab); + +// int itab = m_d->tabwidget->indexOf(tab); +// assert(itab!=-1); +// QString tabname = m_d->tabwidget->tabText(itab); + // m_d->tabwidget->removeTab(itab); + tab->setUpdatesEnabled(false); + tab->removeDockWidget(dw); + + + //Update map: + assert(m_d->tab_2_channelwidgets[tab].find(cw)!=m_d->tab_2_channelwidgets[tab].end()); + m_d->tab_2_channelwidgets[tab].erase(m_d->tab_2_channelwidgets[tab].find(cw)); + + //delete channel + cw->hide(); + dw->ensureCWHasNoParent(); + [[maybe_unused]] //To avoid compile warning in opt mode. + bool ok=m_d->channelmanager->deleteChannel(cw->unique_name()); + assert(ok); + + //delete dock widget + delete dw; + + tab->setUpdatesEnabled(true); + // m_d->tabwidget->insertTab(itab,tab,tabname); + + if (m_d->selecteddockwidget==dw) { + m_d->selecteddockwidget=0; + selectedChannelChanged(0); + } + + currentVisibleChanged(); +} + +//___________________________________________________________________________________ +QMainWindow * VP1TabManager::Imp::channel2tab(IVP1ChannelWidget*cw) { + std::map<QMainWindow*,std::set<IVP1ChannelWidget*> >::iterator it = tab_2_channelwidgets.begin(); + std::map<QMainWindow*,std::set<IVP1ChannelWidget*> >::iterator itE = tab_2_channelwidgets.end(); + for (;it!=itE;++it) { + if (it->second.find(cw)!=it->second.end()) + return it->first; + } + return 0; +} + + +//___________________________________________________________________________________ +QMainWindow * VP1TabManager::Imp::name2tab(QString tabname) +{ + if (name_2_tab.find(tabname)==name_2_tab.end()) + return 0; + return name_2_tab[tabname]; +} + +//Fixme: check for empty input strings in all methods where applicable! + +//___________________________________________________________________________________ +void VP1TabManager::moveChannelToTab(QString channeluniquename,QString tabname) { + + if (!m_d->checkTabnameExists(tabname)) return; + if (!m_d->checkChannelNameExists(channeluniquename, true)) return; + + QMainWindow * tab_new = m_d->name_2_tab[tabname]; + assert(tab_new); + IVP1ChannelWidget* cw = m_d->channelmanager->uniqueName2Channel(channeluniquename); + assert(cw); + + assert(m_d->channelwidget_2_dockwidget.find(cw)!=m_d->channelwidget_2_dockwidget.end()); + + VP1DockWidget* dw = m_d->channelwidget_2_dockwidget[cw]; + assert(dw); + QMainWindow * tab_old = m_d->channel2tab(cw); + assert(tab_old); + + if (tab_old==tab_new)//Fixme: Make warning here instead, and ensure that the interface does not allow this. + return; + + tab_old->removeDockWidget(dw); + dw->setParent(tab_new); + tab_new->addDockWidget(Qt::TopDockWidgetArea, dw); + dw->show(); + + //Update tab_2_channelwidgets: + assert(m_d->tab_2_channelwidgets.find(tab_old)!=m_d->tab_2_channelwidgets.end()); + assert(m_d->tab_2_channelwidgets.find(tab_new)!=m_d->tab_2_channelwidgets.end()); + assert(m_d->tab_2_channelwidgets[tab_old].find(cw)!=m_d->tab_2_channelwidgets[tab_old].end()); + assert(m_d->tab_2_channelwidgets[tab_new].find(cw)==m_d->tab_2_channelwidgets[tab_new].end());//dies! + m_d->tab_2_channelwidgets[tab_old].erase(m_d->tab_2_channelwidgets[tab_old].find(cw)); + m_d->tab_2_channelwidgets[tab_new].insert(cw); + +} + +//___________________________________________________________________________________ +void VP1TabManager::cloneChannelToTab(QString channeluniquename,QString tabname) { + if (!m_d->checkTabnameExists(tabname)) return; + if (!m_d->checkChannelNameExists(channeluniquename, true)) return; + IVP1ChannelWidget* cw = m_d->channelmanager->uniqueName2Channel(channeluniquename); + assert(cw); + IVP1ChannelWidget * newcw = addChannelToTab(cw->name(),tabname); + if (newcw) { + ChanState state; + serializeChannelState(cw,state); + unserializeChannelState(newcw,state); + } +} + +//___________________________________________________________________________________ +void VP1TabManager::cloneTab(QString oldtabname,QString newtabname) +{ + if (!m_d->checkTabnameExists(oldtabname)) return; + if (!m_d->checkTabnameNotExists(newtabname)) return; + + addNewTab(newtabname); + + assert(m_d->name_2_tab.find(newtabname)!=m_d->name_2_tab.end()); + + QMainWindow * oldtab = m_d->name_2_tab[oldtabname]; + + assert(m_d->tab_2_channelwidgets.find(oldtab)!=m_d->tab_2_channelwidgets.end()); + std::set<IVP1ChannelWidget*>::const_iterator it = m_d->tab_2_channelwidgets[oldtab].begin(); + std::set<IVP1ChannelWidget*>::const_iterator itE = m_d->tab_2_channelwidgets[oldtab].end(); + + for (;it!=itE;++it) { + IVP1ChannelWidget * newcw = addChannelToTab((*it)->name(),newtabname); + if (newcw) { + ChanState state; + serializeChannelState(*it,state); + unserializeChannelState(newcw,state); + } + } + + QMainWindow * newtab = m_d->name_2_tab[newtabname]; + QByteArray state = oldtab->saveState(); + if (!newtab->restoreState(state)) + QMessageBox::warning(0, "Warning - Problems cloning channel arrangement", + "Problems cloning channel arrangement.",QMessageBox::Ok,QMessageBox::Ok); +} + + + +//___________________________________________________________________________________ +void VP1TabManager::saveConfigurationToFile(QString filename,const bool& askonoverride) { + if (filename.isEmpty()) { + QMessageBox::critical(0, "Error - Empty file name provided", + "Empty file name provided.",QMessageBox::Ok,QMessageBox::Ok); + return; + } + //If file exists, ask to overwrite. + QFileInfo fi(filename); + if (fi.exists()) { + if (!fi.isWritable()) { + QMessageBox::critical(0, "Error - could not save to file "+filename, + "Could not save to file: <i>"+filename+"</i>" + +"<br/><br/>Reason: File exists already and is write protected",QMessageBox::Ok,QMessageBox::Ok); + return; + } + if (askonoverride) { + int ret = QMessageBox::question(0, "File already exists: "+filename, + "The file <i>"+filename+"</i> already exists.\n" + "Override this file?", + QMessageBox::Ok | QMessageBox::Cancel, QMessageBox::Cancel); + if (ret==QMessageBox::Cancel) + return; + } + } + + QFile file(filename); + if (!file.open(QIODevice::WriteOnly)) { + QMessageBox::critical(0, "Error - problems writing to file "+filename, + "Problems writing to file: <i>"+filename+"</i>",QMessageBox::Ok,QMessageBox::Ok); + return; + } + + //Serialise : + QMap<QString,QMultiMap<QString,ChanState> > tab2channels; + QMap<QString,QByteArray> tab2arrangements; + m_d->serializeTabAndChannelConfigInfo(tab2channels, tab2arrangements); + + //Put into bytearray: + QByteArray byteArray; + QBuffer buffer(&byteArray); + buffer.open(QIODevice::WriteOnly); + QDataStream out(&buffer); + out<<QString("This is an automatically generated config file for VP1. [cfg version 003]" ); + out<<m_d->channelmanager->serializePluginInfo(); + out<<tab2channels; + out<<tab2arrangements; + out<<tabList();//For tab *order* + out<<QString("This is the end of the automatically generated config file for VP1." ); + buffer.close(); + + QDataStream outfile(&file); + outfile<<qCompress(byteArray).toBase64(); + + +} + +//___________________________________________________________________________________ +void VP1TabManager::loadConfigurationFromFile(QString filename,const QMap<QString,QString>& availableplugins) { + if (filename.isEmpty()) { + QMessageBox::critical(0, "Error - Empty file name provided", + "Empty file name provided.",QMessageBox::Ok,QMessageBox::Ok); + return; + } + QFileInfo fi(filename); + if (!fi.exists()) { + QMessageBox::critical(0, "Error - file does not exists: "+filename, + "File does not exists: <i>"+filename+"</i>",QMessageBox::Ok,QMessageBox::Ok); + return; + } + if (!fi.isReadable()) { + QMessageBox::critical(0, "Error - file is not readable: "+filename, + "File is not readable: <i>"+filename+"</i>",QMessageBox::Ok,QMessageBox::Ok); + return; + } + //open file + QFile file(filename); + if (!file.open(QIODevice::ReadOnly)) { + QMessageBox::critical(0, "Error - problems opening file "+filename, + "Problems opening file: <i>"+filename+"</i>",QMessageBox::Ok,QMessageBox::Ok); + return; + } + + //Read: + QString head,foot; + QStringList pluginfiles; + QMap<QString,QMultiMap<QString,ChanState> > tab2channels; + QMap<QString,QByteArray> tab2arrangements; + QStringList tabs_orded; + + QByteArray byteArray64; + QDataStream infile(&file); + infile >> byteArray64; + + QByteArray byteArray = qUncompress(QByteArray::fromBase64(byteArray64)); + + QBuffer buffer(&byteArray); + buffer.open(QIODevice::ReadOnly); + QDataStream in(&buffer); + in >> head; + in >> pluginfiles; + in >> tab2channels; + in >> tab2arrangements; + in >> tabs_orded; + in >> foot; + buffer.close(); + + if (head!="This is an automatically generated config file for VP1. [cfg version 003]" + ||foot!="This is the end of the automatically generated config file for VP1." + ||tab2channels.count()!=tab2arrangements.count()) { + QMessageBox::critical(0, "Error - file not in correct format: "+filename, + "File not in correct format: <i>"+filename+"</i>",QMessageBox::Ok,QMessageBox::Ok); + return; + } + + QStringList pf_withproblem; + QStringList errormessage; + +#ifdef __APPLE__ + QString sharedlibsuffix_correct = ".dylib"; + QString sharedlibsuffix_wrong = ".so"; +#else + QString sharedlibsuffix_correct = ".so"; + QString sharedlibsuffix_wrong = ".dylib"; +#endif + + foreach(QString pf,pluginfiles) { + if (pf.endsWith(sharedlibsuffix_wrong)) { + pf.replace(sharedlibsuffix_wrong, sharedlibsuffix_correct); + } + + if (!availableplugins.contains(pf)) { + pf_withproblem<<pf; + errormessage<<"Could not locate " + pf; + continue; + } + QString pfabsolute = availableplugins[pf]; + QString err; + if (m_d->channelmanager->channelsInPluginFile(pfabsolute).empty()) + err = m_d->channelmanager->loadPluginFile(pfabsolute); + if (!err.isEmpty()) { + pf_withproblem<<pfabsolute; + errormessage<<err; + } + } + + if (!pf_withproblem.empty()) { + assert(pf_withproblem.count()==errormessage.count()); + QString tmp; + for (int i = 0; i<pf_withproblem.count();++i) { + tmp += pf_withproblem.value(i)+": "+errormessage.value(i)+"\n"; + } + QMessageBox::warning(0, "Warning - could not load all plugins", + "Some or more plugins did not load properly:\n\n"+tmp,QMessageBox::Ok,QMessageBox::Ok); + } + + QString channelsFailureMsg; + QString tabArrangementFailureMsg; + + QString lastaddedtab; + + foreach (QString newtabname_infile, tabs_orded) { + //Check format: + if (!tab2channels.contains(newtabname_infile)||!tab2arrangements.contains(newtabname_infile)) { + QMessageBox::critical(0, "Error - file not in correct format: "+filename, + "File not in correct format: <i>"+filename+"</i>",QMessageBox::Ok,QMessageBox::Ok); + return; + } + + //We are about to add a new tab. If there is already one with + //that name we remove it if it is empty: + QMainWindow * existingtab = m_d->name2tab(newtabname_infile); + if (existingtab) { + if (m_d->tab_2_channelwidgets.find(existingtab)==m_d->tab_2_channelwidgets.end() + ||m_d->tab_2_channelwidgets[existingtab].empty()) + removeTab(newtabname_infile); + } + + //Special case: If there are presently no loaded channels, and + //only one existing tab named 'My Tab', then we remove that one + if (m_d->channelwidget_2_dockwidget.empty() + &&m_d->name_2_tab.size()==1 + &&m_d->name_2_tab.begin()->first=="My Tab") + removeTab("My Tab"); + + QString newtabname = suggestNewTabName(newtabname_infile); + addNewTab(newtabname); + if (!m_d->checkTabnameExists(newtabname)) + return; + lastaddedtab=newtabname; + + QMapIterator<QString,ChanState> it( tab2channels.value(newtabname_infile) ); + + while (it.hasNext()) { + it.next(); + //it.key(): Channel base name. + //it.value(): Channel state info. + if (!m_d->channelmanager->baseNameExists(it.key())) { + channelsFailureMsg += it.key()+" (tab "+newtabname+")"+"\n"; + } else { + IVP1ChannelWidget * cw = addChannelToTab( it.key(), newtabname ); + if (cw) + unserializeChannelState(cw,it.value()); + else + channelsFailureMsg += it.key()+" (tab "+newtabname+")"+"\n"; + } + } + + //Setup layout state: + assert(m_d->name_2_tab.find(newtabname)!=m_d->name_2_tab.end()); + QMainWindow * tab = m_d->name_2_tab.find(newtabname)->second; + QByteArray state = tab2arrangements.value(newtabname_infile); + + if (!state.isEmpty()) { + if (!tab->restoreState(state,0/*version*/)) { + tabArrangementFailureMsg += newtabname+"\n"; + } + } + } + if (!channelsFailureMsg.isEmpty()) { + QMessageBox::warning(0, "Warning - could not start all channels", + "Some or more channels were not available to start:\n\n" + +channelsFailureMsg,QMessageBox::Ok,QMessageBox::Ok); + } + if (!tabArrangementFailureMsg.isEmpty()) { + QMessageBox::warning(0, "Warning - could not arrange channels in all tabs", + "The arrangement of channels could not be properly determined withing the following tabs:\n\n" + +tabArrangementFailureMsg,QMessageBox::Ok,QMessageBox::Ok); + } + if (!lastaddedtab.isEmpty()) + showTab(lastaddedtab); +} + +//___________________________________________________________________________________ +void VP1TabManager::Imp::serializeTabAndChannelConfigInfo(QMap<QString,QMultiMap<QString,ChanState> >& tab2channels, + QMap<QString,QByteArray>& tab2arrangements) const { + + tab2channels.clear(); + tab2arrangements.clear(); + for (int i = 0; i< tabwidget->count();++i) { + QString tabname = tabwidget->tabText(i); + assert(name_2_tab.find(tabname)!=name_2_tab.end()); + QMainWindow * tab = name_2_tab.find(tabname)->second; + QMultiMap<QString,ChanState> channelsinfo; + std::map<QMainWindow*,std::set<IVP1ChannelWidget*> >::const_iterator itcws=tab_2_channelwidgets.find(tab); + assert(itcws!=tab_2_channelwidgets.end()); + std::set<IVP1ChannelWidget*>::const_iterator it = itcws->second.begin(); + std::set<IVP1ChannelWidget*>::const_iterator itE = itcws->second.end(); + for (;it!=itE;++it) { + ChanState chanstate; + tabmanager->serializeChannelState(*it,chanstate); + channelsinfo.insert((*it)->name(),chanstate); + } + tab2channels.insert(tabname,channelsinfo); + + + tab2arrangements.insert(tabname,tab->saveState(0/*version*/)); + } +} + +//___________________________________________________________________________________ +QString VP1TabManager::suggestNewTabName(QString oldtabname) const { + QString newtabname=oldtabname; + int i = 1; + while (m_d->name_2_tab.find(newtabname)!=m_d->name_2_tab.end()) + newtabname=oldtabname+" "+QString::number(++i); + return newtabname; +} + +//___________________________________________________________________________________ +QString VP1TabManager::currentTab() const { + if (m_d->tabwidget->count()==0) + return ""; + return m_d->tabwidget->tabText(m_d->tabwidget->currentIndex()); +} + +//___________________________________________________________________________________ +int VP1TabManager::nTabs() const { + return m_d->tabwidget->count(); +} + +//___________________________________________________________________________________ +QMainWindow* VP1TabManager::Imp::nextTab(){ + if (tabwidget->count()<=1) + return 0; + std::cout<<"currentindex:"<<tabwidget->currentIndex()<<std::endl; + std::cout<<"nextindex:"<<(tabwidget->currentIndex() + 1) % tabwidget->count()<<std::endl; + std::cout<<"ntabs:"<<tab_2_channelwidgets.size()<<std::endl; + QMainWindow*nexttab=static_cast<QMainWindow*>(tabwidget->widget((tabwidget->currentIndex() + 1) % tabwidget->count())); + assert(nexttab); + assert(tab_2_channelwidgets.find(nexttab)!=tab_2_channelwidgets.end()); +// if (tab_2_channelwidgets.find(nexttab)==tab_2_channelwidgets.end()) +// return fullscreen_tab; +// else + return nexttab; +} + +//___________________________________________________________________________________ +QMainWindow* VP1TabManager::Imp::previousTab(){ + if (tabwidget->count()<=1) + return 0; + int newindex = tabwidget->currentIndex() - 1; + if (newindex<0) + newindex += tabwidget->count(); + QMainWindow*prevtab = static_cast<QMainWindow*>(tabwidget->widget(newindex % tabwidget->count())); + if (tab_2_channelwidgets.find(prevtab)==tab_2_channelwidgets.end()) + return fullscreen_tab; + else + return prevtab; +} + +//___________________________________________________________________________________ +bool VP1TabManager::showTab(QString tabname){ + int itarget(-1); + for (int i = 0; i < m_d->tabwidget->count(); ++i) { + if (m_d->tabwidget->tabText(i)==tabname) { + itarget = i; + break; + } + } + if (itarget<0) + return false; + if (itarget==m_d->tabwidget->currentIndex()) + return true; + + bool save = m_d->dontEmitVisibilityChanges; + m_d->dontEmitVisibilityChanges=true; + + bool fullscreentab = (m_d->fullscreen_tab!=0); + if (m_d->fullscreen_channelwidget||m_d->fullscreen_tab) + dropOutOfFullScreen(); + + m_d->tabwidget->setCurrentIndex(itarget); + if (fullscreentab) + showCurrentTabFullScreen(); + m_d->dontEmitVisibilityChanges=save; + currentVisibleChanged(); + return true; +} + + +//___________________________________________________________________________________ +void VP1TabManager::showNextTab(){ + if (m_d->tabwidget->count()<=1) + return; + assert(!m_d->fullscreen_channelwidget); + if (m_d->fullscreen_tab) { + bool save = m_d->dontEmitVisibilityChanges; + m_d->dontEmitVisibilityChanges=true; + dropOutOfFullScreen(); + showNextTab(); + showCurrentTabFullScreen(); + m_d->dontEmitVisibilityChanges=save; + } + m_d->tabwidget->setCurrentIndex((m_d->tabwidget->currentIndex() + 1) % m_d->tabwidget->count()); +} + +//___________________________________________________________________________________ +void VP1TabManager::showPreviousTab() { + assert(!m_d->fullscreen_channelwidget); + assert(!m_d->fullscreen_tab);//Fixme: as above. + if (m_d->tabwidget->count()<=1) + return; + int newindex = m_d->tabwidget->currentIndex() - 1; + if (newindex<0) + newindex += m_d->tabwidget->count(); + m_d->tabwidget->setCurrentIndex( newindex % m_d->tabwidget->count()); +} + +//___________________________________________________________________________________ +void VP1TabManager::raiseTabBarContextMenu(int i,const QPoint & p) { + + QString tabname = m_d->tabwidget->tabText(i); + + QMenu menu(m_d->tabwidget); + + //Construct menu: + // menu.addAction("Tab: "+tabname)->setEnabled(false); + // menu.addSeparator (); + QAction* pFullScreenAction = menu.addAction("Show &full Screen"); + menu.addSeparator(); + QAction* pRenameAction = menu.addAction("Re&name tab"); + QAction* pDeleteAction = menu.addAction("&Remove tab"); + menu.addSeparator (); + QAction* pInsertNewAction = menu.addAction("&Insert new tab"); + QAction* pCloneAction = menu.addAction("&Clone tab"); + menu.addSeparator (); + QAction* pAddChannelAction = menu.addAction("&Add channel"); + QAction* pRemoveChannelAction = menu.addAction("R&emove channel"); + + QMenu menu_addchan(m_d->tabwidget); + QStringList chnls = m_d->channelmanager->availableChannelList(); + if (chnls.empty()) { + menu_addchan.addAction("No channels available")->setEnabled(false); + } else { + foreach (QString chnl, chnls) { + QString iconloc = m_d->channelmanager->getIconLocation(chnl, true); + QAction* pChnlAct; + if (iconloc.isEmpty()) + pChnlAct = menu_addchan.addAction(chnl); + else + pChnlAct = menu_addchan.addAction(QIcon(iconloc),chnl); + pChnlAct->setData("ADDCHAN"); + } + } + pAddChannelAction->setMenu(&menu_addchan); + QStringList chnls_rem = m_d->channelsInTab(tabname); + if (chnls_rem.empty()) + pFullScreenAction->setEnabled(false); + QMenu menu_remchan(m_d->tabwidget); + if (chnls_rem.empty()) { + menu_remchan.addAction("No channels in tab")->setEnabled(false); + } else { + foreach (QString chnl, chnls_rem) { + QString iconloc = m_d->channelmanager->getIconLocation(chnl, false); + QAction* pChnlAct; + if (iconloc.isEmpty()) + pChnlAct = menu_remchan.addAction(chnl); + else + pChnlAct = menu_remchan.addAction(QIcon(iconloc),chnl); + pChnlAct->setData("REMCHAN"); + } + } + pRemoveChannelAction->setMenu(&menu_remchan); + + + //Execute + QAction * selAct = menu.exec(p); + // + if (!selAct) + return; + if (selAct==pFullScreenAction) { + showTabFullScreen(tabname); + return; + } + if (selAct==pRenameAction) { + bool ok; + QString text = QInputDialog::getText( 0, "Rename tab '"+tabname+"'","Rename tab '"+tabname+"' to:", + QLineEdit::Normal, tabname, &ok ); + if (!ok||text==tabname) + return; + renameTab(tabname,text); + return; + } + if (selAct==pDeleteAction) { + removeTab( tabname ); + return; + } + if (selAct==pInsertNewAction) { + bool ok; + QString newtabname = QInputDialog::getText( 0, "New Tab Name","New tab name:", + QLineEdit::Normal, suggestNewTabName("My Tab"), &ok ); + if (!ok||newtabname.isEmpty()) + return; + addNewTab(newtabname,i+1); + return; + } + if (selAct==pCloneAction) { + bool ok; + QString newtabname = QInputDialog::getText( 0, "Cloning '"+tabname+"'.","Cloning '"+tabname+"'. Name of new tab:", + QLineEdit::Normal, suggestNewTabName(tabname), &ok ); + if (!ok||newtabname.isEmpty()) + return; + cloneTab(tabname,newtabname); + return; + } + if (selAct==pAddChannelAction) { + return; + } + //Only option left is channels... + if (selAct->data()=="ADDCHAN") { + addChannelToTab( selAct->text(), tabname ); + return; + } + if (selAct->data()=="REMCHAN") { + removeChannel( selAct->text() ); + return; + } + std::cout<<"ERROR in VP1TabManager::raiseTabBarContextMenu!!!!!"<<std::endl; +} + +//___________________________________________________________________________________ +void VP1TabManager::currentVisibleChanged() { + if (m_d->dontEmitVisibilityChanges) + return; + + QSet<IVP1ChannelWidget*> visible; + QSet<IVP1ChannelWidget*> soonvisible; + double soonbonus(0.0); + + ///////////////////////////////////////////////////////////////////// + //////////////////////////// VISIBLE //////////////////////////// + ///////////////////////////////////////////////////////////////////// + + if (m_d->fullscreen_dockwidget) { + //Thats an easy one: + visible << m_d->fullscreen_dockwidget->channelWidget(); + } else if (m_d->fullscreen_tab) { + //Add all channel widgets from this tab: + assert(m_d->tab_2_channelwidgets.find(m_d->fullscreen_tab)!=m_d->tab_2_channelwidgets.end()); + std::set<IVP1ChannelWidget*>::iterator it,itE; + itE = m_d->tab_2_channelwidgets[m_d->fullscreen_tab].end(); + for (it = m_d->tab_2_channelwidgets[m_d->fullscreen_tab].begin();it!=itE;++it) { + visible << *it; + } + std::cout<<"fullscreen tab:"<<m_d->fullscreen_tab<<std::endl; + } else { + //Go through the tabs, if it is the current tab we add all dock + //widgets, otherwise we add those that are floating: + QWidget * currentTab = m_d->tabwidget->currentWidget(); + std::map<QMainWindow*,std::set<IVP1ChannelWidget*> >::iterator tabIt,tabItE = m_d->tab_2_channelwidgets.end(); + std::set<IVP1ChannelWidget*>::iterator it,itE; + for (tabIt=m_d->tab_2_channelwidgets.begin();tabIt!=tabItE;++tabIt) { + //Loop over channels; + it = tabIt->second.begin(); + itE = tabIt->second.end(); + for (;it!=itE;++it) { + if (currentTab==tabIt->first) { + //Add all: + visible << *it; + } else { + if (!m_d->fullscreen_tab) { + //Add only if floating and not a fullscreen tab: + assert(m_d->channelwidget_2_dockwidget.find(*it)!=m_d->channelwidget_2_dockwidget.end()); + if (m_d->channelwidget_2_dockwidget[*it]->isFloating()) + visible << *it; + } + } + } + } + } + + ///////////////////////////////////////////////////////////////////// + ///////////////////////// SOON VISIBLE ////////////////////////// + ///////////////////////////////////////////////////////////////////// + + if (m_d->fullscreen_dockwidget) { + assert(!m_d->tabcruisemode); + //Soon visible: All floating channels (not this one) and all channels in the present tab. + soonbonus = 2000;//We are afterall quite sure here what will soon be visible. + QWidget * currentTab = m_d->tabwidget->currentWidget(); + std::map<QMainWindow*,std::set<IVP1ChannelWidget*> >::iterator tabIt, tabItE = m_d->tab_2_channelwidgets.end(); + std::set<IVP1ChannelWidget*>::iterator it,itE; + for (tabIt=m_d->tab_2_channelwidgets.begin();tabIt!=tabItE;++tabIt) { + //Loop over channels; + itE = tabIt->second.end(); + for (it=tabIt->second.begin();it!=itE;++it) { + if (currentTab==tabIt->first) { + //Add all except the fullscreen'ed one: + if (*it!=m_d->fullscreen_dockwidget->channelWidget()) + soonvisible << *it; + } else { + //Add only if floating: + assert(m_d->channelwidget_2_dockwidget.find(*it)!=m_d->channelwidget_2_dockwidget.end()); + if (m_d->channelwidget_2_dockwidget[*it]->isFloating()) + soonvisible << *it; + } + } + } + } else if (m_d->fullscreen_tab) { + if (m_d->tabcruisemode&&m_d->tab_2_channelwidgets.size()>1) { + //Everything in the next tab. + soonbonus = 10000;//Very important that the stuff in the next tab gets a high priority! + QMainWindow * nexttab = m_d->nextTab(); + assert(nexttab); + std::cout<<"fullscreen tab:"<<m_d->fullscreen_tab<<std::endl; + std::cout<<"nexttab:"<<nexttab<<std::endl; + assert(m_d->tab_2_channelwidgets.find(nexttab)!=m_d->tab_2_channelwidgets.end()); + std::set<IVP1ChannelWidget*>::iterator it,itE=m_d->tab_2_channelwidgets[nexttab].end(); + for(it=m_d->tab_2_channelwidgets[nexttab].begin();it!=itE;++it){ + soonvisible << *it; + } + } else { + //All floating channels not in the present tab + soonbonus = 1000;//We are rather sure here what will soon be visible. + QWidget * currentTab = m_d->tabwidget->currentWidget(); + std::map<QMainWindow*,std::set<IVP1ChannelWidget*> >::iterator tabIt, tabItE = m_d->tab_2_channelwidgets.end(); + std::set<IVP1ChannelWidget*>::iterator it,itE; + for (tabIt=m_d->tab_2_channelwidgets.begin();tabIt!=tabItE;++tabIt) { + //Loop over channels; + itE = tabIt->second.end(); + for (it=tabIt->second.begin();it!=itE;++it) { + if (m_d->fullscreen_tab!=tabIt->first&¤tTab!=tabIt->first) { + //Add only if floating: + assert(m_d->channelwidget_2_dockwidget.find(*it)!=m_d->channelwidget_2_dockwidget.end()); + if (m_d->channelwidget_2_dockwidget[*it]->isFloating()) + soonvisible << *it; + } + } + } + } + } else { + //Add everything non-floating from the next tab. + soonbonus = 200;//A weak guess (fixme: Stronger if tab cruise mode). + if (m_d->tabwidget->count()>=2) { + int nexttabindex = (m_d->tabwidget->currentIndex() + 1) % m_d->tabwidget->count(); + QMainWindow* tab = static_cast<QMainWindow*>(m_d->tabwidget->widget(nexttabindex)); + assert(tab); + assert(m_d->tab_2_channelwidgets.find(tab)!=m_d->tab_2_channelwidgets.end()); + std::set<IVP1ChannelWidget*>::iterator it,itE=m_d->tab_2_channelwidgets[tab].end(); + for (it=m_d->tab_2_channelwidgets[tab].begin();it!=itE;++it) { + assert(m_d->channelwidget_2_dockwidget.find(*it)!=m_d->channelwidget_2_dockwidget.end()); + if (!m_d->channelwidget_2_dockwidget[*it]->isFloating()) + soonvisible << *it; + } + } + } + + + assert(soonbonus>0.0); + +#ifndef NDEBUG + //There should be no intersection between visible and soon visible! + QSet<IVP1ChannelWidget*> tmp = visible; + tmp.intersect(soonvisible); + assert(tmp.empty()); +#endif + + if (visible!=m_d->lastvisible||soonvisible!=m_d->lastsoonvisible) { + m_d->lastvisible=visible; + m_d->lastsoonvisible=soonvisible; + visibleChannelsChanged(visible,soonvisible,soonbonus); + + //To ensure that we dont show controllers for channels that are + //not visible: + if (m_d->selecteddockwidget) { + if (!visible.contains(m_d->selecteddockwidget->channelWidget())) + setSelectedDockWidget(0); + } + + //To make sure we automatically select a channel if it is the only + //one visible: + if (visible.count()==1&&(!m_d->selecteddockwidget||*(visible.begin())!=m_d->selecteddockwidget->channelWidget())) { + assert(m_d->channelwidget_2_dockwidget.find(*(visible.begin()))!=m_d->channelwidget_2_dockwidget.end()); + setSelectedDockWidget(m_d->channelwidget_2_dockwidget[*(visible.begin())]); + } + } +} + +//___________________________________________________________________________________ +QString VP1TabManager::channelToTab(IVP1ChannelWidget*cw) +{ + QMainWindow * tab = m_d->channel2tab(cw); + if (!tab) + return "VP1TabManager::channelToTab ERROR: Unknown CW"; + + std::map<QString,QMainWindow *>::const_iterator it, itE = m_d->name_2_tab.end(); + for ( it = m_d->name_2_tab.begin(); it!=itE; ++it ) { + if (it->second == tab) + return it->first; + } + return ""; +} + +//___________________________________________________________________________________ +bool VP1TabManager::hasTab(QString tabname) const +{ + return m_d->name_2_tab.find(tabname)!=m_d->name_2_tab.end(); +} + +//___________________________________________________________________________________ +bool VP1TabManager::showFirstChannelWithGivenBasename(QString basename) { + + std::set<IVP1ChannelWidget*>::const_iterator it2,it2E; + + std::map<QMainWindow*,std::set<IVP1ChannelWidget*> >::const_iterator + it = m_d->tab_2_channelwidgets.begin(), itE=m_d->tab_2_channelwidgets.end(); + for (;it!=itE;++it) { + it2=it->second.begin(); + it2E=it->second.end(); + for (;it2!=it2E;++it2) { + if ((*it2)->name()==basename) { + //Figure out the tabname: + std::map<QString,QMainWindow *>::const_iterator it3,it3E; + it3=m_d->name_2_tab.begin();it3E=m_d->name_2_tab.end(); + for (;it3!=it3E;++it3) { + if (it3->second==it->first) + return showTab(it3->first); + } + //Something is wrong. + return false; + } + } + } + return false; +} + + +//___________________________________________________________________________________ +QList<IVP1ChannelWidget*> VP1TabManager::allChannels() const +{ + QList<IVP1ChannelWidget*> l; + std::map<IVP1ChannelWidget*,VP1DockWidget*>::iterator it, itE(m_d->channelwidget_2_dockwidget.end()); + for(it=m_d->channelwidget_2_dockwidget.begin();it!=itE;++it) { + l <<it->first; + } + return l; +} + + +//___________________________________________________________________________________ +const QSet<IVP1ChannelWidget*>& VP1TabManager::visibleChannels() const +{ + return m_d->lastvisible; +} +//___________________________________________________________________________________ +const QSet<IVP1ChannelWidget*>& VP1TabManager::soonVisibleChannels() const +{ + return m_d->lastsoonvisible; +} + + +//___________________________________________________________________________________ +bool VP1TabManager::isVisible(IVP1ChannelWidget*cw) const +{ + return m_d->lastvisible.contains(cw); +} + +//___________________________________________________________________________________ +void VP1TabManager::setTabCruiseMode(const bool& b) { + if (m_d->tabcruisemode==b) + return; + bool save = m_d->dontEmitVisibilityChanges; + m_d->dontEmitVisibilityChanges = true; + m_d->tabcruisemode = b; +// if (m_d->tabcruisemode) { +// assert(!fullscreen_dockwidget);//We cant be in FS single-channel mode. +// if (fullscreen_tab) { +// //Dock all floating (in other tabs) immediately (fixme: only when they need to be shown!. +// } else { +// //normal mode +// } +// } else { +// } + //Soonvisible might have changed - so emit changes: + m_d->dontEmitVisibilityChanges=save; + currentVisibleChanged(); +} + + + + +//___________________________________________________________________________________ +void VP1TabManager::removeChannelAfterQueueEmpties(const QString& chnlun) +{ + m_d->channelWithPendingRemoval = chnlun; + QTimer::singleShot(0, this, SLOT(executePendingChannelRemoval())); +} + +//___________________________________________________________________________________ +void VP1TabManager::executePendingChannelRemoval() +{ + if (m_d->channelWithPendingRemoval.isEmpty()) + return; + removeChannel(m_d->channelWithPendingRemoval); + m_d->channelWithPendingRemoval=""; +} + +//___________________________________________________________________________________ +void VP1TabManager::serializeChannelState(IVP1ChannelWidget*cw,ChanState&state) +{ + QMap<QString,QByteArray> sysstate; + std::set<IVP1System*>::const_iterator it, itE = cw->systems().end(); + for (it=cw->systems().begin();it!=itE;++it) { + unsigned nVP1Serialise = VP1Serialise::numberOfInstantiations(); + sysstate.insertMulti((*it)->name(),(*it)->saveState()); + if (nVP1Serialise==VP1Serialise::numberOfInstantiations()) + VP1Msg::messageDebug("VP1TabManager WARNING: System "+(*it)->name() + +" did not use VP1Serialise in implementation of saveState()"); + } + + state.first = cw->saveState(); + state.second = sysstate; +} + +//___________________________________________________________________________________ +void VP1TabManager::unserializeChannelState(IVP1ChannelWidget*cw,ChanState state) +{ + if(!state.first.isEmpty()) + cw->restoreFromState(state.first); + + QList<QString> storedSystems = state.second.keys(); + + std::set<IVP1System*>::const_iterator itsys, itsysE = cw->systems().end(); + for (itsys=cw->systems().begin();itsys!=itsysE;++itsys) { + QString name = (*itsys)->name(); + //Look for the first entry with this system name in the list. If it is there - use it and remove it: + QMultiMap<QString,QByteArray>::iterator it_state = state.second.find(name); + if (it_state != state.second.end()) { + storedSystems.removeAll(name); +// //Lets make sure that we advance it_state to the LAST of the elements with the same key: +// QMultiMap<QString,QByteArray>::iterator it_state_tmp = it_state; +// while ( it_state_tmp != state.second.end() && it_state_tmp.key() == (*itsys)->name() ) { +// it_state=it_state_tmp; +// ++it_state_tmp; +// } + //Fixme ^^^: The above has not been tested on any channel which + //actually has multiple similar systems. So might be buggy. + + //Use it and remove it from array: + if (!it_state.value().isEmpty()) { + unsigned nVP1Deserialise = VP1Deserialise::numberOfInstantiations(); + (*itsys)->restoreFromState(it_state.value()); + if (nVP1Deserialise==VP1Deserialise::numberOfInstantiations()) + VP1Msg::messageDebug("VP1TabManager WARNING: System "+(*itsys)->name() + +" did not use VP1Deserialise in implementation of restoreFromState()"); + } + //state.second.erase(it_state); + } else { + std::cout<<"VP1TabManager::unserializeChannelState Warning: Did not find state data for system "<<name.toStdString()<<std::endl; + } + } + foreach (QString name,storedSystems) + std::cout<<"VP1TabManager::unserializeChannelState Warning: Did not use stored configuration for system "<<name.toStdString()<<std::endl; +} diff --git a/graphics/VTI12/VTI12Gui/src/VP1TcpServer.cxx b/graphics/VTI12/VTI12Gui/src/VP1TcpServer.cxx new file mode 100644 index 0000000000000000000000000000000000000000..d59cce42a6c85c000664c038ed801bf57e49cbf8 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/VP1TcpServer.cxx @@ -0,0 +1,214 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +///////////////////////////////////////////////////////////// +// // +// Implementation of class VP1TcpServer // +// // +// Author: Thomas Kittelmann <Thomas.Kittelmann@cern.ch> // +// // +// Initial version: April 2007 // +// // +///////////////////////////////////////////////////////////// + +#include "VTI12Gui/VP1TcpServer.h" +#include <QTcpServer> +#include <QTcpSocket> +#include <QDataStream> +#include <QTimer> +#include <QMap> +#include <cassert> + +//____________________________________________________________________ +class VP1TcpServer::Imp { +public: + VP1TcpServer * tcpserv; + quint16 port; + QTcpServer tcpserver; + QMap<QTcpSocket *,quint16> sockets2blocksize; + QTcpSocket * recognisedSocket(QObject*) const; + int lastemit_listen; +}; + +//____________________________________________________________________ +VP1TcpServer::VP1TcpServer() + : QObject(), m_d(new Imp) +{ + m_d->lastemit_listen=-1; + m_d->tcpserv=this; + m_d->port=0; + connect(&m_d->tcpserver, SIGNAL(newConnection()),this, SLOT(acceptConnection())); + + // + QTimer * timer = new QTimer(this); + timer->start(2000); + connect(timer, SIGNAL(timeout()),this, SLOT(listenStateMightHaveChanged())); +} + +//____________________________________________________________________ +VP1TcpServer::~VP1TcpServer() +{ + close(); + delete m_d; m_d=0; +} + +//____________________________________________________________________ +bool VP1TcpServer::listen(QString& err, const quint16& port) { + if (isListening()) + close(); + bool success = m_d->tcpserver.listen(QHostAddress::LocalHost,port); + if (!success) { + err = m_d->tcpserver.errorString(); + m_d->port=0; + listenStateMightHaveChanged(); + return false; + } + m_d->port=port; + err.clear(); + + listenStateMightHaveChanged(); + return true; +} + +//____________________________________________________________________ +quint16 VP1TcpServer::port() const +{ + return m_d->port; +} + +//____________________________________________________________________ +bool VP1TcpServer::isListening() +{ + return m_d->tcpserver.isListening(); +} + +//____________________________________________________________________ +void VP1TcpServer::close() +{ + if (!isListening()) + return; + disconnect(&m_d->tcpserver, SIGNAL(newConnection()),this, SLOT(acceptConnection())); + + QMapIterator<QTcpSocket *,quint16> it(m_d->sockets2blocksize); + while (it.hasNext()) { + it.next(); + QTcpSocket * socket = it.key(); + delete socket; + } + m_d->sockets2blocksize.clear(); + + m_d->tcpserver.close(); + m_d->port=0; + listenStateMightHaveChanged(); +} + +//____________________________________________________________________ +void VP1TcpServer::acceptConnection() +{ + if (!m_d->tcpserver.hasPendingConnections()) + return; + QTcpSocket * socket = m_d->tcpserver.nextPendingConnection(); + if (m_d->sockets2blocksize.contains(socket)) { + //we are already dealing with this one, but look back here in a + //short while to se if anything else is queued. + QTimer::singleShot(100, this, SLOT(acceptConnection())); + return; + } + assert(!m_d->sockets2blocksize.contains(socket)); + m_d->sockets2blocksize.insert(socket,0); + connect(socket, SIGNAL(readyRead()),this, SLOT(readData())); + connect(socket, SIGNAL(error(QAbstractSocket::SocketError)), this, SLOT(handleError(QAbstractSocket::SocketError))); + connect(socket, SIGNAL(disconnected()),socket, SLOT(deleteLater())); + connect(socket, SIGNAL(destroyed(QObject*)),this,SLOT(socketDestroyed (QObject*))); + listenStateMightHaveChanged(); +} + +//____________________________________________________________________ +void VP1TcpServer::handleError(QAbstractSocket::SocketError se) +{ + if (se == QTcpSocket::RemoteHostClosedError) + return; + QTcpSocket * socket = m_d->recognisedSocket(sender()); + if (!socket) + return; + if (socket->state()!=QAbstractSocket::UnconnectedState) { + socket->disconnectFromHost(); + } + // std::cout << "VP1TcpServer::Error during connection:"<<m_d->tcpserver.errorString().toStdString()<<std::endl; + listenStateMightHaveChanged(); +} + +//____________________________________________________________________ +void VP1TcpServer::readData() +{ + QTcpSocket * socket = m_d->recognisedSocket(sender()); + if (!socket) + return; + if (socket->state()!=QAbstractSocket::ConnectedState) { + // assert(0&&"This should never happen..."); + return; + } + + QDataStream in(socket); + in.setVersion(QDataStream::Qt_4_2); + + //Make sure that we can read enough to determine the data length: + if (m_d->sockets2blocksize[socket] == 0) { + if (socket->bytesAvailable() < (int)sizeof(quint16)) + return; + in >> m_d->sockets2blocksize[socket]; + } + + //Make sure that we can read all of the data: + if (socket->bytesAvailable() < m_d->sockets2blocksize[socket]) + return; + + QString data; + in >> data; + // qDebug(QString("Got: "+data).toStdString().c_str()); + + if (m_d->sockets2blocksize.contains(socket)) { + socket->disconnectFromHost(); + } + + //Notice that we dont fire any signals unless we positively see something that we know how to handle! + if (data.startsWith("VP1ExternalRequest")) { + VP1ExternalRequest request(data); + if (request.isValid()) { + //qDebug("Got valid VP1ExternalRequest!"); + receivedExternalRequest(request); + } + } + listenStateMightHaveChanged(); +} + +//____________________________________________________________________ +QTcpSocket * VP1TcpServer::Imp::recognisedSocket(QObject*o) const +{ + QTcpSocket * socket = static_cast<QTcpSocket *>(o); + if (!socket) + return 0; + return sockets2blocksize.contains(socket) ? socket : 0; +} + +//____________________________________________________________________ +void VP1TcpServer::socketDestroyed ( QObject * obj ) +{ + QTcpSocket * socket = static_cast<QTcpSocket *>(obj); + if (!socket) + return; + if (m_d->sockets2blocksize.contains(socket)) + m_d->sockets2blocksize.remove(socket); + listenStateMightHaveChanged(); +} +//____________________________________________________________________ +void VP1TcpServer::listenStateMightHaveChanged() +{ + bool l = isListening(); + bool last = m_d->lastemit_listen == 1 ? true : false; + if (m_d->lastemit_listen==-1||(l!=last)) { + listenStateChanged(l); + } + m_d->lastemit_listen = l ? 1 : 0; +} diff --git a/graphics/VTI12/VTI12Gui/src/VP1TextBrowser.cxx b/graphics/VTI12/VTI12Gui/src/VP1TextBrowser.cxx new file mode 100644 index 0000000000000000000000000000000000000000..d1fa3c70f4f90ffa72afb77825950afc7e6c71ff --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/VP1TextBrowser.cxx @@ -0,0 +1,39 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +#include "VTI12Gui/VP1TextBrowser.h" + +#include <QMenu> +#include <QContextMenuEvent> + +//____________________________________________________________________ +VP1TextBrowser::VP1TextBrowser(QWidget * parent) + : QTextBrowser(parent) +{ +} + +//____________________________________________________________________ +VP1TextBrowser::~VP1TextBrowser() +{ +} + +//____________________________________________________________________ +void VP1TextBrowser::contextMenuEvent(QContextMenuEvent * e) { + QMenu *menu = createStandardContextMenu(); + menu->addSeparator(); + QAction * clearAct = menu->addAction("C&lear all"); + QAction * zoominAct = menu->addAction("Zoom &in"); + QAction * zoomoutAct = menu->addAction("Zoom &out"); + + QAction * selAct = menu->exec(e->globalPos()); + delete menu; + if (selAct==clearAct) + clear(); + else if (selAct==zoominAct) + zoomIn(); + else if (selAct==zoomoutAct) + zoomOut(); + +} diff --git a/graphics/VTI12/VTI12Gui/src/VP1WebWatcher.cxx b/graphics/VTI12/VTI12Gui/src/VP1WebWatcher.cxx new file mode 100644 index 0000000000000000000000000000000000000000..b9132b8a8d6a7349c4eb24a17deb23be6f0b0d65 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/VP1WebWatcher.cxx @@ -0,0 +1,339 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class VP1WebWatcher // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: June 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12Gui/VP1WebWatcher.h" + +#include <QUrl> +#include <QThread> +#include <QDateTime> + +#include <iostream> + + +// TODO: replace QHttp with QNetworkManager!! See: http://stackoverflow.com/a/26182590 +// #include <QHttp> +// #include <QHttpRequestHeader> +// #include <QHttpResponseHeader> + +//Special values for result strings: +static const QString VP1WebWatcher_PREFIX = "vp1webwatcher_"; +static const QString VP1WebWatcher_Unknown = VP1WebWatcher_PREFIX+"unknown"; +static const QString VP1WebWatcher_ResultNotReady = VP1WebWatcher_PREFIX+"result_not_ready"; +static const QString VP1WebWatcher_UrlInvalid = VP1WebWatcher_PREFIX+"url_invalid"; +static const QString VP1WebWatcher_httpProblems = VP1WebWatcher_PREFIX+"http_problems"; +static const QString VP1WebWatcher_FileNotExist = VP1WebWatcher_PREFIX+"file_not_existant"; + +//____________________________________________________________________ +class VP1WebWatcher::Imp { +public: + class HttpThread : public QThread { + public: + //________________________________________ + HttpThread(const QString& url, VP1WebWatcher*ww ) + : QThread(), + m_url(url), + m_result(VP1WebWatcher_ResultNotReady), + m_httpStartTime(0), + // m_http(0), + m_watcher(ww) {} + + //________________________________________ + ~HttpThread() { /*delete m_http;*/ } + + //________________________________________ + QString result() const { return m_result; } + //For special values, see static variables. All other values will + //be the value of the "last-modified" value of the http response + //header. + + //________________________________________ + QString url() const { return m_url; } + + //________________________________________ + int httpStartTime() const { return m_httpStartTime; } + + //________________________________________ + void run() + { + // TODO: replace with QNetworkManager!! + + std::cout << "WARNING!! - VP1WebWatcher::run() needs to be ported to QNetworkManager. Returning..." << std::endl; + + // QUrl qurl(m_url); + // if (!qurl.isValid()) { + // m_result = VP1WebWatcher_UrlInvalid; + // return; + // } + // m_http = new QHttp; + // QHttpRequestHeader header("HEAD", m_url); + // header.setValue("Host", qurl.host()); + // header.setValue("User-Agent", "ATLASVP1"); + // m_http->setHost(qurl.host()); + // m_httpStartTime = QDateTime::currentDateTime().toTime_t(); + // m_http->request(header); + // connect(m_http,SIGNAL(done(bool)),m_watcher,SLOT(httpRequestDone(bool)),Qt::QueuedConnection); + // exec(); + // m_http->deleteLater(); + // m_http = 0; + } + + //________________________________________ + bool handleDone(bool /*error*/, QObject * /*sender*/) { + + // TODO: replace with QNetworkManager!! + std::cout << "WARNING!! - VP1WebWatcher::handleDone() needs to be ported to QNetworkManager. Returning..." << std::endl; + + // if (sender!=m_http) + // return false; + // if (!m_http) { + // quit(); + // return false; + // } + // if (error) { + // m_result = VP1WebWatcher_httpProblems; + // quit(); + // return true; + // } + // QHttpResponseHeader response = m_http->lastResponse(); + // if (!response.isValid()||!response.hasKey("last-modified")) { + // int sc = response.statusCode(); + // m_result = (sc==404||sc==410)? VP1WebWatcher_FileNotExist : VP1WebWatcher_httpProblems; + // quit(); + // return true; + // } + // m_result = response.value("last-modified"); + // quit(); + // return true; + return true; + + } + + // TODO: replace with QNetworkManager!! + // QHttp * http() const { + // return m_http; + // } + + private: + const QString m_url; + QString m_result; + unsigned m_httpStartTime; + // QHttp * m_http; + VP1WebWatcher* m_watcher; + }; + + //___________________________________________________________________ + Imp(VP1WebWatcher *tc,int ri) : theclass(tc), recheckInterval_ms(ri) {} + VP1WebWatcher * theclass; + const int recheckInterval_ms; + + class WatchedUrl { + public: + WatchedUrl(const QString& u) : url(u), thread(0), lastResult(VP1WebWatcher_Unknown) {} + ~WatchedUrl() { ensureEndThread(thread); } + QString url; + HttpThread* thread; + QString lastResult; + }; + QList<WatchedUrl*> watchedUrls; + + + static void ensureEndThread(HttpThread*& /*thread*/) { + + // if (!thread) + // return; + // thread->blockSignals(true); + // if (thread->http()) + // thread->http()->blockSignals(true); + // thread->quit(); + // if (!thread->wait(50)) {//Put 50 -> 0 to test the terminate fallback. + // thread->terminate(); + // thread->wait();//Ensure synchronisation (so we can safely delete) + // } + // thread->deleteLater(); + // thread=0; + } + + void startDownload(WatchedUrl* /*wu*/) { + + // ensureEndThread(wu->thread); + // wu->thread = new Imp::HttpThread(wu->url,theclass); + // wu->thread->start(); + } + +}; + + +//____________________________________________________________________ +VP1WebWatcher::VP1WebWatcher(int recheckInterval_ms, QObject * parent) + : QObject(parent), m_d(new Imp(this,recheckInterval_ms)) +{ + startTimer(recheckInterval_ms); +} + +//____________________________________________________________________ +VP1WebWatcher::VP1WebWatcher(const QStringList& urls, int recheckInterval_ms, QObject * parent) + : QObject(parent), m_d(new Imp(this,recheckInterval_ms)) +{ + addUrls(urls); + startTimer(recheckInterval_ms); +} + +//____________________________________________________________________ +VP1WebWatcher::~VP1WebWatcher() +{ + while(!m_d->watchedUrls.isEmpty()) + removeUrl(m_d->watchedUrls.front()->url); + delete m_d; +} + +//____________________________________________________________________ +void VP1WebWatcher::httpRequestDone(bool error) +{ + foreach(Imp::WatchedUrl*wu, m_d->watchedUrls) + if (wu->thread && wu->thread->handleDone(error, sender())) { + bool changed = wu->lastResult != wu->thread->result(); + wu->lastResult = wu->thread->result(); + m_d->ensureEndThread(wu->thread); + if (changed) + emit urlChanged(wu->url); + return; + } + //We could not find the thread with that http instance. We must + //assume it was terminated. +} + +//____________________________________________________________________ +bool VP1WebWatcher::isWatchingUrl(const QString&u) const +{ + foreach (Imp::WatchedUrl*wu, m_d->watchedUrls) { + if (wu->url == u) + return true; + } + return false; +} + +//____________________________________________________________________ +void VP1WebWatcher::addUrl(const QString&/*u*/) +{ + // if (isWatchingUrl(u)) + // return; + // Imp::WatchedUrl * wu = new Imp::WatchedUrl(u); + // m_d->watchedUrls << wu; + // m_d->startDownload(wu); +} + +//____________________________________________________________________ +void VP1WebWatcher::addUrls(const QStringList&/*l*/) +{ + // foreach (QString u, l) + // addUrl(u); +} + +//____________________________________________________________________ +QStringList VP1WebWatcher::urls() const +{ + QStringList l; + // foreach(Imp::WatchedUrl*wu,m_d->watchedUrls) + // l << wu->url; + return l; +} + +//____________________________________________________________________ +void VP1WebWatcher::removeUrl(const QString&/*u*/) +{ + // foreach(Imp::WatchedUrl*wu,m_d->watchedUrls) + // if (wu->url == u) { + // m_d->watchedUrls.removeAll(wu); + // delete wu; + // return; + // } +} + +//____________________________________________________________________ +void VP1WebWatcher::removeUrls(const QStringList&/*l*/) +{ + // foreach (QString u, l) + // removeUrl(u); +} + +//____________________________________________________________________ +void VP1WebWatcher::timerEvent(QTimerEvent*) +{ + // const unsigned currentTime = QDateTime::currentDateTime().toTime_t(); + // foreach(Imp::WatchedUrl*wu,m_d->watchedUrls) { + // if (!wu->thread) { + // m_d->startDownload(wu); + // } else { + // //Thread is running. Check that it didn't run for too long. + // // + // //(No matter what, we never restart running thread that have been + // //running for less than a second, or no less than twice the + // //recheckInterval!) + // if (wu->thread->httpStartTime()>0 && currentTime - wu->thread->httpStartTime() > (unsigned(m_d->recheckInterval_ms) * 1000 * 2 + 1000)) { + // m_d->ensureEndThread(wu->thread); + // m_d->startDownload(wu); + // } + // } + // } +} + +//____________________________________________________________________ +VP1WebWatcher::RESULT VP1WebWatcher::lastResult(const QString& url) +{ + foreach(Imp::WatchedUrl*wu, m_d->watchedUrls) + if (wu->url==url) { + if (wu->lastResult==VP1WebWatcher_UrlInvalid) + return INVALID_URL; + if (wu->lastResult==VP1WebWatcher_httpProblems) + return CONNECTION_PROBLEMS; + if (wu->lastResult==VP1WebWatcher_FileNotExist) + return NOT_ON_SERVER; + if (wu->lastResult==VP1WebWatcher_Unknown) + return UNKNOWN; + if (wu->lastResult==VP1WebWatcher_ResultNotReady) + return UNKNOWN; + return EXISTS; + } + return UNKNOWN; +} + +//____________________________________________________________________ +QString VP1WebWatcher::lastResultToString(const QString& url) +{ + switch (lastResult(url)) { + case UNKNOWN: return "UNKNOWN"; + case INVALID_URL: return "INVALID_URL"; + case CONNECTION_PROBLEMS: return "CONNECTION_PROBLEMS"; + case NOT_ON_SERVER: return "NOT_ON_SERVER"; + case EXISTS: return "EXISTS"; + default: + return "UNKNOWN"; + } +} + +//____________________________________________________________________ +QDateTime VP1WebWatcher::lastModTime(const QString& url) +{ + foreach(Imp::WatchedUrl*wu, m_d->watchedUrls) + if (wu->url==url) { + if (wu->lastResult.startsWith(VP1WebWatcher_PREFIX)) + return QDateTime();//invalid + QString lastmod = wu->lastResult; + lastmod = lastmod.simplified(); + lastmod.chop(4); + QDateTime dt(QDateTime::fromString(lastmod,"ddd, dd MMM yyyy hh:mm:ss")); + dt.setTimeSpec(Qt::UTC); + return dt; + } + return QDateTime();//invalid +} diff --git a/graphics/VTI12/VTI12Gui/src/icons/3D_mode_24x24.png b/graphics/VTI12/VTI12Gui/src/icons/3D_mode_24x24.png new file mode 100644 index 0000000000000000000000000000000000000000..eafdbb8687fbde43317132aa39b2fb2f39042498 Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/3D_mode_24x24.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/3d_32x32.png b/graphics/VTI12/VTI12Gui/src/icons/3d_32x32.png new file mode 100644 index 0000000000000000000000000000000000000000..226d45a27a91ee805fff76041eb14d1dfc9aca59 Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/3d_32x32.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/3d_glasses_24x24.png b/graphics/VTI12/VTI12Gui/src/icons/3d_glasses_24x24.png new file mode 100644 index 0000000000000000000000000000000000000000..b20f95c2755f1a9c40b468d36e9b886fbe393e55 Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/3d_glasses_24x24.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/back_32x32.png b/graphics/VTI12/VTI12Gui/src/icons/back_32x32.png new file mode 100644 index 0000000000000000000000000000000000000000..895755ea218c530c2dc317c870b155b128c33bbe Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/back_32x32.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/button_cancel_32x32.png b/graphics/VTI12/VTI12Gui/src/icons/button_cancel_32x32.png new file mode 100644 index 0000000000000000000000000000000000000000..c6464d90a6f2c00e81f1d237c7f35ab9a5a4af8c Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/button_cancel_32x32.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/button_ok_32x32.png b/graphics/VTI12/VTI12Gui/src/icons/button_ok_32x32.png new file mode 100644 index 0000000000000000000000000000000000000000..230de530290111e50a10d55d40dd404be3d4d5b7 Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/button_ok_32x32.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/camera.png b/graphics/VTI12/VTI12Gui/src/icons/camera.png new file mode 100644 index 0000000000000000000000000000000000000000..97bb20ac9810bd16f9ad9c6ca501e77d15c561ee Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/camera.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/down_32x32.png b/graphics/VTI12/VTI12Gui/src/icons/down_32x32.png new file mode 100644 index 0000000000000000000000000000000000000000..adb188bc10a9e8ed563d75ae55f9cdfcbea4931e Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/down_32x32.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/edit_32x32.png b/graphics/VTI12/VTI12Gui/src/icons/edit_32x32.png new file mode 100644 index 0000000000000000000000000000000000000000..1d691451514079074d6c1a4b057d8c1406e5621d Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/edit_32x32.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/editcopy_32x32.png b/graphics/VTI12/VTI12Gui/src/icons/editcopy_32x32.png new file mode 100644 index 0000000000000000000000000000000000000000..cfa9cb4317e27d2ee0f8a5116cfea21e3f151a43 Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/editcopy_32x32.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/event_display_32x32.png b/graphics/VTI12/VTI12Gui/src/icons/event_display_32x32.png new file mode 100644 index 0000000000000000000000000000000000000000..b883d6946658a4d506ebe8e0696840aee5887570 Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/event_display_32x32.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/fileclose_32x32.png b/graphics/VTI12/VTI12Gui/src/icons/fileclose_32x32.png new file mode 100644 index 0000000000000000000000000000000000000000..8acc84d11a0411695db414ff2bc3d6dee4f2b442 Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/fileclose_32x32.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/filefind_32x32.png b/graphics/VTI12/VTI12Gui/src/icons/filefind_32x32.png new file mode 100644 index 0000000000000000000000000000000000000000..418a8ad2c3118e92ce23c00e3a7af5d98ffc4817 Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/filefind_32x32.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/filenew_32x32.png b/graphics/VTI12/VTI12Gui/src/icons/filenew_32x32.png new file mode 100644 index 0000000000000000000000000000000000000000..8a303b7db293befc3120b9ebd48be3217fa9077c Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/filenew_32x32.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/fileopen_32x32.png b/graphics/VTI12/VTI12Gui/src/icons/fileopen_32x32.png new file mode 100644 index 0000000000000000000000000000000000000000..503a0045911aea0af4dfa1562ca1216941935702 Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/fileopen_32x32.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/fileprint.png b/graphics/VTI12/VTI12Gui/src/icons/fileprint.png new file mode 100644 index 0000000000000000000000000000000000000000..ba7c02dc18d3145ffc2565afd7761cf8d3bbea99 Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/fileprint.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/fileprint_32x32.png b/graphics/VTI12/VTI12Gui/src/icons/fileprint_32x32.png new file mode 100644 index 0000000000000000000000000000000000000000..4325b61869b5b505ef01cb3b2b3a434ec2c1c83b Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/fileprint_32x32.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/filequickprint_32x32.png b/graphics/VTI12/VTI12Gui/src/icons/filequickprint_32x32.png new file mode 100644 index 0000000000000000000000000000000000000000..9763b92b56877213b850318d11f9854f6f139991 Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/filequickprint_32x32.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/filesave_32x32.png b/graphics/VTI12/VTI12Gui/src/icons/filesave_32x32.png new file mode 100644 index 0000000000000000000000000000000000000000..dd00abd1663bb5e8be36eb3c3542da8294c5c31d Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/filesave_32x32.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/filesaveas_32x32.png b/graphics/VTI12/VTI12Gui/src/icons/filesaveas_32x32.png new file mode 100644 index 0000000000000000000000000000000000000000..61a080ecd0b0b51138042585fdcfb87899bf24ba Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/filesaveas_32x32.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/forward_32x32.png b/graphics/VTI12/VTI12Gui/src/icons/forward_32x32.png new file mode 100644 index 0000000000000000000000000000000000000000..6e8a04bf98f126982c54d0f859c34a5e61c80266 Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/forward_32x32.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/help_32x32.png b/graphics/VTI12/VTI12Gui/src/icons/help_32x32.png new file mode 100644 index 0000000000000000000000000000000000000000..5858f03f7e766cf8bf9c8333ad75a8adf08f7750 Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/help_32x32.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/info_32x32.png b/graphics/VTI12/VTI12Gui/src/icons/info_32x32.png new file mode 100644 index 0000000000000000000000000000000000000000..4405fae307ae946a9321c99ef9e03a6db03e92ca Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/info_32x32.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/kcalc_32x32.png b/graphics/VTI12/VTI12Gui/src/icons/kcalc_32x32.png new file mode 100644 index 0000000000000000000000000000000000000000..34063167c6a89693cf2365735725739c878bbe6a Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/kcalc_32x32.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/kchart_32x32.png b/graphics/VTI12/VTI12Gui/src/icons/kchart_32x32.png new file mode 100644 index 0000000000000000000000000000000000000000..943b8bd106bf656c833d69e45dec456f7470ff0c Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/kchart_32x32.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/kivio_32x32.png b/graphics/VTI12/VTI12Gui/src/icons/kivio_32x32.png new file mode 100644 index 0000000000000000000000000000000000000000..9872c4ab5aa59e07a843501f9b8cb2f7031ce452 Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/kivio_32x32.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/launch_32x32.png b/graphics/VTI12/VTI12Gui/src/icons/launch_32x32.png new file mode 100644 index 0000000000000000000000000000000000000000..5f61bea7173e81fefb6d71d7df5c0b89ffce24b1 Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/launch_32x32.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/list_add_font.png b/graphics/VTI12/VTI12Gui/src/icons/list_add_font.png new file mode 100644 index 0000000000000000000000000000000000000000..3bc461bc35561f6107495d66f4a17f10be0c6e91 Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/list_add_font.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/list_add_font_001.png b/graphics/VTI12/VTI12Gui/src/icons/list_add_font_001.png new file mode 100644 index 0000000000000000000000000000000000000000..64fb6c78947047c689926ade713e478721f2a8f7 Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/list_add_font_001.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/log_32x32.png b/graphics/VTI12/VTI12Gui/src/icons/log_32x32.png new file mode 100644 index 0000000000000000000000000000000000000000..c491c08d541a49154364908d93242ea322642e9e Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/log_32x32.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/network_64x64.png b/graphics/VTI12/VTI12Gui/src/icons/network_64x64.png new file mode 100644 index 0000000000000000000000000000000000000000..c17168af0409627d8439c03f9401fdac025231ca Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/network_64x64.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/network_disconnect_64x64.png b/graphics/VTI12/VTI12Gui/src/icons/network_disconnect_64x64.png new file mode 100644 index 0000000000000000000000000000000000000000..a7dabdb90b0984d3e07226910285e4753a5d031c Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/network_disconnect_64x64.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/no3D_32x32.png b/graphics/VTI12/VTI12Gui/src/icons/no3D_32x32.png new file mode 100644 index 0000000000000000000000000000000000000000..62beec408a1fed0b1746ec0034b41e8dc31f5e45 Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/no3D_32x32.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/package_settings_32x32.png b/graphics/VTI12/VTI12Gui/src/icons/package_settings_32x32.png new file mode 100644 index 0000000000000000000000000000000000000000..9c2e38401ddc2f77f6d9e355de362b206107391b Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/package_settings_32x32.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/redo_32x32.png b/graphics/VTI12/VTI12Gui/src/icons/redo_32x32.png new file mode 100644 index 0000000000000000000000000000000000000000..8a065ddae632b026c5d6c8876e0bc34a7eaf2c5c Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/redo_32x32.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/rotateleft.png b/graphics/VTI12/VTI12Gui/src/icons/rotateleft.png new file mode 100644 index 0000000000000000000000000000000000000000..8cfa931986b270eee022af8f2855226638008a35 Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/rotateleft.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/rotateright.png b/graphics/VTI12/VTI12Gui/src/icons/rotateright.png new file mode 100644 index 0000000000000000000000000000000000000000..ec5e8664a13d6681b51f9e58dfbd876b3633d5de Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/rotateright.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/undo_32x32.png b/graphics/VTI12/VTI12Gui/src/icons/undo_32x32.png new file mode 100644 index 0000000000000000000000000000000000000000..0cbd408ba50b973c21e370a0475f74dd4a206623 Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/undo_32x32.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/window_fullscreen_32x32.png b/graphics/VTI12/VTI12Gui/src/icons/window_fullscreen_32x32.png new file mode 100644 index 0000000000000000000000000000000000000000..5c9864f587752da1b3dc7b2724858eed82f302ac Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/window_fullscreen_32x32.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/window_list_32x32.png b/graphics/VTI12/VTI12Gui/src/icons/window_list_32x32.png new file mode 100644 index 0000000000000000000000000000000000000000..f8d64d1dfdf542f311a5c6a278cff4e82ddabc91 Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/window_list_32x32.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/window_nofullscreen_32x32.png b/graphics/VTI12/VTI12Gui/src/icons/window_nofullscreen_32x32.png new file mode 100644 index 0000000000000000000000000000000000000000..bff406c34922b896fb0086da884225e6eef9ccd3 Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/window_nofullscreen_32x32.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/yast_route_32x32.png b/graphics/VTI12/VTI12Gui/src/icons/yast_route_32x32.png new file mode 100644 index 0000000000000000000000000000000000000000..e0f8730639d8481713a747ce21012455ef1dc1d6 Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/yast_route_32x32.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/zoomin.png b/graphics/VTI12/VTI12Gui/src/icons/zoomin.png new file mode 100644 index 0000000000000000000000000000000000000000..8b0daeea4801323d5ca253f7ee4d9215e60903ce Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/zoomin.png differ diff --git a/graphics/VTI12/VTI12Gui/src/icons/zoomout.png b/graphics/VTI12/VTI12Gui/src/icons/zoomout.png new file mode 100644 index 0000000000000000000000000000000000000000..1575dd24f6da8f5db31756a07b3baf6a8329001d Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/icons/zoomout.png differ diff --git a/graphics/VTI12/VTI12Gui/src/images/ATLAS-Logo-New_1000pixels.png b/graphics/VTI12/VTI12Gui/src/images/ATLAS-Logo-New_1000pixels.png new file mode 100644 index 0000000000000000000000000000000000000000..1aceea38cd0387d38bed094000970b615671b282 Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/images/ATLAS-Logo-New_1000pixels.png differ diff --git a/graphics/VTI12/VTI12Gui/src/images/ATLAS-Logo-New_1200pixels.png b/graphics/VTI12/VTI12Gui/src/images/ATLAS-Logo-New_1200pixels.png new file mode 100644 index 0000000000000000000000000000000000000000..a77a726961e0bb439f9a21c5536fef3114dffb80 Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/images/ATLAS-Logo-New_1200pixels.png differ diff --git a/graphics/VTI12/VTI12Gui/src/images/ATLAS-Logo-New_300pixels.png b/graphics/VTI12/VTI12Gui/src/images/ATLAS-Logo-New_300pixels.png new file mode 100644 index 0000000000000000000000000000000000000000..04f5d2fe22cd907316457b671645c22a133f1537 Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/images/ATLAS-Logo-New_300pixels.png differ diff --git a/graphics/VTI12/VTI12Gui/src/images/ATLAS-Logo-New_450pixels.png b/graphics/VTI12/VTI12Gui/src/images/ATLAS-Logo-New_450pixels.png new file mode 100644 index 0000000000000000000000000000000000000000..cfc0d720097fd1f98eaa06386ffff086794082cb Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/images/ATLAS-Logo-New_450pixels.png differ diff --git a/graphics/VTI12/VTI12Gui/src/images/ATLAS-Logo-New_600pixels.png b/graphics/VTI12/VTI12Gui/src/images/ATLAS-Logo-New_600pixels.png new file mode 100644 index 0000000000000000000000000000000000000000..7fe94ad5277d9ef52545f8820c62d4e03b726100 Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/images/ATLAS-Logo-New_600pixels.png differ diff --git a/graphics/VTI12/VTI12Gui/src/images/ATLAS-Logo-New_800pixels.png b/graphics/VTI12/VTI12Gui/src/images/ATLAS-Logo-New_800pixels.png new file mode 100644 index 0000000000000000000000000000000000000000..0ae136472c95180723bc7cf222217e41d6f13b0e Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/images/ATLAS-Logo-New_800pixels.png differ diff --git a/graphics/VTI12/VTI12Gui/src/images/ATLAS-chrome-logo-URL-blue_300px.png b/graphics/VTI12/VTI12Gui/src/images/ATLAS-chrome-logo-URL-blue_300px.png new file mode 100644 index 0000000000000000000000000000000000000000..c4077a1d0d6c9543e6990e3a4605f0488c936dc4 Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/images/ATLAS-chrome-logo-URL-blue_300px.png differ diff --git a/graphics/VTI12/VTI12Gui/src/images/ATLAS-chrome-logo-URL-blue_450px.png b/graphics/VTI12/VTI12Gui/src/images/ATLAS-chrome-logo-URL-blue_450px.png new file mode 100644 index 0000000000000000000000000000000000000000..ff530faae81eaa6b08e9681479c6455e065d7013 Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/images/ATLAS-chrome-logo-URL-blue_450px.png differ diff --git a/graphics/VTI12/VTI12Gui/src/images/ATLAS-chrome-logo-URL-blue_600px.png b/graphics/VTI12/VTI12Gui/src/images/ATLAS-chrome-logo-URL-blue_600px.png new file mode 100644 index 0000000000000000000000000000000000000000..70004ee0931a8200a17e8f66493a57afefe3c9c4 Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/images/ATLAS-chrome-logo-URL-blue_600px.png differ diff --git a/graphics/VTI12/VTI12Gui/src/images/ATLAS-chrome-logo-URL_300px.png b/graphics/VTI12/VTI12Gui/src/images/ATLAS-chrome-logo-URL_300px.png new file mode 100644 index 0000000000000000000000000000000000000000..717c1c6ca15e44398a52b5ae1ddac2d6bf665c13 Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/images/ATLAS-chrome-logo-URL_300px.png differ diff --git a/graphics/VTI12/VTI12Gui/src/images/ATLAS-chrome-logo-URL_450px.png b/graphics/VTI12/VTI12Gui/src/images/ATLAS-chrome-logo-URL_450px.png new file mode 100644 index 0000000000000000000000000000000000000000..81b8ac75abbd09073501dc48a7515b977a9620b3 Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/images/ATLAS-chrome-logo-URL_450px.png differ diff --git a/graphics/VTI12/VTI12Gui/src/images/ATLAS-chrome-logo-URL_600px.png b/graphics/VTI12/VTI12Gui/src/images/ATLAS-chrome-logo-URL_600px.png new file mode 100644 index 0000000000000000000000000000000000000000..362f722a5f95b86c64fc1590a4449c532c1b0d47 Binary files /dev/null and b/graphics/VTI12/VTI12Gui/src/images/ATLAS-chrome-logo-URL_600px.png differ diff --git a/graphics/VTI12/VTI12Gui/src/vp1.qrc b/graphics/VTI12/VTI12Gui/src/vp1.qrc new file mode 100644 index 0000000000000000000000000000000000000000..8ef40a3b2800f169ec7176291c6d6bc651ccbcd8 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/vp1.qrc @@ -0,0 +1,61 @@ +<RCC> + <qresource prefix="/vp1/icons"> + <file>icons/list_add_font_001.png</file> + <file>icons/list_add_font.png</file> + <file>icons/rotateleft.png</file> + <file>icons/rotateright.png</file> + <file>icons/zoomin.png</file> + <file>icons/zoomout.png</file> + <file>icons/fileprint.png</file> + <file>icons/3d_glasses_24x24.png</file> + <file>icons/3D_mode_24x24.png</file> + <file>icons/3d_32x32.png</file> + <file>icons/event_display_32x32.png</file> + <file>icons/back_32x32.png</file> + <file>icons/button_cancel_32x32.png</file> + <file>icons/button_ok_32x32.png</file> + <file>icons/down_32x32.png</file> + <file>icons/edit_32x32.png</file> + <file>icons/editcopy_32x32.png</file> + <file>icons/fileclose_32x32.png</file> + <file>icons/filefind_32x32.png</file> + <file>icons/filenew_32x32.png</file> + <file>icons/fileopen_32x32.png</file> + <file>icons/fileprint_32x32.png</file> + <file>icons/filequickprint_32x32.png</file> + <file>icons/filesave_32x32.png</file> + <file>icons/filesaveas_32x32.png</file> + <file>icons/forward_32x32.png</file> + <file>icons/help_32x32.png</file> + <file>icons/info_32x32.png</file> + <file>icons/kcalc_32x32.png</file> + <file>icons/kchart_32x32.png</file> + <file>icons/kivio_32x32.png</file> + <file>icons/launch_32x32.png</file> + <file>icons/network_64x64.png</file> + <file>icons/network_disconnect_64x64.png</file> + <file>icons/no3D_32x32.png</file> + <file>icons/package_settings_32x32.png</file> + <file>icons/redo_32x32.png</file> + <file>icons/undo_32x32.png</file> + <file>icons/window_fullscreen_32x32.png</file> + <file>icons/window_list_32x32.png</file> + <file>icons/window_nofullscreen_32x32.png</file> + <file>icons/yast_route_32x32.png</file> + <file>icons/camera.png</file> + </qresource> + <qresource prefix="/vp1/images"> + <file>images/ATLAS-chrome-logo-URL-blue_600px.png</file> + <file>images/ATLAS-chrome-logo-URL-blue_450px.png</file> + <file>images/ATLAS-chrome-logo-URL-blue_300px.png</file> + <file>images/ATLAS-chrome-logo-URL_600px.png</file> + <file>images/ATLAS-chrome-logo-URL_450px.png</file> + <file>images/ATLAS-chrome-logo-URL_300px.png</file> + <file>images/ATLAS-Logo-New_1200pixels.png</file> + <file>images/ATLAS-Logo-New_1000pixels.png</file> + <file>images/ATLAS-Logo-New_800pixels.png</file> + <file>images/ATLAS-Logo-New_600pixels.png</file> + <file>images/ATLAS-Logo-New_450pixels.png</file> + <file>images/ATLAS-Logo-New_300pixels.png</file> + </qresource> +</RCC> diff --git a/graphics/VTI12/VTI12Gui/src/vp1authenticator.ui b/graphics/VTI12/VTI12Gui/src/vp1authenticator.ui new file mode 100644 index 0000000000000000000000000000000000000000..21c8e392025e3b85de2e9aa4568ab6b7a34d8cf3 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/vp1authenticator.ui @@ -0,0 +1,209 @@ +<ui version="4.0" > + <class>dlgAuthentication</class> + <widget class="QDialog" name="dlgAuthentication" > + <property name="windowModality" > + <enum>Qt::ApplicationModal</enum> + </property> + <property name="geometry" > + <rect> + <x>0</x> + <y>0</y> + <width>380</width> + <height>447</height> + </rect> + </property> + <property name="windowTitle" > + <string>Login</string> + </property> + <property name="sizeGripEnabled" > + <bool>false</bool> + </property> + <property name="modal" > + <bool>false</bool> + </property> + <layout class="QGridLayout" name="gridLayout_3" > + <item row="0" column="0" colspan="3" > + <widget class="QLabel" name="lblTitle" > + <property name="font" > + <font> + <pointsize>12</pointsize> + </font> + </property> + <property name="text" > + <string>Please enter your NICE login and password</string> + </property> + <property name="alignment" > + <set>Qt::AlignCenter</set> + </property> + </widget> + </item> + <item row="1" column="0" > + <spacer name="horizontalSpacer_5" > + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0" > + <size> + <width>32</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item row="1" column="1" > + <widget class="QWidget" native="1" name="wdgBackground" > + <layout class="QGridLayout" name="gridLayout_2" > + <item row="0" column="0" > + <spacer name="horizontalSpacer" > + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0" > + <size> + <width>18</width> + <height>52</height> + </size> + </property> + </spacer> + </item> + <item row="0" column="1" colspan="2" > + <layout class="QGridLayout" name="gridLayout" > + <item row="0" column="0" > + <widget class="QLabel" name="lblPers" > + <property name="text" > + <string>Login</string> + </property> + </widget> + </item> + <item row="0" column="1" > + <widget class="QLineEdit" name="inpPers" /> + </item> + <item row="1" column="0" > + <widget class="QLabel" name="lblPhr" > + <property name="text" > + <string>Password</string> + </property> + </widget> + </item> + <item row="1" column="1" > + <widget class="QLineEdit" name="inpPhr" > + <property name="echoMode" > + <enum>QLineEdit::Password</enum> + </property> + </widget> + </item> + </layout> + </item> + <item row="0" column="3" > + <spacer name="horizontalSpacer_2" > + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0" > + <size> + <width>28</width> + <height>52</height> + </size> + </property> + </spacer> + </item> + <item row="1" column="0" > + <spacer name="horizontalSpacer_3" > + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0" > + <size> + <width>18</width> + <height>24</height> + </size> + </property> + </spacer> + </item> + <item row="1" column="1" > + <widget class="QPushButton" name="pbtnLogin" > + <property name="text" > + <string>Login</string> + </property> + </widget> + </item> + <item row="1" column="2" > + <widget class="QPushButton" name="pbtnCancel" > + <property name="text" > + <string>Cancel</string> + </property> + </widget> + </item> + <item row="1" column="3" > + <spacer name="horizontalSpacer_4" > + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0" > + <size> + <width>28</width> + <height>24</height> + </size> + </property> + </spacer> + </item> + <item row="2" column="0" colspan="4" > + <widget class="QTextEdit" name="teditError" > + <property name="enabled" > + <bool>true</bool> + </property> + <property name="autoFillBackground" > + <bool>false</bool> + </property> + <property name="readOnly" > + <bool>true</bool> + </property> + </widget> + </item> + <item row="3" column="2" > + <spacer name="verticalSpacer_2" > + <property name="orientation" > + <enum>Qt::Vertical</enum> + </property> + <property name="sizeHint" stdset="0" > + <size> + <width>20</width> + <height>40</height> + </size> + </property> + </spacer> + </item> + </layout> + </widget> + </item> + <item row="1" column="2" > + <spacer name="horizontalSpacer_6" > + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0" > + <size> + <width>31</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item row="2" column="1" > + <spacer name="verticalSpacer" > + <property name="orientation" > + <enum>Qt::Vertical</enum> + </property> + <property name="sizeHint" stdset="0" > + <size> + <width>20</width> + <height>35</height> + </size> + </property> + </spacer> + </item> + </layout> + </widget> + <resources/> + <connections/> +</ui> diff --git a/graphics/VTI12/VTI12Gui/src/vp1eventdisplayeditor.ui b/graphics/VTI12/VTI12Gui/src/vp1eventdisplayeditor.ui new file mode 100644 index 0000000000000000000000000000000000000000..1829e697a90fc98761c64b92aa9fbd2b199e3a1c --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/vp1eventdisplayeditor.ui @@ -0,0 +1,594 @@ +<?xml version="1.0" encoding="UTF-8"?> +<ui version="4.0"> + <class>VP1EventDisplayEditorForm</class> + <widget class="QWidget" name="VP1EventDisplayEditorForm"> + <property name="geometry"> + <rect> + <x>0</x> + <y>0</y> + <width>1038</width> + <height>923</height> + </rect> + </property> + <property name="windowTitle"> + <string>Event Display Editor</string> + </property> + <layout class="QGridLayout" name="gridLayout"> + <item row="0" column="0"> + <layout class="QVBoxLayout" name="verticalLayout_left"> + <item> + <widget class="QGroupBox" name="groupBox_getTab"> + <property name="title"> + <string>Get image from Tab</string> + </property> + <layout class="QHBoxLayout" name="horizontalLayout_6"> + <item> + <widget class="QComboBox" name="comboBox_tabNumber"/> + </item> + <item> + <widget class="QSpinBox" name="spinBox_imageWidth"> + <property name="toolTip"> + <string>Specify the width of the image generated from the selected tab</string> + </property> + <property name="suffix"> + <string> px</string> + </property> + <property name="maximum"> + <number>4000</number> + </property> + <property name="singleStep"> + <number>100</number> + </property> + <property name="value"> + <number>1000</number> + </property> + </widget> + </item> + <item> + <widget class="QPushButton" name="pushButton_get"> + <property name="text"> + <string>Get!</string> + </property> + <property name="icon"> + <iconset resource="vp1.qrc"> + <normaloff>:/vp1/icons/icons/redo_32x32.png</normaloff>:/vp1/icons/icons/redo_32x32.png</iconset> + </property> + </widget> + </item> + </layout> + </widget> + </item> + <item> + <widget class="QGroupBox" name="groupBox_bkg"> + <property name="title"> + <string>Background Color</string> + </property> + <property name="flat"> + <bool>false</bool> + </property> + <property name="checkable"> + <bool>false</bool> + </property> + <layout class="QVBoxLayout" name="verticalLayout_2"> + <item> + <widget class="QRadioButton" name="radioButton_black"> + <property name="text"> + <string>Black</string> + </property> + <property name="checked"> + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_white"> + <property name="text"> + <string>White</string> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_transparent"> + <property name="text"> + <string>Transparent</string> + </property> + </widget> + </item> + </layout> + </widget> + </item> + <item> + <widget class="QGroupBox" name="groupBox_logo"> + <property name="title"> + <string>ATLAS Logo</string> + </property> + <layout class="QVBoxLayout" name="verticalLayout_6"> + <item> + <layout class="QVBoxLayout" name="verticalLayout_3"> + <item> + <layout class="QHBoxLayout" name="horizontalLayout_2"> + <item> + <layout class="QVBoxLayout" name="verticalLayout_5"> + <item> + <widget class="QGroupBox" name="groupBox_3"> + <property name="title"> + <string>style</string> + </property> + <layout class="QVBoxLayout" name="verticalLayout_8"> + <item> + <widget class="QRadioButton" name="radioButton_gray"> + <property name="text"> + <string>Gray</string> + </property> + <property name="checked"> + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_blue"> + <property name="enabled"> + <bool>false</bool> + </property> + <property name="text"> + <string>Blue</string> + </property> + </widget> + </item> + </layout> + </widget> + </item> + </layout> + </item> + <item> + <layout class="QVBoxLayout" name="verticalLayout_4"> + <item> + <widget class="QGroupBox" name="groupBox_4"> + <property name="title"> + <string>width</string> + </property> + <layout class="QVBoxLayout" name="verticalLayout_7"> + <item> + <widget class="QRadioButton" name="radioButton_300px"> + <property name="text"> + <string>300 px</string> + </property> + <property name="checked"> + <bool>false</bool> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_450px"> + <property name="text"> + <string>450 px</string> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_600px"> + <property name="text"> + <string>600 px</string> + </property> + <property name="checked"> + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_800px"> + <property name="text"> + <string>800 px</string> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_1000px"> + <property name="text"> + <string>1000 px</string> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_1200px"> + <property name="text"> + <string>1200 px</string> + </property> + </widget> + </item> + </layout> + </widget> + </item> + </layout> + </item> + </layout> + </item> + <item> + <widget class="QPushButton" name="pushButton_addLogo"> + <property name="maximumSize"> + <size> + <width>150</width> + <height>16777215</height> + </size> + </property> + <property name="text"> + <string>Add ATLAS logo</string> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </widget> + </item> + <item> + <widget class="QGroupBox" name="groupBox_labels"> + <property name="title"> + <string>Labels</string> + </property> + <layout class="QVBoxLayout" name="verticalLayout_12"> + <item> + <layout class="QHBoxLayout" name="horizontalLayout"> + <item> + <widget class="QGroupBox" name="groupBox_6"> + <property name="title"> + <string>Add a text label</string> + </property> + <layout class="QVBoxLayout" name="verticalLayout_13"> + <item> + <widget class="QGroupBox" name="groupBox"> + <property name="title"> + <string>GroupBox</string> + </property> + <layout class="QVBoxLayout" name="verticalLayout_17"> + <item> + <layout class="QHBoxLayout" name="horizontalLayout_7"> + <item> + <widget class="QRadioButton" name="radioButton_customText"> + <property name="text"> + <string>custom text</string> + </property> + <property name="checked"> + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_eventDetails"> + <property name="toolTip"> + <string>Add a label to the picture, with run number, event number and event timestamp</string> + </property> + <property name="text"> + <string>event details</string> + </property> + </widget> + </item> + </layout> + </item> + <item> + <layout class="QHBoxLayout" name="horizontalLayout_3"> + <item> + <widget class="QLabel" name="label"> + <property name="text"> + <string>Add label</string> + </property> + </widget> + </item> + <item> + <widget class="QLineEdit" name="lineEdit_customLabelText"/> + </item> + </layout> + </item> + </layout> + </widget> + </item> + <item> + <layout class="QHBoxLayout" name="horizontalLayout_4"> + <item> + <widget class="QRadioButton" name="radioButton_blackText"> + <property name="text"> + <string>Black</string> + </property> + <property name="checked"> + <bool>false</bool> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_whiteText"> + <property name="text"> + <string>White</string> + </property> + <property name="checked"> + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="QPushButton" name="pushButton_addText"> + <property name="text"> + <string>Add label</string> + </property> + <property name="icon"> + <iconset resource="vp1.qrc"> + <normaloff>:/vp1/icons/icons/list_add_font.png</normaloff>:/vp1/icons/icons/list_add_font.png</iconset> + </property> + </widget> + </item> + </layout> + </item> + <item> + <layout class="QHBoxLayout" name="horizontalLayout_5"> + <item> + <widget class="QGroupBox" name="groupBox_font"> + <property name="title"> + <string>font</string> + </property> + <layout class="QVBoxLayout" name="verticalLayout"> + <item> + <widget class="QRadioButton" name="radioButton_monaco"> + <property name="text"> + <string>Courier</string> + </property> + <property name="checked"> + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_helvetica"> + <property name="text"> + <string>Helvetica</string> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_times"> + <property name="text"> + <string>Times</string> + </property> + </widget> + </item> + </layout> + </widget> + </item> + <item> + <widget class="QGroupBox" name="groupBox_size"> + <property name="title"> + <string>size</string> + </property> + <layout class="QVBoxLayout" name="verticalLayout_10"> + <item> + <widget class="QRadioButton" name="radioButton_size12"> + <property name="text"> + <string>12</string> + </property> + <property name="checked"> + <bool>false</bool> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_size24"> + <property name="text"> + <string>24</string> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_size32"> + <property name="text"> + <string>32</string> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_size44"> + <property name="text"> + <string>44</string> + </property> + <property name="checked"> + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_sizeCustom"> + <property name="text"> + <string>custom</string> + </property> + </widget> + </item> + <item> + <widget class="QSpinBox" name="spinBox_size"/> + </item> + </layout> + </widget> + </item> + <item> + <widget class="QGroupBox" name="groupBox_style"> + <property name="title"> + <string>style</string> + </property> + <layout class="QVBoxLayout" name="verticalLayout_14"> + <item> + <widget class="QRadioButton" name="radioButton_light"> + <property name="text"> + <string>Light</string> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_normal"> + <property name="text"> + <string>Normal</string> + </property> + <property name="checked"> + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_bold"> + <property name="text"> + <string>Bold</string> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_italics"> + <property name="text"> + <string>Italic</string> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_black_2"> + <property name="text"> + <string>Black</string> + </property> + </widget> + </item> + </layout> + </widget> + </item> + </layout> + </item> + </layout> + </widget> + </item> + </layout> + </item> + </layout> + </widget> + </item> + <item> + <spacer name="verticalSpacer"> + <property name="orientation"> + <enum>Qt::Vertical</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>20</width> + <height>40</height> + </size> + </property> + </spacer> + </item> + </layout> + </item> + <item row="0" column="2"> + <layout class="QVBoxLayout" name="verticalLayout_9"> + <item> + <widget class="QGroupBox" name="groupBox_objectList"> + <property name="title"> + <string>Graphics object lists</string> + </property> + <layout class="QVBoxLayout" name="verticalLayout_11"> + <item> + <widget class="QListWidget" name="listWidget"/> + </item> + <item> + <widget class="QPushButton" name="pushButton_removeObj"> + <property name="maximumSize"> + <size> + <width>150</width> + <height>16777215</height> + </size> + </property> + <property name="text"> + <string>Remove object</string> + </property> + <property name="icon"> + <iconset resource="vp1.qrc"> + <normaloff>:/vp1/icons/icons/button_cancel_32x32.png</normaloff>:/vp1/icons/icons/button_cancel_32x32.png</iconset> + </property> + </widget> + </item> + </layout> + </widget> + </item> + <item> + <widget class="QFrame" name="framePreview"> + <property name="sizePolicy"> + <sizepolicy hsizetype="Preferred" vsizetype="Expanding"> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="frameShape"> + <enum>QFrame::StyledPanel</enum> + </property> + <property name="frameShadow"> + <enum>QFrame::Raised</enum> + </property> + </widget> + </item> + <item> + <widget class="QGroupBox" name="groupBox_actions"> + <property name="title"> + <string>Actions</string> + </property> + <layout class="QHBoxLayout" name="horizontalLayout_8"> + <item> + <widget class="QPushButton" name="pushButton_print"> + <property name="maximumSize"> + <size> + <width>150</width> + <height>16777215</height> + </size> + </property> + <property name="text"> + <string>Print Picture</string> + </property> + <property name="icon"> + <iconset resource="vp1.qrc"> + <normaloff>:/vp1/icons/icons/fileprint_32x32.png</normaloff>:/vp1/icons/icons/fileprint_32x32.png</iconset> + </property> + </widget> + </item> + <item> + <widget class="QPushButton" name="pushButton_save"> + <property name="maximumSize"> + <size> + <width>150</width> + <height>16777215</height> + </size> + </property> + <property name="text"> + <string>Save Picture</string> + </property> + <property name="icon"> + <iconset resource="vp1.qrc"> + <normaloff>:/vp1/icons/icons/filesave_32x32.png</normaloff>:/vp1/icons/icons/filesave_32x32.png</iconset> + </property> + </widget> + </item> + </layout> + </widget> + </item> + </layout> + </item> + <item row="0" column="1"> + <widget class="QWidget" name="widgetView" native="true"> + <property name="sizePolicy"> + <sizepolicy hsizetype="Preferred" vsizetype="Ignored"> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="minimumSize"> + <size> + <width>300</width> + <height>0</height> + </size> + </property> + </widget> + </item> + </layout> + </widget> + <resources> + <include location="vp1.qrc"/> + </resources> + <connections/> +</ui> diff --git a/graphics/VTI12/VTI12Gui/src/vp1incomingmessagedialog.ui b/graphics/VTI12/VTI12Gui/src/vp1incomingmessagedialog.ui new file mode 100644 index 0000000000000000000000000000000000000000..48db96e41435e18c30beaba87f95f085356959c8 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/vp1incomingmessagedialog.ui @@ -0,0 +1,541 @@ +<ui version="4.0" > + <class>VP1IncomingMessageForm</class> + <widget class="QWidget" name="VP1IncomingMessageForm" > + <property name="geometry" > + <rect> + <x>0</x> + <y>0</y> + <width>473</width> + <height>231</height> + </rect> + </property> + <property name="windowTitle" > + <string>Form</string> + </property> + <layout class="QVBoxLayout" > + <property name="margin" > + <number>9</number> + </property> + <property name="spacing" > + <number>6</number> + </property> + <item> + <widget class="QFrame" name="frame" > + <property name="frameShape" > + <enum>QFrame::StyledPanel</enum> + </property> + <property name="frameShadow" > + <enum>QFrame::Raised</enum> + </property> + <layout class="QHBoxLayout" > + <property name="margin" > + <number>6</number> + </property> + <property name="spacing" > + <number>6</number> + </property> + <item> + <layout class="QHBoxLayout" > + <property name="margin" > + <number>0</number> + </property> + <property name="spacing" > + <number>6</number> + </property> + <item> + <layout class="QHBoxLayout" > + <property name="margin" > + <number>0</number> + </property> + <property name="spacing" > + <number>22</number> + </property> + <item> + <layout class="QGridLayout" > + <property name="margin" > + <number>0</number> + </property> + <property name="spacing" > + <number>6</number> + </property> + <item row="1" column="0" > + <widget class="QPushButton" name="pushButton_allclear" > + <property name="sizePolicy" > + <sizepolicy> + <hsizetype>1</hsizetype> + <vsizetype>0</vsizetype> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="maximumSize" > + <size> + <width>16777215</width> + <height>18</height> + </size> + </property> + <property name="text" > + <string>Clear</string> + </property> + </widget> + </item> + <item row="1" column="1" colspan="2" > + <widget class="QPushButton" name="pushButton_allblock" > + <property name="sizePolicy" > + <sizepolicy> + <hsizetype>1</hsizetype> + <vsizetype>0</vsizetype> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="maximumSize" > + <size> + <width>16777215</width> + <height>18</height> + </size> + </property> + <property name="text" > + <string>Block</string> + </property> + </widget> + </item> + <item row="0" column="2" > + <widget class="QLCDNumber" name="lcdNumber_pending" > + <property name="sizePolicy" > + <sizepolicy> + <hsizetype>0</hsizetype> + <vsizetype>0</vsizetype> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="frameShape" > + <enum>QFrame::StyledPanel</enum> + </property> + <property name="frameShadow" > + <enum>QFrame::Raised</enum> + </property> + <property name="smallDecimalPoint" > + <bool>true</bool> + </property> + <property name="numDigits" > + <number>3</number> + </property> + </widget> + </item> + <item row="0" column="0" colspan="2" > + <widget class="QLabel" name="label_2" > + <property name="text" > + <string>Pending messages:</string> + </property> + </widget> + </item> + </layout> + </item> + <item> + <layout class="QGridLayout" > + <property name="margin" > + <number>0</number> + </property> + <property name="spacing" > + <number>6</number> + </property> + <item row="1" column="1" colspan="2" > + <widget class="QPushButton" name="pushButton_senderblock" > + <property name="sizePolicy" > + <sizepolicy> + <hsizetype>1</hsizetype> + <vsizetype>0</vsizetype> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="maximumSize" > + <size> + <width>16777215</width> + <height>18</height> + </size> + </property> + <property name="text" > + <string>Block</string> + </property> + </widget> + </item> + <item row="1" column="0" > + <widget class="QPushButton" name="pushButton_senderclear" > + <property name="sizePolicy" > + <sizepolicy> + <hsizetype>1</hsizetype> + <vsizetype>0</vsizetype> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="maximumSize" > + <size> + <width>16777215</width> + <height>18</height> + </size> + </property> + <property name="text" > + <string>Clear</string> + </property> + </widget> + </item> + <item row="0" column="2" > + <widget class="QLCDNumber" name="lcdNumber_pendingsender" > + <property name="sizePolicy" > + <sizepolicy> + <hsizetype>0</hsizetype> + <vsizetype>0</vsizetype> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="frameShape" > + <enum>QFrame::StyledPanel</enum> + </property> + <property name="frameShadow" > + <enum>QFrame::Raised</enum> + </property> + <property name="smallDecimalPoint" > + <bool>true</bool> + </property> + <property name="numDigits" > + <number>3</number> + </property> + </widget> + </item> + <item row="0" column="0" colspan="2" > + <widget class="QLabel" name="label_3" > + <property name="text" > + <string>From this sender:</string> + </property> + </widget> + </item> + </layout> + </item> + <item> + <layout class="QGridLayout" > + <property name="margin" > + <number>0</number> + </property> + <property name="spacing" > + <number>6</number> + </property> + <item row="0" column="2" > + <widget class="QLCDNumber" name="lcdNumber_pendingexactsame" > + <property name="sizePolicy" > + <sizepolicy> + <hsizetype>0</hsizetype> + <vsizetype>0</vsizetype> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="frameShape" > + <enum>QFrame::StyledPanel</enum> + </property> + <property name="frameShadow" > + <enum>QFrame::Raised</enum> + </property> + <property name="smallDecimalPoint" > + <bool>true</bool> + </property> + <property name="numDigits" > + <number>3</number> + </property> + </widget> + </item> + <item row="1" column="1" colspan="2" > + <widget class="QPushButton" name="pushButton_messageblock" > + <property name="sizePolicy" > + <sizepolicy> + <hsizetype>1</hsizetype> + <vsizetype>0</vsizetype> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="maximumSize" > + <size> + <width>16777215</width> + <height>18</height> + </size> + </property> + <property name="text" > + <string>Block</string> + </property> + </widget> + </item> + <item row="0" column="0" colspan="2" > + <widget class="QLabel" name="label_4" > + <property name="text" > + <string>Same exact message:</string> + </property> + </widget> + </item> + <item row="1" column="0" > + <widget class="QPushButton" name="pushButton_messageclear" > + <property name="sizePolicy" > + <sizepolicy> + <hsizetype>1</hsizetype> + <vsizetype>0</vsizetype> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="maximumSize" > + <size> + <width>16777215</width> + <height>18</height> + </size> + </property> + <property name="text" > + <string>Clear</string> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </item> + <item> + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" > + <size> + <width>40</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + </layout> + </item> + </layout> + </widget> + </item> + <item> + <layout class="QHBoxLayout" > + <property name="margin" > + <number>0</number> + </property> + <property name="spacing" > + <number>6</number> + </property> + <item> + <widget class="QLabel" name="label_header" > + <property name="text" > + <string><html><head><meta name="qrichtext" content="1" /><style type="text/css"> +p, li { white-space: pre-wrap; } +</style></head><body style=" font-family:'Sans Serif'; font-size:9pt; font-weight:400; font-style:normal; text-decoration:none;"> +<p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Incoming message from <span style=" font-weight:600;">SENDERPLACEHOLDER</span>:</p></body></html></string> + </property> + </widget> + </item> + <item> + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" > + <size> + <width>40</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + </layout> + </item> + <item> + <widget class="QTextBrowser" name="textBrowser_message" > + <property name="minimumSize" > + <size> + <width>50</width> + <height>50</height> + </size> + </property> + <property name="textInteractionFlags" > + <enum>Qt::TextSelectableByMouse</enum> + </property> + </widget> + </item> + <item> + <widget class="QWidget" native="1" name="widget_showtab" > + <layout class="QVBoxLayout" > + <property name="margin" > + <number>0</number> + </property> + <property name="spacing" > + <number>6</number> + </property> + <item> + <layout class="QHBoxLayout" > + <property name="margin" > + <number>0</number> + </property> + <property name="spacing" > + <number>6</number> + </property> + <item> + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" > + <size> + <width>20</width> + <height>40</height> + </size> + </property> + </spacer> + </item> + <item> + <widget class="QLabel" name="label_showtab" > + <property name="text" > + <string><html><head><meta name="qrichtext" content="1" /><style type="text/css"> +p, li { white-space: pre-wrap; } +</style></head><body style=" font-family:'Sans Serif'; font-size:9pt; font-weight:400; font-style:normal; text-decoration:none;"> +<p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">It is requested that you look at the tab named <span style=" font-weight:600;">DUMMYTABNAME</span></p></body></html></string> + </property> + </widget> + </item> + <item> + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" > + <size> + <width>20</width> + <height>40</height> + </size> + </property> + </spacer> + </item> + <item> + <widget class="QPushButton" name="pushButton_showtab_gothere" > + <property name="text" > + <string>&Go there now</string> + </property> + </widget> + </item> + </layout> + </item> + <item> + <layout class="QHBoxLayout" > + <property name="margin" > + <number>0</number> + </property> + <property name="spacing" > + <number>6</number> + </property> + <item> + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" > + <size> + <width>40</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item> + <widget class="QLabel" name="label_showtaberror" > + <property name="text" > + <string><html><head><meta name="qrichtext" content="1" /><style type="text/css"> +p, li { white-space: pre-wrap; } +</style></head><body style=" font-family:'Sans Serif'; font-size:9pt; font-weight:400; font-style:normal; text-decoration:none;"> +<p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><span style=" font-size:12pt; color:#ff0000;">Unfortunately such a tab was not found!</span></p></body></html></string> + </property> + </widget> + </item> + <item> + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" > + <size> + <width>40</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + </layout> + </item> + </layout> + </widget> + </item> + <item> + <layout class="QHBoxLayout" > + <property name="margin" > + <number>0</number> + </property> + <property name="spacing" > + <number>6</number> + </property> + <item> + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" > + <size> + <width>40</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item> + <widget class="QPushButton" name="pushButton_dismiss" > + <property name="text" > + <string>&Dismiss</string> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </widget> + <tabstops> + <tabstop>pushButton_showtab_gothere</tabstop> + <tabstop>pushButton_dismiss</tabstop> + <tabstop>pushButton_allclear</tabstop> + <tabstop>pushButton_allblock</tabstop> + <tabstop>pushButton_senderclear</tabstop> + <tabstop>pushButton_senderblock</tabstop> + <tabstop>pushButton_messageclear</tabstop> + <tabstop>pushButton_messageblock</tabstop> + <tabstop>textBrowser_message</tabstop> + </tabstops> + <resources/> + <connections> + <connection> + <sender>pushButton_dismiss</sender> + <signal>clicked()</signal> + <receiver>VP1IncomingMessageForm</receiver> + <slot>close()</slot> + <hints> + <hint type="sourcelabel" > + <x>571</x> + <y>624</y> + </hint> + <hint type="destinationlabel" > + <x>444</x> + <y>630</y> + </hint> + </hints> + </connection> + </connections> +</ui> diff --git a/graphics/VTI12/VTI12Gui/src/vp1mainwindow.ui b/graphics/VTI12/VTI12Gui/src/vp1mainwindow.ui new file mode 100644 index 0000000000000000000000000000000000000000..1aa101925fed3bcaa607646d8689ae94a2e66941 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/vp1mainwindow.ui @@ -0,0 +1,915 @@ +<?xml version="1.0" encoding="UTF-8"?> +<ui version="4.0"> + <class>VP1MainWindow</class> + <widget class="QMainWindow" name="VP1MainWindow"> + <property name="geometry"> + <rect> + <x>0</x> + <y>0</y> + <width>1281</width> + <height>913</height> + </rect> + </property> + <property name="windowTitle"> + <string>Virtual TI 12</string> + </property> + <property name="windowIcon"> + <iconset resource="vp1.qrc"> + <normaloff>:/vp1/icons/icons/3d_32x32.png</normaloff>:/vp1/icons/icons/3d_32x32.png</iconset> + </property> + <widget class="QWidget" name="centralwidget"> + <layout class="QVBoxLayout"> + <property name="leftMargin"> + <number>6</number> + </property> + <property name="topMargin"> + <number>5</number> + </property> + <property name="rightMargin"> + <number>7</number> + </property> + <property name="bottomMargin"> + <number>0</number> + </property> + <item> + <widget class="QSplitter" name="splitter_leftright"> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <widget class="QWidget" name="widget_controlsContainer" native="true"> + <layout class="QVBoxLayout"> + <property name="spacing"> + <number>4</number> + </property> + <property name="leftMargin"> + <number>0</number> + </property> + <property name="topMargin"> + <number>3</number> + </property> + <property name="rightMargin"> + <number>0</number> + </property> + <property name="bottomMargin"> + <number>0</number> + </property> + <item> + <widget class="QGroupBox" name="groupBox_channelcontrols"> + <property name="enabled"> + <bool>false</bool> + </property> + <property name="sizePolicy"> + <sizepolicy hsizetype="Preferred" vsizetype="MinimumExpanding"> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="title"> + <string>Controls - No channel selected</string> + </property> + <layout class="QVBoxLayout"> + <property name="spacing"> + <number>6</number> + </property> + <property name="leftMargin"> + <number>4</number> + </property> + <property name="topMargin"> + <number>4</number> + </property> + <property name="rightMargin"> + <number>4</number> + </property> + <property name="bottomMargin"> + <number>4</number> + </property> + <item> + <layout class="QHBoxLayout"> + <property name="spacing"> + <number>6</number> + </property> + <property name="leftMargin"> + <number>0</number> + </property> + <property name="topMargin"> + <number>0</number> + </property> + <property name="rightMargin"> + <number>0</number> + </property> + <property name="bottomMargin"> + <number>0</number> + </property> + <item> + <widget class="QPushButton" name="pushButton_channelfullscreen"> + <property name="toolTip"> + <string>Show current channel fullscreen</string> + </property> + <property name="text"> + <string/> + </property> + <property name="icon"> + <iconset resource="vp1.qrc"> + <normaloff>:/vp1/icons/icons/window_fullscreen_32x32.png</normaloff>:/vp1/icons/icons/window_fullscreen_32x32.png</iconset> + </property> + </widget> + </item> + <item> + <widget class="QPushButton" name="pushButton_channelinformation"> + <property name="text"> + <string/> + </property> + <property name="icon"> + <iconset resource="vp1.qrc"> + <normaloff>:/vp1/icons/icons/info_32x32.png</normaloff>:/vp1/icons/icons/info_32x32.png</iconset> + </property> + </widget> + </item> + <item> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>1</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item> + <widget class="QPushButton" name="pushButton_printchannel"> + <property name="toolTip"> + <string>Print channel snapshot</string> + </property> + <property name="text"> + <string/> + </property> + <property name="icon"> + <iconset resource="vp1.qrc"> + <normaloff>:/vp1/icons/icons/fileprint_32x32.png</normaloff>:/vp1/icons/icons/fileprint_32x32.png</iconset> + </property> + </widget> + </item> + <item> + <widget class="QPushButton" name="pushButton_savesnapshotchannel"> + <property name="toolTip"> + <string>Save channel snapshot to image file</string> + </property> + <property name="text"> + <string/> + </property> + <property name="icon"> + <iconset resource="vp1.qrc"> + <normaloff>:/vp1/icons/icons/camera.png</normaloff>:/vp1/icons/icons/camera.png</iconset> + </property> + </widget> + </item> + <item> + <widget class="QPushButton" name="pushButton_saveAllChannels"> + <property name="toolTip"> + <string>Save all tabs/channels as images in different files</string> + </property> + <property name="text"> + <string/> + </property> + <property name="icon"> + <iconset resource="vp1.qrc"> + <normaloff>:/vp1/icons/icons/window_list_32x32.png</normaloff>:/vp1/icons/icons/window_list_32x32.png</iconset> + </property> + </widget> + </item> + <item> + <spacer name="horizontalSpacer_3"> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>40</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item> + <widget class="QPushButton" name="pushButton_makeEventDisplay"> + <property name="toolTip"> + <string>Event Display Editor: Combine current tabs/channels into a single event display, with logo and event details, ready for publication.</string> + </property> + <property name="text"> + <string/> + </property> + <property name="icon"> + <iconset resource="vp1.qrc"> + <normaloff>:/vp1/icons/icons/event_display_32x32.png</normaloff>:/vp1/icons/icons/event_display_32x32.png</iconset> + </property> + </widget> + </item> + <item> + <widget class="QPushButton" name="pushButton_3D"> + <property name="toolTip"> + <string>Open the 3D Stereo tools</string> + </property> + <property name="text"> + <string/> + </property> + <property name="icon"> + <iconset resource="vp1.qrc"> + <normaloff>:/vp1/icons/icons/3D_mode_24x24.png</normaloff>:/vp1/icons/icons/3D_mode_24x24.png</iconset> + </property> + </widget> + </item> + </layout> + </item> + <item> + <widget class="Line" name="line"> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + </widget> + </item> + <item> + <widget class="QStackedWidget" name="stackedWidget_customcontrols"> + <widget class="QWidget" name="page"/> + <widget class="QWidget" name="page_2"/> + </widget> + </item> + </layout> + </widget> + </item> + <item> + <widget class="QGroupBox" name="groupBox_cruise"> + <property name="enabled"> + <bool>false</bool> + </property> + <property name="title"> + <string>Cruise Mode [off]</string> + </property> + <layout class="QHBoxLayout"> + <item> + <layout class="QHBoxLayout"> + <property name="spacing"> + <number>0</number> + </property> + <item> + <widget class="QRadioButton" name="radioButton_cruise_event"> + <property name="text"> + <string>Evt</string> + </property> + <property name="checked"> + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_cruise_tab"> + <property name="text"> + <string>Tab</string> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_cruise_both"> + <property name="text"> + <string>Both</string> + </property> + </widget> + </item> + </layout> + </item> + <item> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>1</width> + <height>10</height> + </size> + </property> + </spacer> + </item> + </layout> + </widget> + </item> + <item> + <widget class="QGroupBox" name="groupBox_event"> + <property name="sizePolicy"> + <sizepolicy hsizetype="Preferred" vsizetype="Maximum"> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="title"> + <string>Event [No event loaded]</string> + </property> + <layout class="QHBoxLayout"> + <property name="spacing"> + <number>6</number> + </property> + <property name="leftMargin"> + <number>4</number> + </property> + <property name="topMargin"> + <number>4</number> + </property> + <property name="rightMargin"> + <number>4</number> + </property> + <property name="bottomMargin"> + <number>4</number> + </property> + <item> + <layout class="QVBoxLayout" name="verticalLayout_3"> + <item> + <widget class="QLabel" name="label_run_event"> + <property name="text"> + <string>TextLabel</string> + </property> + <property name="textInteractionFlags"> + <set>Qt::TextSelectableByKeyboard|Qt::TextSelectableByMouse</set> + </property> + </widget> + </item> + <item> + <layout class="QHBoxLayout" name="horizontalLayout_3"> + <item> + <widget class="QPushButton" name="pushButton_previousevent"> + <property name="toolTip"> + <string>Go back to previous event [Ctrl-P]</string> + </property> + <property name="text"> + <string/> + </property> + <property name="icon"> + <iconset resource="../src/vp1.qrc"> + <normaloff>:/vp1/icons/icons/back_32x32.png</normaloff>:/vp1/icons/icons/back_32x32.png</iconset> + </property> + </widget> + </item> + <item> + <widget class="QPushButton" name="pushButton_eventselect"> + <property name="toolTip"> + <string>Select an event in the current AOD file.</string> + </property> + <property name="enabled"> + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="QPushButton" name="pushButton_nextevent"> + <property name="toolTip"> + <string>Proceed to next event [Ctrl-N]</string> + </property> + <property name="text"> + <string/> + </property> + <property name="icon"> + <iconset resource="vp1.qrc"> + <normaloff>:/vp1/icons/icons/forward_32x32.png</normaloff>:/vp1/icons/icons/forward_32x32.png</iconset> + </property> + </widget> + </item> + <item> + <widget class="QPushButton" name="pushButton_eventseek"> + <property name="enabled"> + <bool>false</bool> + </property> + <property name="text"> + <string>Seek</string> + </property> + </widget> + </item> + <item> + <widget class="QPushButton" name="pushButton_cruise"> + <property name="focusPolicy"> + <enum>Qt::NoFocus</enum> + </property> + <property name="text"> + <string/> + </property> + <property name="icon"> + <iconset resource="vp1.qrc"> + <normaloff>:/vp1/icons/icons/redo_32x32.png</normaloff>:/vp1/icons/icons/redo_32x32.png</iconset> + </property> + <property name="checkable"> + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="QSpinBox" name="spinBox_cruise"> + <property name="alignment"> + <set>Qt::AlignRight</set> + </property> + <property name="suffix"> + <string> s</string> + </property> + <property name="minimum"> + <number>1</number> + </property> + <property name="maximum"> + <number>999</number> + </property> + <property name="value"> + <number>10</number> + </property> + </widget> + </item> + <item> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>40</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + </layout> + </item> + </layout> + </item> + </layout> + </widget> + </item> + </layout> + </widget> + <widget class="QSplitter" name="splitter_tabwidget_messagebox"> + <property name="frameShape"> + <enum>QFrame::NoFrame</enum> + </property> + <property name="lineWidth"> + <number>0</number> + </property> + <property name="orientation"> + <enum>Qt::Vertical</enum> + </property> + <widget class="QStackedWidget" name="stackedWidget_central"> + <property name="frameShape"> + <enum>QFrame::NoFrame</enum> + </property> + <property name="lineWidth"> + <number>0</number> + </property> + <property name="currentIndex"> + <number>1</number> + </property> + <widget class="QWidget" name="page_tabwidget"> + <layout class="QVBoxLayout"> + <item> + <widget class="VP1TabWidget" name="tabWidget_central"> + <property name="sizePolicy"> + <sizepolicy hsizetype="Ignored" vsizetype="Ignored"> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="minimumSize"> + <size> + <width>200</width> + <height>200</height> + </size> + </property> + <property name="currentIndex"> + <number>-1</number> + </property> + </widget> + </item> + </layout> + </widget> + <widget class="QWidget" name="page_instructions"> + <layout class="QVBoxLayout"> + <item> + <widget class="QFrame" name="frame_instructions"> + <property name="frameShape"> + <enum>QFrame::StyledPanel</enum> + </property> + <property name="frameShadow"> + <enum>QFrame::Raised</enum> + </property> + <layout class="QVBoxLayout" name="verticalLayout_2"> + <property name="spacing"> + <number>0</number> + </property> + <item> + <spacer name="verticalSpacer_2"> + <property name="orientation"> + <enum>Qt::Vertical</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>20</width> + <height>1</height> + </size> + </property> + </spacer> + </item> + <item> + <layout class="QHBoxLayout" name="horizontalLayout_2"> + <property name="spacing"> + <number>0</number> + </property> + <item> + <spacer name="horizontalSpacer"> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType"> + <enum>QSizePolicy::Expanding</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>1</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item> + <layout class="QVBoxLayout" name="verticalLayout"> + <property name="spacing"> + <number>13</number> + </property> + <item> + <widget class="QLabel" name="label"> + <property name="maximumSize"> + <size> + <width>500</width> + <height>16777215</height> + </size> + </property> + <property name="text"> + <string><!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.0//EN" "http://www.w3.org/TR/REC-html40/strict.dtd"> +<html><head><meta name="qrichtext" content="1" /><style type="text/css"> +p, li { white-space: pre-wrap; } +</style></head><body style=" font-family:'Sans Serif'; font-size:9pt; font-weight:400; font-style:normal;"> +<p align="center" style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><span style=" font-size:14pt; font-weight:600; font-style:italic;">Welcome to Virtual TI 12</span></p> +<p align="center" style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><span style=" font-size:11pt; font-weight:600; font-style:italic;"> </span><a href="[http://cern.ch/atlas-vp1]"><span style=" text-decoration: underline; color:#0000ff;">[http://cern.ch/atlas-vp1]</span></a></p> +<p align="center" style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p> +<p align="center" style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">VP1 is now uses plugins to process and present the data and</p> +<p align="center" style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">detector information which is available in the ATHENA process it runs on top of.</p> +<p align="center" style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p> +<p align="center" style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Most users should proceed by selecting one of these modes:</p></body></html></string> + </property> + </widget> + </item> + <item> + <layout class="QHBoxLayout" name="horizontalLayout"> + <property name="spacing"> + <number>0</number> + </property> + <item> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType"> + <enum>QSizePolicy::Expanding</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>1</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item> + <layout class="QGridLayout" name="gridLayout"> + <property name="spacing"> + <number>2</number> + </property> + <item row="0" column="0" colspan="3"> + <widget class="QPushButton" name="pushButton_quicksetup_faser"> + <property name="toolTip"> + <string>Launch the VP1FaserPlugin within a new tab</string> + </property> + <property name="text"> + <string>All studies</string> + </property> + </widget> + </item> + <item row="1" column="0" colspan="3"> + <widget class="QPushButton" name="pushButton_quicksetup_geometrystudies"> + <property name="toolTip"> + <string>Launch the VP1GeometryPlugin within a new tab</string> + </property> + <property name="text"> + <string>Geometry studies</string> + </property> + </widget> + </item> + <item row="2" column="0" colspan="3"> + <widget class="QPushButton" name="pushButton_quicksetup_analysisstudies"> + <property name="toolTip"> + <string><html><head/><body><p>Launch the Analysis Object (AOD) plugin within a new tab.</p></body></html></string> + </property> + <property name="text"> + <string>This space for rent</string> + </property> + </widget> + </item> + </layout> + </item> + <item> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType"> + <enum>QSizePolicy::Expanding</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>1</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + </layout> + </item> + <item> + <widget class="QLabel" name="label_2"> + <property name="maximumSize"> + <size> + <width>500</width> + <height>16777215</height> + </size> + </property> + <property name="text"> + <string><!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.0//EN" "http://www.w3.org/TR/REC-html40/strict.dtd"> +<html><head><meta name="qrichtext" content="1" /><style type="text/css"> +p, li { white-space: pre-wrap; } +</style></head><body style=" font-family:'Sans'; font-size:10pt; font-weight:400; font-style:normal;"> +<table border="0" style="-qt-table-type: root; margin-top:4px; margin-bottom:4px; margin-left:4px; margin-right:4px;"> +<tr> +<td style="border: none;"> +<p align="center" style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><span style=" font-family:'Sans Serif'; font-size:9pt;">Advanced users might wish to take full advantage of the flexible configuration</span></p> +<p align="center" style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><span style=" font-family:'Sans Serif'; font-size:9pt;">capabilities of VP1 by loading and configuring plugins via the &quot;Quick Launch&quot;</span></p> +<p align="center" style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><span style=" font-family:'Sans Serif'; font-size:9pt;">and &quot;Configuration&quot; menus, and by right-clicking tabs.</span></p> +<p align="center" style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px; font-family:'Sans Serif'; font-size:9pt;"></p> +<p align="center" style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><span style=" font-family:'Sans Serif'; font-size:9pt;">Note that it is possible </span></p> +<p align="center" style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><span style=" font-family:'Sans Serif'; font-size:9pt;">to save and load configurations </span></p> +<p align="center" style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><span style=" font-family:'Sans Serif'; font-size:9pt;">from the &quot;Configuration&quot; menu.</span></p></td></tr></table></body></html></string> + </property> + </widget> + </item> + </layout> + </item> + <item> + <spacer name="horizontalSpacer_2"> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType"> + <enum>QSizePolicy::Expanding</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>1</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + </layout> + </item> + <item> + <spacer name="verticalSpacer"> + <property name="orientation"> + <enum>Qt::Vertical</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>20</width> + <height>1</height> + </size> + </property> + </spacer> + </item> + </layout> + </widget> + </item> + </layout> + </widget> + </widget> + <widget class="VP1TextBrowser" name="textBrowser_channelmessages"> + <property name="toolTip"> + <string>Message box. Displays messages from channels and systems.</string> + </property> + <property name="html"> + <string><!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.0//EN" "http://www.w3.org/TR/REC-html40/strict.dtd"> +<html><head><meta name="qrichtext" content="1" /><style type="text/css"> +p, li { white-space: pre-wrap; } +</style></head><body style=" font-family:'Cantarell'; font-size:11pt; font-weight:400; font-style:normal;"> +<table border="0" style="-qt-table-type: root; margin-top:4px; margin-bottom:4px; margin-left:4px; margin-right:4px;"> +<tr> +<td style="border: none;"> +<p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p> +<p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px; font-family:'Sans'; font-size:10pt;"><br /></p> +<p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px; font-family:'Sans Serif'; font-size:9pt;"><br /></p> +<p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px; font-family:'Sans Serif'; font-size:9pt;"><br /></p> +<p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px; font-family:'Sans'; font-size:10pt;"><br /></p> +<p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px; font-family:'Sans'; font-size:10pt;"><br /></p> +<p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px; font-family:'Sans'; font-size:10pt;"><br /></p> +<p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px; font-family:'Sans'; font-size:10pt;"><br /></p> +<p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px; font-family:'Sans'; font-size:10pt;"><br /></p> +<p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px; font-family:'Sans'; font-size:10pt;"><br /></p> +<p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px; font-family:'Sans Serif'; font-size:9pt;"><br /></p></td></tr></table></body></html></string> + </property> + <property name="textInteractionFlags"> + <set>Qt::TextSelectableByMouse</set> + </property> + </widget> + </widget> + </widget> + </item> + </layout> + </widget> + <widget class="QMenuBar" name="menubar"> + <property name="geometry"> + <rect> + <x>0</x> + <y>0</y> + <width>1281</width> + <height>42</height> + </rect> + </property> + <widget class="QMenu" name="menuConfiguration"> + <property name="title"> + <string>&Configuration</string> + </property> + <addaction name="separator"/> + </widget> + <widget class="QMenu" name="menu_Style"> + <property name="title"> + <string>&Style</string> + </property> + </widget> + <widget class="QMenu" name="menuQuick_Launch"> + <property name="title"> + <string>&Quick Launch</string> + </property> + <addaction name="action_quicklaunch_faser"/> + <!-- <addaction name="action_quicklaunch_Tracking_studies"/> + <addaction name="action_quicklaunch_Calo_studies"/> --> + <addaction name="action_quicklaunch_Geometry_studies"/> + <!-- <addaction name="action_quicklaunch_trackcalo_commis"/> --> + <addaction name="action_quicklaunch_analysisstudies"/> + <addaction name="action_quicklaunch_Storegate_browser"/> + <addaction name="separator"/> + <addaction name="action_exit_VP1"/> + </widget> + <addaction name="menuQuick_Launch"/> + <addaction name="menuConfiguration"/> + <addaction name="menu_Style"/> + </widget> + <widget class="QStatusBar" name="statusbar"/> + <action name="actionLoad_plugin"> + <property name="text"> + <string>Load plugin</string> + </property> + </action> + <action name="actionAdd_empty_tab2"> + <property name="text"> + <string>&Add empty tab</string> + </property> + </action> + <action name="actionInfo_about_loaded_plugins"> + <property name="enabled"> + <bool>false</bool> + </property> + <property name="text"> + <string>&Info about loaded plugins</string> + </property> + </action> + <action name="actionLaunch_config_dialog"> + <property name="text"> + <string>Launch &config dialog</string> + </property> + </action> + <action name="actionLoad_tab_configuration_from_file"> + <property name="text"> + <string>&Load tab configuration from file</string> + </property> + </action> + <action name="actionSave_current_tabs2"> + <property name="text"> + <string>&Save current tab configuration to file</string> + </property> + </action> + <action name="actionDummyLoadPlugSubMenu"> + <property name="text"> + <string>DummyLoadPlugSubMenu</string> + </property> + </action> + <action name="actionLoad_Plugin"> + <property name="text"> + <string>Load Plugin</string> + </property> + </action> + <!-- <action name="action_quicklaunch_Tracking_studies"> + <property name="text"> + <string>&Tracking only studies</string> + </property> + <property name="statusTip"> + <string>Launch a tab with a track channel</string> + </property> + </action> + <action name="action_quicklaunch_Calo_studies"> + <property name="text"> + <string>&Calo only studies</string> + </property> + <property name="statusTip"> + <string>Launch a tab with a calo cells channel</string> + </property> + </action> --> + <action name="action_quicklaunch_Geometry_studies"> + <property name="text"> + <string>&Geometry studies</string> + </property> + <property name="statusTip"> + <string>Launch a tab with a geometry channel</string> + </property> + </action> + <action name="action_exit_VP1"> + <property name="text"> + <string>E&xit VP1</string> + </property> + <property name="statusTip"> + <string>Close down VP1</string> + </property> + </action> + <action name="action_quicklaunch_Storegate_browser"> + <property name="text"> + <string>&Storegate browser</string> + </property> + <property name="statusTip"> + <string>Launch a tab with a banks channel</string> + </property> + </action> + <action name="action_quicklaunch_faser"> + <property name="text"> + <string>All &Faser studies</string> + </property> + </action> + <action name="action_quicklaunch_trackcalo_commis"> + <property name="text"> + <string>T&rack/Calo commis. studies</string> + </property> + </action> + <action name="action_file_Add_event_file"> + <property name="text"> + <string>&Add event file ...</string> + </property> + </action> + <action name="actionEnableExpertSettings"> + <property name="text"> + <string>&EnableExpertSettings</string> + </property> + <property name="toolTip"> + <string>Open additional settings</string> + </property> + </action> + <action name="action_quicklaunch_analysisstudies"> + <property name="text"> + <string>A&nalysis Studies</string> + </property> + </action> + </widget> + <customwidgets> + <customwidget> + <class>VP1TabWidget</class> + <extends>QTabWidget</extends> + <header>VP1Base/VP1TabWidget.h</header> + <container>1</container> + </customwidget> + <customwidget> + <class>VP1TextBrowser</class> + <extends>QTextBrowser</extends> + <header>VTI12Gui/VP1TextBrowser.h</header> + </customwidget> + </customwidgets> + <tabstops> + <tabstop>pushButton_channelfullscreen</tabstop> + <tabstop>pushButton_channelinformation</tabstop> + <tabstop>radioButton_cruise_event</tabstop> + <tabstop>radioButton_cruise_tab</tabstop> + <tabstop>radioButton_cruise_both</tabstop> + <tabstop>tabWidget_central</tabstop> + <tabstop>textBrowser_channelmessages</tabstop> + </tabstops> + <resources> + <include location="vp1.qrc"/> + </resources> + <connections/> +</ui> diff --git a/graphics/VTI12/VTI12Gui/src/vp1plugindialog.ui b/graphics/VTI12/VTI12Gui/src/vp1plugindialog.ui new file mode 100644 index 0000000000000000000000000000000000000000..ebd38dcbaa2bc2732313991c492cb4d7d41b9660 --- /dev/null +++ b/graphics/VTI12/VTI12Gui/src/vp1plugindialog.ui @@ -0,0 +1,265 @@ +<ui version="4.0" > + <class>VP1PluginDialog</class> + <widget class="QDialog" name="VP1PluginDialog" > + <property name="geometry" > + <rect> + <x>0</x> + <y>0</y> + <width>441</width> + <height>211</height> + </rect> + </property> + <property name="windowTitle" > + <string>Dialog</string> + </property> + <layout class="QVBoxLayout" > + <property name="margin" > + <number>9</number> + </property> + <property name="spacing" > + <number>6</number> + </property> + <item> + <layout class="QHBoxLayout" > + <property name="margin" > + <number>0</number> + </property> + <property name="spacing" > + <number>6</number> + </property> + <item> + <layout class="QHBoxLayout" > + <property name="margin" > + <number>0</number> + </property> + <property name="spacing" > + <number>6</number> + </property> + <item> + <widget class="QLabel" name="label_selectplugin" > + <property name="enabled" > + <bool>false</bool> + </property> + <property name="text" > + <string>Select plugin:</string> + </property> + </widget> + </item> + <item> + <widget class="QComboBox" name="comboBox_plugins" > + <property name="enabled" > + <bool>false</bool> + </property> + <property name="minimumSize" > + <size> + <width>150</width> + <height>0</height> + </size> + </property> + <property name="minimumContentsLength" > + <number>50</number> + </property> + <item> + <property name="text" > + <string>No plugins loaded</string> + </property> + </item> + </widget> + </item> + </layout> + </item> + <item> + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" > + <size> + <width>40</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + </layout> + </item> + <item> + <layout class="QHBoxLayout" > + <property name="margin" > + <number>0</number> + </property> + <property name="spacing" > + <number>6</number> + </property> + <item> + <layout class="QHBoxLayout" > + <property name="margin" > + <number>0</number> + </property> + <property name="spacing" > + <number>6</number> + </property> + <item> + <widget class="QLabel" name="label_fullpathtitle" > + <property name="enabled" > + <bool>false</bool> + </property> + <property name="text" > + <string>Full path:</string> + </property> + </widget> + </item> + <item> + <widget class="QLabel" name="label_fullpath" > + <property name="enabled" > + <bool>false</bool> + </property> + <property name="text" > + <string>n/a</string> + </property> + <property name="textInteractionFlags" > + <enum>Qt::TextSelectableByMouse</enum> + </property> + </widget> + </item> + </layout> + </item> + <item> + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" > + <size> + <width>40</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + </layout> + </item> + <item> + <layout class="QHBoxLayout" > + <property name="margin" > + <number>0</number> + </property> + <property name="spacing" > + <number>6</number> + </property> + <item> + <layout class="QGridLayout" > + <property name="margin" > + <number>0</number> + </property> + <property name="spacing" > + <number>6</number> + </property> + <item row="0" column="1" > + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" > + <size> + <width>40</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item row="0" column="0" > + <widget class="QLabel" name="label_channels" > + <property name="enabled" > + <bool>false</bool> + </property> + <property name="text" > + <string>Channels available in this plugin:</string> + </property> + </widget> + </item> + <item row="1" column="0" colspan="2" > + <widget class="QTextBrowser" name="textBrowser_channels" > + <property name="minimumSize" > + <size> + <width>0</width> + <height>100</height> + </size> + </property> + <property name="frameShape" > + <enum>QFrame::NoFrame</enum> + </property> + <property name="frameShadow" > + <enum>QFrame::Plain</enum> + </property> + <property name="textInteractionFlags" > + <enum>Qt::TextSelectableByMouse</enum> + </property> + </widget> + </item> + </layout> + </item> + <item> + <layout class="QVBoxLayout" > + <property name="margin" > + <number>0</number> + </property> + <property name="spacing" > + <number>6</number> + </property> + <item> + <spacer> + <property name="orientation" > + <enum>Qt::Vertical</enum> + </property> + <property name="sizeHint" > + <size> + <width>20</width> + <height>40</height> + </size> + </property> + </spacer> + </item> + <item> + <widget class="QPushButton" name="pushButton_unload" > + <property name="enabled" > + <bool>false</bool> + </property> + <property name="text" > + <string>Unload</string> + </property> + </widget> + </item> + <item> + <widget class="QPushButton" name="pushButton_cancel" > + <property name="text" > + <string>Cancel</string> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </item> + </layout> + </widget> + <resources/> + <connections> + <connection> + <sender>pushButton_cancel</sender> + <signal>clicked()</signal> + <receiver>VP1PluginDialog</receiver> + <slot>reject()</slot> + <hints> + <hint type="sourcelabel" > + <x>355</x> + <y>142</y> + </hint> + <hint type="destinationlabel" > + <x>291</x> + <y>132</y> + </hint> + </hints> + </connection> + </connections> +</ui> diff --git a/graphics/VTI12/VTI12Plugins/VTI12FaserPlugin/CMakeLists.txt b/graphics/VTI12/VTI12Plugins/VTI12FaserPlugin/CMakeLists.txt new file mode 100644 index 0000000000000000000000000000000000000000..8f864c585062f623dc4f6e6252004784dfd37c54 --- /dev/null +++ b/graphics/VTI12/VTI12Plugins/VTI12FaserPlugin/CMakeLists.txt @@ -0,0 +1,29 @@ +################################################################################ +# Package: VTI12FaserPlugin +################################################################################ + +# Declare the package name: +atlas_subdir( VTI12FaserPlugin ) + +# Declare the package's dependencies: +atlas_depends_on_subdirs( + PUBLIC + graphics/VP1/VP1Base + PRIVATE + graphics/VTI12/VTI12Systems/VTI12TrackSystems + graphics/VTI12/VTI12Systems/VTI12SimHitSystems + graphics/VTI12/VTI12Systems/VTI12GeometrySystems + graphics/VTI12/VTI12Systems/VTI12GuideLineSystems ) + +# External dependencies: +find_package( Qt5 COMPONENTS Core Gui Widgets ) + +# Generate MOC files automatically: +set( CMAKE_AUTOMOC TRUE ) + +# Build the library. +atlas_add_library( VTI12FaserPlugin + VTI12FaserPlugin/*.h src/*.cxx src/*.qrc + PUBLIC_HEADERS VTI12FaserPlugin + LINK_LIBRARIES Qt5::Core Qt5::Gui Qt5::Widgets + PRIVATE_LINK_LIBRARIES VP1Base VTI12GuideLineSystems VTI12GeometrySystems VTI12SimHitSystems VTI12TrackSystems) diff --git a/graphics/VTI12/VTI12Plugins/VTI12FaserPlugin/VTI12FaserPlugin/VP1FaserChannel.h b/graphics/VTI12/VTI12Plugins/VTI12FaserPlugin/VTI12FaserPlugin/VP1FaserChannel.h new file mode 100755 index 0000000000000000000000000000000000000000..ffec5e6aaf29ea12731aaae50a14d524ba2ce880 --- /dev/null +++ b/graphics/VTI12/VTI12Plugins/VTI12FaserPlugin/VTI12FaserPlugin/VP1FaserChannel.h @@ -0,0 +1,32 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +///////////////////////////////////////////////////////////// +// // +// Header file for class VP1FaserChannel // +// // +// Author: Thomas Kittelmann <Thomas.Kittelmann@cern.ch> // +// // +// Initial version: May 2007 // +// // +///////////////////////////////////////////////////////////// + +#ifndef VP1FASERCHANNEL_H +#define VP1FASERCHANNEL_H + +#include "VP1Base/IVP13DStandardChannelWidget.h" + +class VP1FaserChannel : public IVP13DStandardChannelWidget { + + Q_OBJECT + +public: + + VP1FaserChannel(); + void init(); + virtual ~VP1FaserChannel(){} + +}; + +#endif diff --git a/graphics/VTI12/VTI12Plugins/VTI12FaserPlugin/VTI12FaserPlugin/VP1FaserPlugin_VP1AutoFactory.h b/graphics/VTI12/VTI12Plugins/VTI12FaserPlugin/VTI12FaserPlugin/VP1FaserPlugin_VP1AutoFactory.h new file mode 100644 index 0000000000000000000000000000000000000000..68b88ed290357fb76c0a2bdfe5e37243f675514e --- /dev/null +++ b/graphics/VTI12/VTI12Plugins/VTI12FaserPlugin/VTI12FaserPlugin/VP1FaserPlugin_VP1AutoFactory.h @@ -0,0 +1,25 @@ +/* + Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +*/ +//Autogenerated VP1 Factory Code Header File (Fri Aug 19 13:36:52 CEST 2016) + +#ifndef VTI12FaserPlugin_VP1AutoFactory_H +#define VTI12FaserPlugin_VP1AutoFactory_H + +#include <QObject> +#include <QStringList> + +#include "VP1Base/IVP1ChannelWidgetFactory.h" + +class VP1FaserPlugin_VP1AutoFactory : public QObject, public IVP1ChannelWidgetFactory +{ + Q_OBJECT + Q_PLUGIN_METADATA(IID "VP1FaserPlugin" ) + Q_INTERFACES(IVP1ChannelWidgetFactory) + +public: + virtual QStringList channelWidgetsProvided() const; + virtual IVP1ChannelWidget * getChannelWidget(const QString & channelwidget); +}; + +#endif diff --git a/graphics/VTI12/VTI12Plugins/VTI12FaserPlugin/src/VP1FaserChannel.cxx b/graphics/VTI12/VTI12Plugins/VTI12FaserPlugin/src/VP1FaserChannel.cxx new file mode 100755 index 0000000000000000000000000000000000000000..79b2a54c20695839d93f3396c3755729fdd1c126 --- /dev/null +++ b/graphics/VTI12/VTI12Plugins/VTI12FaserPlugin/src/VP1FaserChannel.cxx @@ -0,0 +1,37 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +///////////////////////////////////////////////////////////// +// // +// Implementation of class VP1FaserChannel // +// // +// Author: Thomas Kittelmann <Thomas.Kittelmann@cern.ch> // +// // +// Initial version: May 2007 // +// // +///////////////////////////////////////////////////////////// + +#include "VTI12FaserPlugin/VP1FaserChannel.h" +#include "VTI12TrackSystems/VP1TrackSystem.h" +#include "VTI12GeometrySystems/VP1GeometrySystem.h" +#include "VTI12GuideLineSystems/VP1GuideLineSystem.h" +#include "VTI12SimHitSystems/VP1SimHitSystem.h" +#include "VP1Base/VP1QtUtils.h" + +VP1FaserChannel::VP1FaserChannel() + : IVP13DStandardChannelWidget(VP1CHANNELNAMEINPLUGIN(VP1FaserChannel,"Faser"), + "This channel shows geometry, hits and tracks.", + "Dave Casper dcasper@uci.edu") +{ +} + +void VP1FaserChannel::init() +{ + addSystem(new VP1TrackSystem); + addSystem(new VP1SimHitSystem); + addSystem(new VP1GeometrySystem); + addSystem(new VP1GuideLineSystem); + // if (VP1QtUtils::environmentVariableIsOn("VP1_SECOND_GEOMSYS")) + // addSystem(new VP1GeometrySystem(VP1GeoFlags::None,"AltGeo"),IVP13DStandardChannelWidget::StartDisabled); +} diff --git a/graphics/VTI12/VTI12Plugins/VTI12FaserPlugin/src/VP1FaserPlugin_VP1AutoFactory.cxx b/graphics/VTI12/VTI12Plugins/VTI12FaserPlugin/src/VP1FaserPlugin_VP1AutoFactory.cxx new file mode 100644 index 0000000000000000000000000000000000000000..7515ec877f20a5ba2ff9f92749845d120b30c495 --- /dev/null +++ b/graphics/VTI12/VTI12Plugins/VTI12FaserPlugin/src/VP1FaserPlugin_VP1AutoFactory.cxx @@ -0,0 +1,24 @@ +/* + Copyright (C) 2002-2018 CERN for the benefit of the ATLAS collaboration +*/ +//Autogenerated VP1 Factory Code Implementation File (Fri Aug 19 13:36:52 CEST 2016) + +#include <QtPlugin> +#include "VTI12FaserPlugin/VP1FaserPlugin_VP1AutoFactory.h" +#include "VTI12FaserPlugin/VP1FaserChannel.h" + +QStringList VP1FaserPlugin_VP1AutoFactory::channelWidgetsProvided() const +{ + return QStringList() + << "Faser" + ; +} + +IVP1ChannelWidget * VP1FaserPlugin_VP1AutoFactory::getChannelWidget(const QString & channelwidget) +{ + if (channelwidget == "Faser") + return new VP1FaserChannel(); + + return 0; +} + diff --git a/graphics/VTI12/VTI12Plugins/VTI12GeometryPlugin/CMakeLists.txt b/graphics/VTI12/VTI12Plugins/VTI12GeometryPlugin/CMakeLists.txt new file mode 100644 index 0000000000000000000000000000000000000000..b6ed459a03131448d6a7eb57581a59fbbe9f86ce --- /dev/null +++ b/graphics/VTI12/VTI12Plugins/VTI12GeometryPlugin/CMakeLists.txt @@ -0,0 +1,27 @@ +################################################################################ +# Package: VTI12GeometryPlugin +################################################################################ + +# Declare the package name: +atlas_subdir( VTI12GeometryPlugin ) + +# Declare the package's dependencies: +atlas_depends_on_subdirs( + PUBLIC + graphics/VP1/VP1Base + PRIVATE + graphics/VTI12/VTI12Systems/VTI12GeometrySystems + graphics/VTI12/VTI12Systems/VTI12GuideLineSystems ) + +# External dependencies: +find_package( Qt5 COMPONENTS Core Gui Widgets ) + +# Generate MOC files automatically: +set( CMAKE_AUTOMOC TRUE ) + +# Build the library. +atlas_add_library( VTI12GeometryPlugin + VTI12GeometryPlugin/*.h src/*.cxx src/*.qrc + PUBLIC_HEADERS VTI12GeometryPlugin + LINK_LIBRARIES Qt5::Core Qt5::Gui Qt5::Widgets + PRIVATE_LINK_LIBRARIES VP1Base VTI12GuideLineSystems VTI12GeometrySystems ) diff --git a/graphics/VTI12/VTI12Plugins/VTI12GeometryPlugin/VTI12GeometryPlugin/VP1GeometryChannel.h b/graphics/VTI12/VTI12Plugins/VTI12GeometryPlugin/VTI12GeometryPlugin/VP1GeometryChannel.h new file mode 100755 index 0000000000000000000000000000000000000000..c1d67a30ac3e584d6f695ee4c6c975e35e018755 --- /dev/null +++ b/graphics/VTI12/VTI12Plugins/VTI12GeometryPlugin/VTI12GeometryPlugin/VP1GeometryChannel.h @@ -0,0 +1,32 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +///////////////////////////////////////////////////////////// +// // +// Header file for class VP1GeometryChannel // +// // +// Author: Thomas Kittelmann <Thomas.Kittelmann@cern.ch> // +// // +// Initial version: May 2007 // +// // +///////////////////////////////////////////////////////////// + +#ifndef VP1GEOMETRYCHANNEL_H +#define VP1GEOMETRYCHANNEL_H + +#include "VP1Base/IVP13DStandardChannelWidget.h" + +class VP1GeometryChannel : public IVP13DStandardChannelWidget { + + Q_OBJECT + +public: + + VP1GeometryChannel(); + void init(); + virtual ~VP1GeometryChannel(){} + +}; + +#endif diff --git a/graphics/VTI12/VTI12Plugins/VTI12GeometryPlugin/VTI12GeometryPlugin/VP1GeometryPlugin_VP1AutoFactory.h b/graphics/VTI12/VTI12Plugins/VTI12GeometryPlugin/VTI12GeometryPlugin/VP1GeometryPlugin_VP1AutoFactory.h new file mode 100644 index 0000000000000000000000000000000000000000..de6b6ef99332671bf0f67f3487692ea5127c6ca3 --- /dev/null +++ b/graphics/VTI12/VTI12Plugins/VTI12GeometryPlugin/VTI12GeometryPlugin/VP1GeometryPlugin_VP1AutoFactory.h @@ -0,0 +1,25 @@ +/* + Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +*/ +//Autogenerated VP1 Factory Code Header File (Fri Aug 19 13:36:52 CEST 2016) + +#ifndef VP1GeometryPlugin_VP1AutoFactory_H +#define VP1GeometryPlugin_VP1AutoFactory_H + +#include <QObject> +#include <QStringList> + +#include "VP1Base/IVP1ChannelWidgetFactory.h" + +class VP1GeometryPlugin_VP1AutoFactory : public QObject, public IVP1ChannelWidgetFactory +{ + Q_OBJECT + Q_PLUGIN_METADATA(IID "VP1GeometryPlugin" ) + Q_INTERFACES(IVP1ChannelWidgetFactory) + +public: + virtual QStringList channelWidgetsProvided() const; + virtual IVP1ChannelWidget * getChannelWidget(const QString & channelwidget); +}; + +#endif diff --git a/graphics/VTI12/VTI12Plugins/VTI12GeometryPlugin/src/VP1GeometryChannel.cxx b/graphics/VTI12/VTI12Plugins/VTI12GeometryPlugin/src/VP1GeometryChannel.cxx new file mode 100755 index 0000000000000000000000000000000000000000..4e9c373ff7e1bf189bf725b85a04d5c0acfe03cf --- /dev/null +++ b/graphics/VTI12/VTI12Plugins/VTI12GeometryPlugin/src/VP1GeometryChannel.cxx @@ -0,0 +1,33 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +///////////////////////////////////////////////////////////// +// // +// Implementation of class VP1GeometryChannel // +// // +// Author: Thomas Kittelmann <Thomas.Kittelmann@cern.ch> // +// // +// Initial version: May 2007 // +// // +///////////////////////////////////////////////////////////// + +#include "VTI12GeometryPlugin/VP1GeometryChannel.h" +#include "VTI12GeometrySystems/VP1GeometrySystem.h" +#include "VTI12GuideLineSystems/VP1GuideLineSystem.h" +#include "VP1Base/VP1QtUtils.h" + +VP1GeometryChannel::VP1GeometryChannel() + : IVP13DStandardChannelWidget(VP1CHANNELNAMEINPLUGIN(VP1GeometryChannel,"Geometry"), + "This channel shows the geometry as defined in GeoModel.", + "Thomas.Kittelmann@cern.ch;Riccardo.Maria.Bianchi@cern.ch") +{ +} + +void VP1GeometryChannel::init() +{ + addSystem(new VP1GuideLineSystem); + addSystem(new VP1GeometrySystem); + // if (VP1QtUtils::environmentVariableIsOn("VP1_SECOND_GEOMSYS")) + // addSystem(new VP1GeometrySystem(VP1GeoFlags::None,"AltGeo"),IVP13DStandardChannelWidget::StartDisabled); +} diff --git a/graphics/VTI12/VTI12Plugins/VTI12GeometryPlugin/src/VP1GeometryPlugin_VP1AutoFactory.cxx b/graphics/VTI12/VTI12Plugins/VTI12GeometryPlugin/src/VP1GeometryPlugin_VP1AutoFactory.cxx new file mode 100644 index 0000000000000000000000000000000000000000..23c979494f02853bd020b3be3c75259915632a02 --- /dev/null +++ b/graphics/VTI12/VTI12Plugins/VTI12GeometryPlugin/src/VP1GeometryPlugin_VP1AutoFactory.cxx @@ -0,0 +1,24 @@ +/* + Copyright (C) 2002-2018 CERN for the benefit of the ATLAS collaboration +*/ +//Autogenerated VP1 Factory Code Implementation File (Fri Aug 19 13:36:52 CEST 2016) + +#include <QtPlugin> +#include "VTI12GeometryPlugin/VP1GeometryPlugin_VP1AutoFactory.h" +#include "VTI12GeometryPlugin/VP1GeometryChannel.h" + +QStringList VP1GeometryPlugin_VP1AutoFactory::channelWidgetsProvided() const +{ + return QStringList() + << "Geometry" + ; +} + +IVP1ChannelWidget * VP1GeometryPlugin_VP1AutoFactory::getChannelWidget(const QString & channelwidget) +{ + if (channelwidget == "Geometry") + return new VP1GeometryChannel(); + + return 0; +} + diff --git a/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/CMakeLists.txt b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/CMakeLists.txt new file mode 100644 index 0000000000000000000000000000000000000000..8224c45f6d262a20e41531374c62a9ed48d569c0 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/CMakeLists.txt @@ -0,0 +1,57 @@ +# $Id: CMakeLists.txt 732131 2016-03-24 11:03:29Z krasznaa $ +################################################################################ +# Package: VTI12GeometrySystems +################################################################################ + +# Declare the package name: +atlas_subdir( VTI12GeometrySystems ) + +# Declare the package's dependencies: +atlas_depends_on_subdirs( + PUBLIC + DetectorDescription/GeoPrimitives + Generators/TruthUtils + Event/xAOD/xAODTruth + graphics/VP1/VP1Base + PRIVATE + DetectorDescription/GeoModel/GeoModelUtilities + DetectorDescription/GeoModel/GeoModelFaserUtilities + DetectorDescription/GeoModel/GeoModelExamples + DetectorDescription/GeoModel/GeoModelStandalone/GeoModelDBManager + DetectorDescription/GeoModel/GeoModelStandalone/GeoRead + graphics/VP1/VP1HEPVis + graphics/VTI12/VTI12Utils ) + +# External dependencies: +find_package( CLHEP ) +find_package( Coin3D ) +find_package( Qt5 COMPONENTS Core Gui Widgets Sql ) +find_package( GeoModel ) +if( APPLE ) + find_package(OpenGL REQUIRED) +endif() + +# Find includes in corresponding build directories +set(CMAKE_INCLUDE_CURRENT_DIR ON) +# Generate UI files automatically: +# Note: add the "Widgets" component to "find_package( Qt5 ...)" if you have UI files, otherwise UIC, even if CMAKE_AUTOUIC is set to ON, is not run +set( CMAKE_AUTOUIC ON ) +# Generate MOC files automatically: +set( CMAKE_AUTOMOC ON ) +# Generate resource files automatically: +set( CMAKE_AUTORCC ON ) + +### Build the library. +# Remember: the auto-generated UI files are put under +# CMAKE_CURRENT_BINARY_DIR, so it needs to be added explicitly to the +# declaration of PRIVATE_INCLUDE_DIRS. + +atlas_add_library( VTI12GeometrySystems + VTI12GeometrySystems/*.h src/*.cxx + PUBLIC_HEADERS VTI12GeometrySystems + INCLUDE_DIRS ${COIN3D_INCLUDE_DIRS} + PRIVATE_INCLUDE_DIRS ${CMAKE_CURRENT_BINARY_DIR} + PRIVATE_DEFINITIONS ${CLHEP_DEFINITIONS} + LINK_LIBRARIES ${COIN3D_LIBRARIES} ${GEOMODEL_LIBRARIES} TruthUtils xAODTruth VP1Base GL Qt5::Core Qt5::Widgets + PRIVATE_LINK_LIBRARIES ${CLHEP_LIBRARIES} GeoModelUtilities GeoModelFaserUtilities VP1HEPVis VTI12Utils Qt5::Gui ) + diff --git a/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/DumpShape.h b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/DumpShape.h new file mode 100644 index 0000000000000000000000000000000000000000..0e6c30ccc16612203c39661b544b78e578d423a2 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/DumpShape.h @@ -0,0 +1,33 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef DUMPSHAPE_H +#define DUMPSHAPE_H + +/////////////////////////////////////////////////////////////////////// +// // +// Convenience class used to dump the parameters of a GeoShape to a // +// printable form (represented by a QStringList) // +// // +// Original code by Joe Boudreau, adapted // +// in the present form by T. Kittelmann // +// // +/////////////////////////////////////////////////////////////////////// + +#include <QStringList> + +class GeoShape; + +class DumpShape { +public: + + static QStringList shapeToStringList(const GeoShape* shape); +private: + + DumpShape(){}; + ~DumpShape(){}; + +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/GeoSysController.h b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/GeoSysController.h new file mode 100644 index 0000000000000000000000000000000000000000..415a978f3510663d19e7fbd05c843513bd00cf79 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/GeoSysController.h @@ -0,0 +1,123 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class GeoSysController // +// // +// Description: Controller for the geometry system. // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: October 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef GEOSYSCONTROLLER_H +#define GEOSYSCONTROLLER_H + +#include "VP1Base/VP1Controller.h" +#include "VTI12GeometrySystems/VP1GeoFlags.h" +class VolumeHandle; +class SoGroup; +class SoPickStyle; +class VP1GeoTreeView; +class PhiSectionWidget; +class ZappedVolumeListModel; + +class GeoSysController : public VP1Controller { + + Q_OBJECT + +public: + + GeoSysController(IVP1System * sys); + virtual ~GeoSysController(); + + //Change defaults (call right after constructor): + void setGeometrySelectable(bool); + void setZoomToVolumeOnClick(bool); + void setComplexity(double); + + // Labels +// void setAvailableLabels(IVP1System* sys, QStringList providedLabels); + void setLabelsEnabled(bool t0s, bool hits); //!< controls whether the checkboxes are enabled or not. Set in e.g. VP1SysConf.cxx, via VP1GeometrySystem + + void actualRestoreSettings(VP1Deserialise&); + int currentSettingsVersion() const; + void actualSaveSettings(VP1Serialise&) const; + + void setLastSelectedVolume(VolumeHandle*); + VolumeHandle* lastSelectedVolume() const; + + QCheckBox * subSystemCheckBox(VP1GeoFlags::SubSystemFlag) const;//Checkbox will be disabled + //if corresponding geometry + //is not present in job. + + SoGroup * drawOptions() const; + SoPickStyle * pickStyle() const; + VP1GeoTreeView * volumeTreeBrowser() const; + PhiSectionWidget * phiSectionWidget() const; + ZappedVolumeListModel * zappedVolumeListModel() const; + + /////////////////////////////////// + // Access Methods for settings // + /////////////////////////////////// + + //Those only queried on-demand: + bool printInfoOnClick_Shape() const; + bool printInfoOnClick_Material() const; + bool printInfoOnClick_CopyNumber() const; + bool printInfoOnClick_Transform() const; + bool printInfoOnClick_Tree() const; + bool printInfoOnClick_Mass() const; + bool zoomToVolumeOnClick() const; + + //Settings with change signals: + + float transparency() const; + bool showVolumeOutLines() const; + int labels() const; + QList<int> labelPosOffset() ; //!< Offset in x,y,z + + /////////////////////////////////////// + // Signals for changes in settings // + /////////////////////////////////////// +signals: + + //Change signals: + void transparencyChanged(float); + void showVolumeOutLinesChanged(bool); + void labelsChanged(int); + void labelPosOffsetChanged(QList<int>); + + //Signals without state: + void resetSubSystems(VP1GeoFlags::SubSystemFlags); + void autoExpandByVolumeOrMaterialName(bool,QString);//volname: (false,namestr), matname: (true,namestr) + void actionOnAllNonStandardVolumes(bool);//true: zap, false: expand. + void volumeStateChangeRequested(VolumeHandle*,VP1GeoFlags::VOLSTATE);//Might not be used atm. + void volumeResetRequested(VolumeHandle*); + + void saveMaterialsToFile(QString,bool);//(filename,onlyChangedMaterials) + void loadMaterialsFromFile(QString);//filename + +private: + + class Imp; + Imp * m_d; + +private slots: + void possibleChange_transparency(); + void possibleChange_showVolumeOutLines(); + void updatePickStyle(); + void saveMaterialsRequested(); + void loadMaterialsRequested(); + void emit_autoExpandByVolumeOrMaterialName(); + void emit_actionOnAllNonStandardVolumes(); + void emit_resetSubSystems(); + void possibleChange_labels(); + void possibleChange_labelPosOffset(); +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/PhiSectorManager.h b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/PhiSectorManager.h new file mode 100644 index 0000000000000000000000000000000000000000..974a47f39fb4f4871b162e61355ecd5480260fff --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/PhiSectorManager.h @@ -0,0 +1,78 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef PHISECTORMANAGER_H +#define PHISECTORMANAGER_H + +///////////////////////////////////////////////////////////////////////// +// // +// Header file for class PhiSectorManager // +// // +// Author: Thomas Kittelmann <Thomas.Kittelmann@cern.ch> // +// // +// Initial VP1 version: September 2007 // +// // +///////////////////////////////////////////////////////////////////////// + +#include <QObject> +#include "VTI12GeometrySystems/VP1GeoFlags.h" + +class PhiSectionWidget; + +class SoSwitch; +class SoSeparator; +class SoNode; +class SbMatrix; +class VP1ExtraSepLayerHelper; +class IVP1System; + +class PhiSectorManager : public QObject { + + Q_OBJECT + +public: + + PhiSectorManager(PhiSectionWidget *, IVP1System *, QObject*parent=0); + virtual ~PhiSectorManager(); + + //Used by the geometry system to let the manager know under separator stuff for a given subsystem goes: + void registerSubSystemSeparator(VP1GeoFlags::SubSystemFlag flag,SoSeparator * subsystemsep); + + //Volume handles first call this method to figure out what kind of volume they are: + int getVolumeType(const SbMatrix& transform, SoNode * shape) const; + //The return value, iphi, indicates the type: + // 0...(nphi-1): Volume with a bounding box not around the Z axis. + // -1: Volume has bounding box around Z-axis, but can not be dynamically altered (probably boolean) + // -2: Volume is around Z-axis AND can be dynamically subdivided (SoTubs, SoCons, SoPcons, SoLAr). + //if return value was >=-1, attach it via (iphi is the return value from getVolumeType): + VP1ExtraSepLayerHelper * getSepHelperForNode(VP1GeoFlags::SubSystemFlag flag, int iphi); + + /** Addition to handle label separators, in exactly the same way as getSepHelperForNode(...)*/ + VP1ExtraSepLayerHelper * getLabelSepHelperForNode(VP1GeoFlags::SubSystemFlag flag, int iphi); + //if return value was -2, a call to the following is required + //instead (again the returned helper is to be used to attach/detach + //the nodesep to the scenegraph: + VP1ExtraSepLayerHelper * registerVolumeAroundZAxis( VP1GeoFlags::SubSystemFlag flag, SoSwitch* sw, const SbMatrix& tranformation ); + //NB: The switch should have your regular shape as its only child (other stuff for the dynamical volumes will be added dynamically): + //NB: "tranformation" must be the complete transformation up to the shape. + + //For updating the phi-slicings: + void updateRepresentationsOfVolsAroundZAxis(); + + //If changing the states of a lot of volume handles, call these before and after. + void largeChangesBegin(); + void largeChangesEnd(); + +protected slots: + void enabledPhiSectorsChanged(); + void updateEnabledPhiSections(int); + +private: + + class Imp; + Imp * m_d; + +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/VP1GeoFlags.h b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/VP1GeoFlags.h new file mode 100644 index 0000000000000000000000000000000000000000..6fdd338081b118d5c933a78c6d1f93c67c720b4e --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/VP1GeoFlags.h @@ -0,0 +1,93 @@ +/* + Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class VP1GeoFlags // +// // +// Description: Flags for geometry system. // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: October 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef VP1GEOFLAGS_H +#define VP1GEOFLAGS_H + +#include <QFlags> +#include <QString> + +class VP1GeoFlags { +public: + + enum SubSystemFlag { // 32-bits hexadecimal bitmask + + None = 0x00000000, + Veto = 0x00000001, + Trigger = 0x00000002, + Preshower = 0x00000004, + + SCT = 0x00000008, + + Ecal = 0x00000010, + // Pixel = 0x00000001, // bit 0 + // SCT = 0x00000002, // 1 + // TRT = 0x00000004, // 2 + // InDetServMat = 0x00000008, // 3 + + // LAr = 0x00000010, // 4 + // Tile = 0x00000020, // 5 + // BarrelToroid = 0x00000040, // 6 - FIXME - make barrel + // MuonBarrelStationInner = 0x00000080, // 7 + + // MuonBarrelStationMiddle = 0x00000100, // 8 + // MuonBarrelStationOuter = 0x00000200, // 9 + // MuonEndcapStationCSC = 0x00000400, // 10 + // MuonEndcapStationTGC = 0x00000800, // 11 + + // MuonEndcapStationMDT = 0x00001000, // 12 + // AllMuonChambers = 0x00001F80, // == all bits occupied by the Muon chambers (80+100+200+400+800+1000) + // CavernInfra = 0x00002000, // 13 + // BeamPipe = 0x00004000, // 14 + // // free = 0x00008000, // 15 + + // LUCID = 0x00010000, // 16 + // ZDC = 0x00020000, // 17 + // ALFA = 0x00040000, // 18 + // ToroidECA = 0x00080000, // 19 + + // ToroidECC = 0x00100000, // 20 FIXME! Remove and cleanup nomenclature + // MuonFeet = 0x00200000, // 21 + // MuonShielding = 0x00400000, // 22 + // MuonToroidsEtc = 0x00800000, // 23 + + // MuonEndcapStationNSW = 0x01000000, // 24 + // ForwardRegion = 0x02000000, // 25 + // free = 0x04000000, // 26 + // free = 0x08000000, // 27 + + // free = 0x10000000, // 28 + // free = 0x20000000, // 29 + // free = 0x40000000, // 30 + AllUnrecognisedVolumes = 0x80000000 // bit 31 + }; + Q_DECLARE_FLAGS(SubSystemFlags, SubSystemFlag) + + //VolumeState: + enum VOLSTATE { CONTRACTED,//Show volume if parent is EXPANDED, never show children. + EXPANDED,//Dont show volume ( => show all un-zapped children or their children as appropriate). + ZAPPED//Dont show volume ( => show no children). + }; + static QString toString(const VOLSTATE&); + +private: + VP1GeoFlags(); + ~VP1GeoFlags(); +}; + +Q_DECLARE_OPERATORS_FOR_FLAGS(VP1GeoFlags::SubSystemFlags) + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/VP1GeoTreeView.h b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/VP1GeoTreeView.h new file mode 100644 index 0000000000000000000000000000000000000000..dffa89424d719d7d8fc2fafb0734bee06e5694a2 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/VP1GeoTreeView.h @@ -0,0 +1,48 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class VP1GeoTreeView // +// // +// Description: ... // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: January 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef VP1GEOTREEVIEW_H +#define VP1GEOTREEVIEW_H + +#include <QTreeView> + +class VP1GeoTreeView : public QTreeView { + + Q_OBJECT + +public: + + VP1GeoTreeView(QWidget * parent = 0); + virtual ~VP1GeoTreeView(); + +public slots: + void updateAllNonHiddenIndices();//Useful, but not particularly inexpensive to call. + void scheduleUpdateOfAllNonHiddenIndices();//Will call the previous + //method after event + //queue is empty. Even if + //this method is called + //multiple times before + //that happens, only one + //update will be + //triggered. +private: + + class Imp; + Imp * m_d; + +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/VP1GeomUtils.h b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/VP1GeomUtils.h new file mode 100644 index 0000000000000000000000000000000000000000..29f343da46ce33fbb38c8d2193f76b3f16a8182c --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/VP1GeomUtils.h @@ -0,0 +1,23 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef VP1GEOMUTILS_H +#define VP1GEOMUTILS_H + +class GeoMaterial; +class GeoElement; +#include <QStringList> + +class VP1GeomUtils { +public: + + static QStringList geoMaterialToStringList(const GeoMaterial*); + static QStringList geoElementToStringList(const GeoElement*); + +private: + VP1GeomUtils() {} + ~VP1GeomUtils() {} +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/VP1GeometrySystem.h b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/VP1GeometrySystem.h new file mode 100644 index 0000000000000000000000000000000000000000..15017454c9684025a0201a810549b5566783ade5 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/VP1GeometrySystem.h @@ -0,0 +1,94 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef VP1GEOMETRYSYSTEM_H +#define VP1GEOMETRYSYSTEM_H + +///////////////////////////////////////////////////////////////////////// +// // +// Header file for class VP1GeometrySystem // +// // +// Author: Thomas Kittelmann <Thomas.Kittelmann@cern.ch> // +// // +// Derived from V-atlas geometry system by Joe Boudreau. // +// Origins of initial version dates back to ~1996, initial VP1 // +// version by TK (May 2007) and almost entirely rewritten Oct 2007 // +// // +///////////////////////////////////////////////////////////////////////// + +#include "VP1Base/IVP13DSystemSimple.h" +#include "GeoModelKernel/GeoPVConstLink.h"//It would be good to get rid of this. +#include "VTI12GeometrySystems/VP1GeoFlags.h" +#include "VTI12GeometrySystems/VolumeHandle.h"//fixme +#include <set> +#include <map> +#include <QStack> +#include <QString> + +class VP1GeometrySystem : public IVP13DSystemSimple { + + Q_OBJECT + +public: + + + VP1GeometrySystem( const VP1GeoFlags::SubSystemFlags& SubSystemsTurnedOn = VP1GeoFlags::None, + QString name = "Geo" ); + virtual ~VP1GeometrySystem(); + + //Method that channel can use to override defaults: + void setGeometrySelectable(bool); + void setZoomToVolumeOnClick(bool); + void setOrientViewToMuonChambersOnClick(bool); + + + QWidget * buildController(); + + void systemcreate(StoreGateSvc*detstore); + void buildPermanentSceneGraph(StoreGateSvc* detstore, SoSeparator *root); + void buildEventSceneGraph(StoreGateSvc*, SoSeparator *) {} + void userPickedNode(SoNode* pickedNode, SoPath *pickedPath); + void systemuncreate(); + + QByteArray saveState(); + void restoreFromState(QByteArray); + void enableMuonChamberLabels(bool, bool);//!< first is t0s, 2nd is hits + +signals: + void appropriateMDTProjectionsChanged(int);//To give hints to prd/track/segment systems about + //0: No projections, 1: Project to end of tubes, 2: Project to end of chamber volume. + void plotSpectrum(QStack<QString>&, int copyNumber=-1); // Send information about selected volume to the VP1UtilitySystems::PartSpectSystem + //The stack represents the path to the selected volume. The entries of this patch have form Volname::CopyNo + //The Volname is either physical volume name, or, in case the former is absent, the logical volume name + //The ::CopyNo suffix is added only when CopyNo is applicable + +public slots: + + void setCurvedSurfaceRealism(int);//Accepts values in the range 0..100. +protected slots: + void checkboxChanged(); + void updateTransparency(); + + // void autoAdaptPixelsOrSCT(bool,bool,bool,bool,bool,bool);//pixel,brl,ecA,ecC,bcmA,bcmC + void resetSubSystems(VP1GeoFlags::SubSystemFlags); + void autoExpandByVolumeOrMaterialName(bool,QString);//volname: (false,namestr), matname: (true,namestr) + void actionOnAllNonStandardVolumes(bool);//true: zap, false: expand. + + void volumeStateChangeRequested(VolumeHandle*,VP1GeoFlags::VOLSTATE); + void volumeResetRequested(VolumeHandle*); + + void setShowVolumeOutLines(bool); + + void saveMaterialsToFile(QString,bool);//(filename,onlyChangedMaterials) + void loadMaterialsFromFile(QString);//filename + + void setLabels(int); + void setLabelPosOffsets(QList<int>); + +protected: + class Imp; + Imp * m_d; +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/VisAttributes.h b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/VisAttributes.h new file mode 100644 index 0000000000000000000000000000000000000000..b2b9ac46085c44dd58440d99f059467c63056cb7 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/VisAttributes.h @@ -0,0 +1,71 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef VP1GEOMETRYSYSTEMS_GEOVISATTRIBUTES_H +#define VP1GEOMETRYSYSTEMS_GEOVISATTRIBUTES_H + +#include <string> +#include <QByteArray> +#include <QMap> +#include <QString> +class SoMaterial; + +class VisAttributes { + + public: + + // Constructor: + VisAttributes(); + //delete copy + VisAttributes(const VisAttributes &) = delete; + //delete assignment + VisAttributes & operator=(const VisAttributes &)=delete; + void init();//Call at end of constructor in derived classes. + // Destructor: + virtual ~VisAttributes(); + + // Fetch a material + SoMaterial *get(const std::string & name) const; + + //Override transparencies of materials (will multiply current transparencies): + void overrideTransparencies(float transpfact); + + QByteArray getState(bool onlyChangedMaterials=true); + void applyState(QByteArray); + + protected: + + // Add a material + void add(const std::string & name, SoMaterial *); + + private: + + class Imp; + Imp * m_d; + + +}; + + +// A list of Vis attributes for Detectors: +class DetVisAttributes : public VisAttributes { + public: + DetVisAttributes(); +}; + + +// A list of Vis attributes for Materials: +class MatVisAttributes : public VisAttributes { + public: + MatVisAttributes(); +}; + + +// A list of Vis attributes for Volumes: +class VolVisAttributes : public VisAttributes { + public: + VolVisAttributes(); +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/VolumeHandle.h b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/VolumeHandle.h new file mode 100644 index 0000000000000000000000000000000000000000..8ea6993589ae0ba38b8957830b84de74b0cdc424 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/VolumeHandle.h @@ -0,0 +1,174 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef VOLUMEHANDLE_H +#define VOLUMEHANDLE_H + +#include <vector> + +#include "VTI12GeometrySystems/VP1GeoFlags.h" +#include "GeoModelKernel/GeoPVConstLink.h" +#include <QString> + +//Only initialises child classes on demand. And even then their SoNodes are not initialised until they must be shown. +class VolumeHandleSharedData; +class SoMaterial; +class SoSeparator; +class GeoMaterial; +#include <Inventor/C/errors/debugerror.h> +#include <Inventor/SbMatrix.h> + +class VolumeHandle { +public: + + enum MuonChamberState { NONMUONCHAMBER,//Default + MUONCHAMBERCHILD,//Top-level parent is muon chamber + MUONCHAMBER,//Muon chamber, adjusted to event data + MUONCHAMBER_DIRTY };//Muon chamber, not adjusted to event data + inline bool isInMuonChamber() const;//Muon chamber volume or muon chamber offspring + inline bool isMuonChamber() const;//Muon chamber volume (top-level volume) + inline void setMuonChamberDirty(bool);//Don't call unless isMuonChamber() + inline bool muonChamberDirty() const;//if is a muon chamber volume which is dirty + inline MuonChamberState muonChamberState() const; + + VolumeHandle(VolumeHandleSharedData * ,VolumeHandle * parent, const GeoPVConstLink&,int childNumber, + const MuonChamberState& mcs = NONMUONCHAMBER, const SbMatrix& accumTrans = SbMatrix() ); + + virtual ~VolumeHandle();//lots of stuff to do here! + //Used (recursively) upon deletion (never delete before children are deleted). + void initialiseChildren(); + inline bool childrenAreInitialised() const; //Always check this before getting the child list iterators + unsigned nChildren() const;//Works even before children are initialised + + SoMaterial * material(); + + //Information for printout: + QString getName() const; + int copyNumber() const;//Returns -1 if doesnt have a valid copy number (because volume is not replicated), -2 in case of error. + quint32 hashID() const;//For vp1 persistification + + GeoPVConstLink geoPVConstLink() const; + const GeoMaterial * geoMaterial() const; + std::string getNameStdString() const; + + bool hasName(const std::string&) const; + + const SbMatrix& getGlobalTransformToVolume() const;//Transform from world to this volume. + SbMatrix getLocalTransformToVolume() const;//Transform from mother (=world for treetops) to this volume. + + bool isPositiveZ() const;//Uses getGlobalTransformToVolume to figure out whether Z of the transformation. + + ///////////////////// + // Navigation: // + ///////////////////// + typedef std::vector<VolumeHandle *> VolumeHandleList; + typedef VolumeHandleList::iterator VolumeHandleListItr; + typedef VolumeHandleList::const_iterator VolumeHandleListConstItr; + + inline VolumeHandle * parent();//returns 0 if toplevel. + inline VolumeHandle * topLevelParent();//goes up through parents and returns the toplevel one (returns itself if toplevel). + inline VolumeHandleListItr childrenBegin();//Dont use if not childrenAreInitialised(). + inline VolumeHandleListItr childrenEnd();//Dont use if not childrenAreInitialised() + inline VolumeHandle * child(int index) const;//Will crash if out of range! + inline int childNumber() const; + + // void zoomToVolume(SoCamera*, SoSeparator * root); + // void ensureVisibleInTreeWidget(); + + inline VP1GeoFlags::VOLSTATE state() const; + void setState( const VP1GeoFlags::VOLSTATE& state ); + void reset();//Set state of volume and all daughters to contracted + bool isAttached() const; + void contractDaughtersRecursively(); + + bool isEther() const; + void expandMothersRecursivelyToNonEther();//expands the tree down to volumes that are either not ether or without children + + bool isInitialisedAndHasNonStandardShape() const;//True if the 3D shape of this volume can not be represented by standard VRML nodes. + + SoSeparator * nodeSoSeparator() const;//Returns pointer to 3D representation of volume (null if not built yet). + void ensureBuildNodeSep(); + + //Convenience: + // void zap(); + // void ensureVisible(); + // void expandAllChildren(unsigned limit = 50); + + // void ensureVisibleInTreeWidget(); + // double mass() const; + // int copyNumber() const; + // ... + // Get SoNodes, pvconstlink, ... + + void updateLabels(); + + QByteArray getPersistifiableState() const; + void applyPersistifiableState(QByteArray); + + // Which subsystem I'm in? + VP1GeoFlags::SubSystemFlag subsystem() const; + + // For labels + virtual QString getDescriptiveName() const; + virtual QString muonChamberT0(unsigned int=0) const; + +public: + class Imp;//For once this is declared public. This is to avoid + //problems with datastream operators. +private: + + // Illegal to copy/assign a VolumeHandle: + VolumeHandle(const VolumeHandle & ); + VolumeHandle & operator= (const VolumeHandle & ); + + Imp * m_d; + + //Here for inline methods: + const int m_childNumber;//0 if the first child of parent, 1 if the second, etc. + const unsigned m_nchildren;//cached for efficiency. + MuonChamberState m_muonChamberState; + + VolumeHandle * m_parent; + VolumeHandleList m_children; + VP1GeoFlags::VOLSTATE m_state; + //Some of these could be moved to private implementation with some care: + bool haveParentsNotExpanded() const; + void attachAllContractedChildren();//also checks children of expanded children (recursively). + void detachAllContractedChildren();//also checks children of expanded children (recursively). +}; + +///////////////// +// INLINES // +///////////////// + +inline VolumeHandle * VolumeHandle::parent() { return m_parent; } +inline VolumeHandle * VolumeHandle::topLevelParent() { return m_parent ? m_parent->topLevelParent() : this; } +inline bool VolumeHandle::childrenAreInitialised() const { return m_children.size()==m_nchildren; } +inline VolumeHandle::VolumeHandleListItr VolumeHandle::childrenBegin() { return m_children.begin(); } +inline VolumeHandle::VolumeHandleListItr VolumeHandle::childrenEnd() { return m_children.end(); } +inline unsigned VolumeHandle::nChildren() const { return m_nchildren; } +inline VolumeHandle * VolumeHandle::child(int index) const { return m_children.at(index); } +inline int VolumeHandle::childNumber() const { return m_childNumber; } +inline VP1GeoFlags::VOLSTATE VolumeHandle::state() const { return m_state; } +inline bool VolumeHandle::isInMuonChamber() const { return m_muonChamberState!=NONMUONCHAMBER; } +inline bool VolumeHandle::isMuonChamber() const { return m_muonChamberState==MUONCHAMBER || m_muonChamberState==MUONCHAMBER_DIRTY; } +inline VolumeHandle::MuonChamberState VolumeHandle::muonChamberState() const { return m_muonChamberState; } +inline void VolumeHandle::setMuonChamberDirty(bool b) { if (isMuonChamber()) m_muonChamberState = b?MUONCHAMBER_DIRTY:MUONCHAMBER; } +inline bool VolumeHandle::muonChamberDirty() const { return m_muonChamberState==MUONCHAMBER_DIRTY; } +inline void VolumeHandle::reset() { + setState( VP1GeoFlags::CONTRACTED ); + contractDaughtersRecursively(); +} +inline QString VolumeHandle::getDescriptiveName() const { + QString name = getName(); + name.remove("_Station"); + return name; +} + +inline QString VolumeHandle::muonChamberT0(unsigned int /**i*/) const { + return QString(); +} + + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/VolumeHandleSharedData.h b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/VolumeHandleSharedData.h new file mode 100644 index 0000000000000000000000000000000000000000..dbc9b1d35d5e66ec2984581dc9bf5d399513beb9 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/VolumeHandleSharedData.h @@ -0,0 +1,72 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef VOLUMEHANDLESHAREDDATA_H +#define VOLUMEHANDLESHAREDDATA_H + +//This reference counted class keeps data (and related methods) which are common +//for all volume handle nodes under a given top-level handle. + +#include "GeoModelKernel/GeoPVConstLink.h" +#include "VTI12GeometrySystems/VP1GeoFlags.h" +#include <map> +class SoNode; +class SoGroup; +class SoSeparator; +class VolumeHandle; +class SoMaterial; +class PhiSectorManager; +class ZappedVolumeListModel; +class MatVisAttributes; +class VolVisAttributes; +class VP1GeoTreeView; +class GeoSysController; + +class VolumeHandleSharedData { +public: + VolumeHandleSharedData(GeoSysController * controller,VP1GeoFlags::SubSystemFlag,std::map<SoSeparator*,VolumeHandle*>* sonodesep2volhandle, + const GeoPVConstLink& motherpV,PhiSectorManager*, + SoMaterial * topMaterial,MatVisAttributes *,VolVisAttributes *, + ZappedVolumeListModel *, VP1GeoTreeView *, SoSeparator*); + ~VolumeHandleSharedData(); + void ref(); + void unref(); + + //Fixme: Inline? + GeoPVConstLink geoPVConstLinkOfTreeTopsMother() const; + PhiSectorManager* phiSectorManager() const; + VP1GeoFlags::SubSystemFlag subSystemFlag() const; + SoMaterial * fallBackTopLevelMaterial() const; + VP1GeoTreeView * volumeBrowser() const { return m_volumebrowser; } + MatVisAttributes * matVisAttributes() const; + VolVisAttributes * volVisAttributes() const; + inline SoSeparator* textSep() const {return m_textSep;} + GeoSysController* controller() const; + void addZappedVolumeToGui(VolumeHandle*); + void removeZappedVolumesFromGui(VolumeHandle*); + + SoNode * toShapeNode(const GeoPVConstLink& pV);//Returns shape of pV->getLogVol() (uses shared instancing as appropriate) + SoNode * getSoCylinderOrientedLikeGeoTube(const double& radius, const double& halfLength);//(uses shared instancing as appropriate) + + void registerNodeSepForVolumeHandle(SoSeparator*,VolumeHandle*); + + static void setShowVolumeOutlines(SoGroup*nodesep,bool showvol); + + +private: + + // It is illegal to copy/assign a VolumeHandleSharedData: + VolumeHandleSharedData(const VolumeHandleSharedData & ); + VolumeHandleSharedData & operator= (const VolumeHandleSharedData & ); + + class Imp; + Imp * m_d; + + //For inlines: + VP1GeoTreeView * m_volumebrowser; + SoSeparator* m_textSep; //!< base text sep + +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/VolumeTreeModel.h b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/VolumeTreeModel.h new file mode 100644 index 0000000000000000000000000000000000000000..964787fe2c48f70f3d358fc3591a52f392e90ebd --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/VolumeTreeModel.h @@ -0,0 +1,51 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef VOLUMETREEMODEL_H +#define VOLUMETREEMODEL_H + +#include <QAbstractItemModel> + +#include "VTI12GeometrySystems/VolumeHandle.h" +#include "VTI12GeometrySystems/VP1GeoFlags.h" +#include "VP1Base/VP1Msg.h" + +class VolumeTreeModel : public QAbstractItemModel { + + Q_OBJECT + +public: + + VolumeTreeModel( QObject * parent = 0 ); + virtual ~VolumeTreeModel(); + + //These are the methods used by the geometry system: + void addSubSystem( VP1GeoFlags::SubSystemFlag flag, + const VolumeHandle::VolumeHandleList& roothandles ); + void enableSubSystem(VP1GeoFlags::SubSystemFlag flag); + void disableSubSystem(VP1GeoFlags::SubSystemFlag flag); + + void getRootHandles(std::vector<std::pair<VolumeHandle::VolumeHandleListItr,VolumeHandle::VolumeHandleListItr> >&) const; + + //The following are for use by the view: + QModelIndex index(int, int, const QModelIndex&) const; + QModelIndex parent(const QModelIndex&) const; + int rowCount(const QModelIndex&) const; + int columnCount(const QModelIndex& idx) const { return rowCount(idx) > 0 ? 1 : 0; } + QVariant data(const QModelIndex&, int) const; + Qt::ItemFlags flags(const QModelIndex &index) const; + QVariant headerData(int section, Qt::Orientation orientation,int role) const; + bool hasChildren ( const QModelIndex & parent = QModelIndex() ) const; + bool canFetchMore ( const QModelIndex & parent ) const; + void fetchMore ( const QModelIndex & parent ); + + //To be called from system uncreate: + void cleanup(); +private: + class Imp; + Imp * m_d; + +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/ZappedVolumeListModel.h b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/ZappedVolumeListModel.h new file mode 100644 index 0000000000000000000000000000000000000000..30478bdca8ecdb948f63cda8b2b51eec014d6c6d --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/VTI12GeometrySystems/ZappedVolumeListModel.h @@ -0,0 +1,75 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef ZAPPEDVOLUMELISTMODEL_H +#define ZAPPEDVOLUMELISTMODEL_H + +#include <QAbstractListModel> +#include <QList> +#include "VTI12GeometrySystems/VolumeHandle.h" + +class QWidget; +class QToolBox; + +class ZappedVolumeListModel : public QAbstractListModel { + + Q_OBJECT + +public: + + ZappedVolumeListModel(QObject * parent = 0); + + virtual ~ZappedVolumeListModel(); + + inline int rowCount ( const QModelIndex & parent = QModelIndex() ) const; + inline Qt::ItemFlags flags ( const QModelIndex & index ) const; + inline QVariant data ( const QModelIndex & index, int role = Qt::DisplayRole ) const; + + //For use by VolumeHandleSharedData's: + inline void addToZappedVolumes( VolumeHandle * );//Assumes that the handle is known not to be zapped before. + inline void removeFromZappedVolumes( VolumeHandle * );//Assumes that the handle is known to be zapped before. + +public slots: + void activated(const QModelIndex&); + +private: + + QList<VolumeHandle*> m_zappedhandles; +}; + +///////////////// +// INLINES // +///////////////// + +inline int ZappedVolumeListModel::rowCount ( const QModelIndex & parent ) const +{ + return parent.isValid() ? 0 : m_zappedhandles.count(); +} + +inline Qt::ItemFlags ZappedVolumeListModel::flags ( const QModelIndex & index ) const +{ + return index.isValid() ? (Qt::ItemIsEnabled|Qt::ItemIsSelectable) : static_cast<Qt::ItemFlags>(0); +} + + +inline QVariant ZappedVolumeListModel::data ( const QModelIndex & index, int role ) const +{ + return (role!=Qt::DisplayRole||!index.isValid()) ? QVariant() : m_zappedhandles.at(index.row())->getName(); +} + +inline void ZappedVolumeListModel::addToZappedVolumes( VolumeHandle * handle ) +{ + beginResetModel(); // see: http://doc.qt.io/qt-5/qabstractitemmodel-obsolete.html + m_zappedhandles << handle; + endResetModel(); +} + +inline void ZappedVolumeListModel::removeFromZappedVolumes( VolumeHandle * handle ) +{ + beginResetModel(); + m_zappedhandles.removeAll(handle); + endResetModel(); +} + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/DumpShape.cxx b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/DumpShape.cxx new file mode 100644 index 0000000000000000000000000000000000000000..a40832effecd21f8b7166e3d2fef49339d3e41ef --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/DumpShape.cxx @@ -0,0 +1,240 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#include "VTI12GeometrySystems/DumpShape.h" + +#include "GeoPrimitives/GeoPrimitives.h" +#include "GeoModelKernel/GeoShape.h" +#include "GeoModelKernel/GeoBox.h" +#include "GeoModelKernel/GeoTubs.h" +#include "GeoModelKernel/GeoTube.h" +#include "GeoModelKernel/GeoCons.h" +#include "GeoModelKernel/GeoTrap.h" +#include "GeoModelKernel/GeoTrd.h" +#include "GeoModelKernel/GeoPcon.h" +#include "GeoModelKernel/GeoPgon.h" +#include "GeoModelKernel/GeoPara.h" +#include "GeoModelKernel/GeoShapeShift.h" +#include "GeoModelKernel/GeoShapeUnion.h" +#include "GeoModelKernel/GeoShapeIntersection.h" +#include "GeoModelKernel/GeoShapeSubtraction.h" +#include "GeoModelKernel/GeoGenericTrap.h" + +#include "CLHEP/Units/SystemOfUnits.h" +#include "CLHEP/Vector/TwoVector.h" + +#include "VTI12Utils/VP1LinAlgUtils.h" +#include "Inventor/SbMatrix.h" +#include <cassert> + +//Fixme: Add support for the SimpleBREP GeoShape. + +//____________________________________________________________________ +QStringList DumpShape::shapeToStringList(const GeoShape* shape) +{ + QStringList out; + + if(shape->typeID() == GeoBox::getClassTypeID() ) { + const GeoBox* theBox = dynamic_cast<const GeoBox*> (shape); + assert(theBox); + if (theBox){ + out << " =========> Box:"; + out << " X = "+QString::number(theBox->getXHalfLength()/CLHEP::mm)+" mm"; + out << " Y = "+QString::number(theBox->getYHalfLength()/CLHEP::mm)+" mm"; + out << " Z = "+QString::number(theBox->getZHalfLength()/CLHEP::mm)+" mm"; + } + } else if(shape->typeID() == GeoTube::getClassTypeID() ) { + const GeoTube* theTube = dynamic_cast<const GeoTube*> (shape); + assert(theTube); + if (theTube){ + out << " =========> Tube:"; + out << " RMin = "+QString::number(theTube->getRMin()/CLHEP::mm)+" mm"; + out << " RMax = "+QString::number(theTube->getRMax()/CLHEP::mm)+" mm"; + out << " DZ = "+QString::number(theTube->getZHalfLength()/CLHEP::mm)+" mm"; + } + } else if(shape->typeID() == GeoTubs::getClassTypeID() ) { + const GeoTubs* theTubs = dynamic_cast<const GeoTubs*> (shape); + assert(theTubs); + if (theTubs){ + out << " =========> Tubs:"; + out << " RMin = "+QString::number(theTubs->getRMin()/CLHEP::mm)+" mm"; + out << " RMax = "+QString::number(theTubs->getRMax()/CLHEP::mm)+" mm"; + out << " DZ = "+QString::number(theTubs->getZHalfLength()/CLHEP::mm)+" mm"; + out << " SPhi = "+QString::number(theTubs->getSPhi()); + out << " DPhi = "+QString::number(theTubs->getDPhi()); + } + } else if(shape->typeID() == GeoTrd::getClassTypeID() ) { + const GeoTrd* theTrd = dynamic_cast<const GeoTrd*> (shape); + assert(theTrd); + if (theTrd){ + out << " =========> Trd:"; + out << " X1 = "+QString::number(theTrd->getXHalfLength1()/CLHEP::mm)+" mm"; + out << " X2 = "+QString::number(theTrd->getXHalfLength2()/CLHEP::mm)+" mm"; + out << " Y1 = "+QString::number(theTrd->getYHalfLength1()/CLHEP::mm)+" mm"; + out << " Y2 = "+QString::number(theTrd->getYHalfLength2()/CLHEP::mm)+" mm"; + out << " Z = "+QString::number(theTrd->getZHalfLength()/CLHEP::mm)+" mm"; + } + } else if(shape->typeID() == GeoPcon::getClassTypeID()) { + const GeoPcon* thePcon = dynamic_cast<const GeoPcon*>(shape); + assert(thePcon);//only in dbg builds + if (thePcon){ + out << " =========> Pcon:"; + out<<" Start phi = "+QString::number(thePcon->getSPhi())+", Delta phi = "+QString::number(thePcon->getDPhi()); + for (unsigned index=0; index < thePcon->getNPlanes(); ++index) { + out << " Plane "+QString::number(index); + out << " -> RMin = "+QString::number(thePcon->getRMinPlane(index)/CLHEP::mm)+" mm"; + out << " -> RMax = "+QString::number(thePcon->getRMaxPlane(index)/CLHEP::mm)+" mm"; + out << " -> Z = "+QString::number(thePcon->getZPlane(index)/CLHEP::mm)+" mm"; + } + } + } else if(shape->typeID() == GeoCons::getClassTypeID()) { + const GeoCons* theCons = dynamic_cast<const GeoCons*>(shape); + assert(theCons); + if (theCons){ + out << " =========> Cons:"; + out << " RMin1 = "<<QString::number(theCons->getRMin1()/CLHEP::mm)+" mm"; + out << " RMin2 = "<<QString::number(theCons->getRMin2()/CLHEP::mm)+" mm"; + out << " RMax1 = "<<QString::number(theCons->getRMax1()/CLHEP::mm)+" mm"; + out << " RMax2 = "<<QString::number(theCons->getRMax2()/CLHEP::mm)+" mm"; + out << " DZ = "<<QString::number(theCons->getDZ()/CLHEP::mm)+" mm"; + out << " SPhi = "+QString::number(theCons->getSPhi()); + out << " DPhi = "+QString::number(theCons->getDPhi()); + } + } else if(shape->typeID() == GeoPara::getClassTypeID()) { + const GeoPara* thePara = dynamic_cast<const GeoPara*>(shape); + assert(thePara); + if (thePara){ + out << " =========> Para:"; + out << " X = "+QString::number(thePara->getXHalfLength()/CLHEP::mm)+" mm"; + out << " Y = "+QString::number(thePara->getYHalfLength()/CLHEP::mm)+" mm"; + out << " Z = "+QString::number(thePara->getZHalfLength()/CLHEP::mm)+" mm"; + out << " Alpha = "+QString::number(thePara->getAlpha()); + out << " Theta = "+QString::number(thePara->getTheta()); + out << " Phi = "+QString::number(thePara->getPhi()); + } + } else if(shape->typeID() == GeoPgon::getClassTypeID()) { + const GeoPgon* thePgon = dynamic_cast<const GeoPgon*>(shape); + assert(thePgon); + if (thePgon){ + out << " =========> Pgon:"; + for (unsigned int index=0; index<thePgon->getNPlanes(); index++) + { + out << " Plane "+QString::number(index); + out << ": -> RMin = "+QString::number(thePgon->getRMinPlane(index)/CLHEP::mm)+" mm"; + out << ": -> RMax = "+QString::number(thePgon->getRMaxPlane(index)/CLHEP::mm)+" mm"; + out << " -> Z = "+QString::number(thePgon->getZPlane(index)/CLHEP::mm)+" mm"; + } + } + } else if(shape->typeID() == GeoTrap::getClassTypeID()) { + const GeoTrap* theTrap = dynamic_cast<const GeoTrap*>(shape); + assert(theTrap); + if (theTrap){ + out << " =========> Trap:"; + out << " DZ = "+QString::number(theTrap->getZHalfLength()/CLHEP::mm)+" mm"; + out << " Theta = "+QString::number(theTrap->getTheta()); + out << " Phi = "+QString::number(theTrap->getPhi()); + out << " Dydzn = "+QString::number(theTrap->getDydzn()/CLHEP::mm)+" mm"; + out << " Dxdyndzn = "+QString::number(theTrap->getDxdyndzn()/CLHEP::mm)+" mm"; + out << " Dxdypdzn = "+QString::number(theTrap->getDxdypdzn()/CLHEP::mm)+" mm"; + out << " Angleydzn = "+QString::number(theTrap->getAngleydzn()); + out << " Dydzp = "+QString::number(theTrap->getDydzp()/CLHEP::mm)+" mm"; + out << " Dxdyndzp = "+QString::number(theTrap->getDxdyndzp()/CLHEP::mm)+" mm"; + out << " Dxdypdzp = "+QString::number(theTrap->getDxdypdzp()/CLHEP::mm)+" mm"; + out << " Angleydzp = "+QString::number(theTrap->getAngleydzp()); + } + } + // Boolean volumes: + else if (shape->typeID() == GeoShapeShift::getClassTypeID() ) { + const GeoShapeShift* theShift = dynamic_cast<const GeoShapeShift*>(shape); + assert(theShift); + if (theShift){ + out << " =========> GeoShapeShift:"; + SbMatrix t; + VP1LinAlgUtils::transformToMatrix(Amg::EigenTransformToCLHEP(theShift->getX()), t); + float translation_x, translation_y, translation_z, rotaxis_x, rotaxis_y, rotaxis_z, rotangle_radians; + VP1LinAlgUtils::decodeTransformation( t, + translation_x, translation_y, translation_z, + rotaxis_x, rotaxis_y, rotaxis_z, rotangle_radians ); + out << " Information about contained transformation:"; + out << "===> Translation:"; + out << " x = "+QString::number(translation_x/CLHEP::mm)+" mm"; + out << " y = "+QString::number(translation_y/CLHEP::mm)+" mm"; + out << " z = "+QString::number(translation_z/CLHEP::mm)+" mm"; + out << "===> Rotation:"; + out << " axis x = "+QString::number(rotaxis_x); + out << " axis y = "+QString::number(rotaxis_y); + out << " axis z = "+QString::number(rotaxis_z); + out << " angle = "+QString::number(rotangle_radians*180.0/M_PI)+" deg"; + + out << " Information about contained GeoShape:"; + foreach(QString str,shapeToStringList(theShift->getOp())){ + out <<" ==> "+str; + } + } + } else if (shape->typeID() == GeoShapeUnion::getClassTypeID() ) { + const GeoShapeUnion* theUnion = dynamic_cast<const GeoShapeUnion*>(shape); + assert(theUnion); + if (theUnion){ + out << " =========> GeoShapeUnion:"; + out << " First operand:"; + foreach (QString s,shapeToStringList(theUnion->getOpA())) + out << " ==> "+s; + out << " Second operand:"; + foreach (QString s,shapeToStringList(theUnion->getOpB())) + out << " ==> "+s; + } + } else if (shape->typeID() == GeoShapeIntersection::getClassTypeID() ) { + const GeoShapeIntersection* theIntersection = dynamic_cast<const GeoShapeIntersection*>(shape); + assert(theIntersection); + if (theIntersection){ + out << " =========> GeoShapeIntersection:"; + out << " First operand:"; + foreach (QString s,shapeToStringList(theIntersection->getOpA())) + out << " ==> "+s; + out << " Second operand:"; + foreach (QString s,shapeToStringList(theIntersection->getOpB())) + out << " ==> "+s; + } + } else if (shape->typeID() == GeoShapeSubtraction::getClassTypeID() ) { + const GeoShapeSubtraction* theSubtraction = dynamic_cast<const GeoShapeSubtraction*>(shape); + assert(theSubtraction); + if (theSubtraction){ + out << " =========> GeoShapeSubtraction:"; + out << " First operand:"; + foreach (QString s,shapeToStringList(theSubtraction->getOpA())) + out << " ==> "+s; + out << " Second operand:"; + foreach (QString s,shapeToStringList(theSubtraction->getOpB())) + out << " ==> "+s; + } + } else if (shape->typeID() == GeoGenericTrap::getClassTypeID() ) { + const GeoGenericTrap* theGenericTrap = dynamic_cast<const GeoGenericTrap*>(shape); + assert(theGenericTrap); + if (theGenericTrap){ + out << " =========> GenericTrap:"; + out << " halfZlength = "+QString::number(theGenericTrap->getZHalfLength()/CLHEP::mm)+" mm"; + std::vector<CLHEP::Hep2Vector> vertices; + vertices.reserve(theGenericTrap->getVertices().size()); + for(const auto& geoVertex : theGenericTrap->getVertices()) { + vertices.push_back(CLHEP::Hep2Vector(geoVertex.x(),geoVertex.y())); + } + //in total 8 vertices by definition! + out << "==> First 4 vertices at - hz/2"; + out << "(Ax,Ay) = ( "+QString::number(vertices[0].x()/CLHEP::mm)+" , "+QString::number(vertices[0].y()/CLHEP::mm)+" ) mm"; + out << "(Bx,By) = ( "+QString::number(vertices[1].x()/CLHEP::mm)+" , "+QString::number(vertices[1].y()/CLHEP::mm)+" ) mm"; + out << "(Cx,Cy) = ( "+QString::number(vertices[2].x()/CLHEP::mm)+" , "+QString::number(vertices[2].y()/CLHEP::mm)+" ) mm"; + out << "(Dx,Dy) = ( "+QString::number(vertices[3].x()/CLHEP::mm)+" , "+QString::number(vertices[3].y()/CLHEP::mm)+" ) mm"; + out <<"==> Second 4 vertices at +hz/2"; + out << "(Ax,Ay) = ( "+QString::number(vertices[4].x()/CLHEP::mm)+" , "+QString::number(vertices[4].y()/CLHEP::mm)+" ) mm"; + out << "(Bx,By) = ( "+QString::number(vertices[5].x()/CLHEP::mm)+" , "+QString::number(vertices[5].y()/CLHEP::mm)+" ) mm"; + out << "(Cx,Cy) = ( "+QString::number(vertices[6].x()/CLHEP::mm)+" , "+QString::number(vertices[6].y()/CLHEP::mm)+" ) mm"; + out << "(Dx,Dy) = ( "+QString::number(vertices[7].x()/CLHEP::mm)+" , "+QString::number(vertices[7].y()/CLHEP::mm)+" ) mm"; + } + } else { + out << " =========> Unknown shape..."; + } + + return out; + +} diff --git a/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/GeoSysController.cxx b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/GeoSysController.cxx new file mode 100644 index 0000000000000000000000000000000000000000..1353fedded763282584f2dd452cb19486854fc01 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/GeoSysController.cxx @@ -0,0 +1,610 @@ +/* + Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class GeoSysController // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: October 2008 // +// // +//////////////////////////////////////////////////////////////// + +#define VP1IMPVARNAME m_d + +#include "VTI12GeometrySystems/GeoSysController.h" +#include "VTI12GeometrySystems/ZappedVolumeListModel.h" +#include "VP1Base/VP1Serialise.h" +#include "VP1Base/VP1Deserialise.h" +#include "VP1Base/VP1Settings.h" +#include "VP1Base/IVP1System.h" +#ifndef BUILDVP1LIGHT + #include "VTI12Utils/VP1JobConfigInfo.h" +#endif + +#include "ui_geometrysystemcontroller.h" +#include "ui_settings_display_form.h" +#include "ui_settings_iconisedvols_form.h" +#include "ui_settings_interactions_form.h" +#include "ui_settings_misc_form.h" +#include "ui_settings_treebrowser_form.h" + +#include <Inventor/nodes/SoPickStyle.h> + +#include <QFileDialog> + +#include <map> + + +//____________________________________________________________________ +class GeoSysController::Imp { +public: + GeoSysController * theclass; + Ui::GeometrySystemControllerForm ui; + Ui::GeoSysSettingsDisplayForm ui_disp; + Ui::GeoSysSettingsIconisedVolumesForm ui_iconisedvols; + Ui::GeoSysSettingsInteractionsForm ui_int; + Ui::GeoSysSettingsMiscForm ui_misc; + Ui::GeoSysSettingsTreeBrowserForm ui_treebrowser; + std::map<VP1GeoFlags::SubSystemFlag,QCheckBox*> subSysCheckBoxMap; + float last_transparency; + bool last_showVolumeOutLines; + int last_labels; //!< needed for POSSIBLECHANGE_IMP macro. + QList<int> last_labelPosOffset; //!< needed for POSSIBLECHANGE_IMP macro. + SoPickStyle * pickStyle; + VolumeHandle * lastSelectedVolHandle; + ZappedVolumeListModel * zappedVolumeListModel; + + QString lastSaveMaterialsFile; + QString lastLoadMaterialsFile; + +// std::map<QString, QList<QCheckBox*> > labelProvidingSystems; //!< First is name of system, second is list of types of information provided (system stores actual information) +}; + + +//____________________________________________________________________ +GeoSysController::GeoSysController(IVP1System * sys) + : VP1Controller(sys,"GeoSysController"), m_d(new Imp) +{ + m_d->theclass = this; + m_d->ui.setupUi(this); + + initDialog(m_d->ui_disp, m_d->ui.pushButton_settings_display); + initDialog(m_d->ui_iconisedvols, m_d->ui.pushButton_settings_iconisedvols); + initDialog(m_d->ui_int, m_d->ui.pushButton_settings_interactions); + initDialog(m_d->ui_misc, m_d->ui.pushButton_settings_misc); + initDialog(m_d->ui_treebrowser, m_d->ui.pushButton_settings_treebrowser); + + // m_d->ui_disp.widget_drawOptions->setLineWidthsDisabled(); + m_d->ui_disp.widget_drawOptions->setPointSizesDisabled(); +// m_d->ui_disp.widget_drawOptions->setBaseLightingDisabled(); + m_d->ui_disp.widget_drawOptions->setComplexity(0.6); + + m_d->pickStyle = new SoPickStyle; + m_d->pickStyle->ref(); + + #ifndef BUILDVP1LIGHT + //Possibly hide parts of gui, depending on job configuration: + if (!VP1JobConfigInfo::hasGeoModelExperiment()) { + m_d->ui.groupBox_scintillator->setVisible(false); + m_d->ui.groupBox_tracker->setVisible(false); + m_d->ui.groupBox_calorimeter->setVisible(false); + m_d->ui.groupBox_misc->setVisible(false); + message("GeoModel not properly initialised."); + } else { + // m_d->ui.groupBox_innerdetector->setVisible(VP1JobConfigInfo::hasPixelGeometry() + // || VP1JobConfigInfo::hasSCTGeometry() + // || VP1JobConfigInfo::hasTRTGeometry() + // || VP1JobConfigInfo::hasInDetServiceMaterialGeometry()); + // m_d->ui_misc.groupBox_pixelactivemodules->setVisible(VP1JobConfigInfo::hasPixelGeometry()); + // m_d->ui_misc.groupBox_sctactivemodules->setVisible(VP1JobConfigInfo::hasSCTGeometry()); + } + #endif + + + m_d->zappedVolumeListModel = new ZappedVolumeListModel(m_d->ui_iconisedvols.listView_iconisedvolumes); + m_d->ui_iconisedvols.listView_iconisedvolumes->setUniformItemSizes(true); + m_d->ui_iconisedvols.listView_iconisedvolumes->setSelectionMode(QAbstractItemView::ExtendedSelection); + m_d->ui_iconisedvols.listView_iconisedvolumes->setModel(m_d->zappedVolumeListModel); + + connect(m_d->ui_iconisedvols.listView_iconisedvolumes,SIGNAL(activated(const QModelIndex&)), + m_d->zappedVolumeListModel,SLOT(activated(const QModelIndex&))); + + ///////////////////////////////////////////////////////////////////////////////////////////////////////////// + // Setup connections which monitor changes in the controller so that we may emit signals as appropriate: // + ///////////////////////////////////////////////////////////////////////////////////////////////////////////// + + addUpdateSlot(SLOT(updatePickStyle())); + connectToLastUpdateSlot(m_d->ui_int.checkBox_geomselectable); + + addUpdateSlot(SLOT(possibleChange_showVolumeOutLines())); + connectToLastUpdateSlot(m_d->ui_disp.checkBox_showVolumeOutLines); + + addUpdateSlot(SLOT(possibleChange_transparency())); + connectToLastUpdateSlot(m_d->ui_disp.spinBox_transp); + + initLastVars(); + + //Connections for state-less signals: + + connect(m_d->ui_disp.pushButton_saveChangedMaterials,SIGNAL(clicked()),this,SLOT(saveMaterialsRequested())); + connect(m_d->ui_disp.pushButton_loadMaterials,SIGNAL(clicked()),this,SLOT(loadMaterialsRequested())); + + connect(m_d->ui_misc.pushButton_nonStandardShapes_Iconify,SIGNAL(clicked()), + this,SLOT(emit_actionOnAllNonStandardVolumes())); + connect(m_d->ui_misc.pushButton_nonStandardShapes_Expand,SIGNAL(clicked()), + this,SLOT(emit_actionOnAllNonStandardVolumes())); + + connect(m_d->ui_misc.lineEdit_expand_vols_matname,SIGNAL(returnPressed()),this,SLOT(emit_autoExpandByVolumeOrMaterialName())); + connect(m_d->ui_misc.pushButton_expand_vols_matname,SIGNAL(clicked()),this,SLOT(emit_autoExpandByVolumeOrMaterialName())); + connect(m_d->ui_misc.lineEdit_expand_vols_volname,SIGNAL(returnPressed()),this,SLOT(emit_autoExpandByVolumeOrMaterialName())); + connect(m_d->ui_misc.pushButton_expand_vols_volname,SIGNAL(clicked()),this,SLOT(emit_autoExpandByVolumeOrMaterialName())); + + connect(m_d->ui_misc.toolButton_sctmod_reset,SIGNAL(clicked(bool)),this,SLOT(emit_resetSubSystems())); + + setLastSelectedVolume(0); + + // SCINTILLATOR + m_d->subSysCheckBoxMap[VP1GeoFlags::Veto] = m_d->ui.checkBox_Veto; + m_d->subSysCheckBoxMap[VP1GeoFlags::Trigger] = m_d->ui.checkBox_Trigger; + m_d->subSysCheckBoxMap[VP1GeoFlags::Preshower] = m_d->ui.checkBox_Preshower; + + // Tracker + m_d->subSysCheckBoxMap[VP1GeoFlags::SCT] = m_d->ui.checkBox_SCT; + + // Calorimeter + m_d->subSysCheckBoxMap[VP1GeoFlags::Ecal] = m_d->ui.checkBox_Ecal; + + // MISCELLANEOUS + // OTHER + m_d->subSysCheckBoxMap[VP1GeoFlags::AllUnrecognisedVolumes] = m_d->ui.checkBox_other; + + // -> labels + addUpdateSlot(SLOT(possibleChange_labels())); + connectToLastUpdateSlot(m_d->ui_disp.groupBox_labels); + connectToLastUpdateSlot(m_d->ui_disp.checkBox_labels_names); + connectToLastUpdateSlot(m_d->ui_disp.checkBox_labels_mooret0s); + connectToLastUpdateSlot(m_d->ui_disp.checkBox_labels_mboyt0s); + connectToLastUpdateSlot(m_d->ui_disp.checkBox_labels_hits); + + addUpdateSlot(SLOT(possibleChange_labelPosOffset())); + connectToLastUpdateSlot(m_d->ui_disp.horizontalSlider_labels_xOffset); + connectToLastUpdateSlot(m_d->ui_disp.horizontalSlider_labels_yOffset); + connectToLastUpdateSlot(m_d->ui_disp.horizontalSlider_labels_zOffset); + + m_d->last_labels=0; +} + +//____________________________________________________________________ +GeoSysController::~GeoSysController() +{ + m_d->pickStyle->unref(); + delete m_d; +} + +//____________________________________________________________________ +void GeoSysController::setGeometrySelectable(bool b) +{ + m_d->ui_int.checkBox_geomselectable->setChecked(b); + updatePickStyle(); +} + +//____________________________________________________________________ +void GeoSysController::setComplexity(double c) +{ + m_d->ui_disp.widget_drawOptions->setComplexity(c); +} + +//____________________________________________________________________ +void GeoSysController::setZoomToVolumeOnClick(bool b) +{ + m_d->ui_int.checkBox_zoomToVolumes->setChecked(b); +} + +//____________________________________________________________________ +void GeoSysController::setLastSelectedVolume(VolumeHandle*vh) +{ + m_d->lastSelectedVolHandle = vh; + m_d->ui_disp.matButton_lastSel->setEnabled(vh!=0); + if (vh) { + QList<SoMaterial*> mats = m_d->ui_disp.matButton_lastSel->handledMaterials(); + if (mats.isEmpty()||mats.at(0)!=vh->material()) { + m_d->ui_disp.matButton_lastSel->clearHandledMaterials(); + m_d->ui_disp.matButton_lastSel->setMaterial(vh->material()); + } + } else { + m_d->ui_disp.matButton_lastSel->clearHandledMaterials(); + } +} + +//____________________________________________________________________ +VolumeHandle* GeoSysController::lastSelectedVolume() const +{ + return m_d->lastSelectedVolHandle; +} + +//____________________________________________________________________ +void GeoSysController::saveMaterialsRequested() +{ + const bool ctrl_isdown = (Qt::ControlModifier & QApplication::keyboardModifiers()); + const bool onlyChangedMaterials = !ctrl_isdown; + + QString filename + = QFileDialog::getSaveFileName(this, "Select geometry material file to save", + (m_d->lastSaveMaterialsFile.isEmpty()? + VP1Settings::defaultFileSelectDirectory() + :m_d->lastSaveMaterialsFile), + "VP1 geometry material files (*.vp1geomat)", + 0,QFileDialog::DontResolveSymlinks); + + if(filename.isEmpty()) + return; + + if (!filename.endsWith(".vp1geomat")) + filename += ".vp1geomat"; + + m_d->lastSaveMaterialsFile = filename; + + messageVerbose("Emitting saveMaterialsToFile(\""+filename+"\","+str(onlyChangedMaterials)+")"); + emit saveMaterialsToFile(filename,onlyChangedMaterials); + +} + +//____________________________________________________________________ +void GeoSysController::loadMaterialsRequested() +{ + QString filename = QFileDialog::getOpenFileName(this, "Select geometry material file to load", + (m_d->lastLoadMaterialsFile.isEmpty()? + VP1Settings::defaultFileSelectDirectory() + :m_d->lastLoadMaterialsFile), + "VP1 geometry material files (*.vp1geomat)", + 0,QFileDialog::DontResolveSymlinks); + if(filename.isEmpty()) + return; + + m_d->lastLoadMaterialsFile = filename; + + messageVerbose("Emitting loadMaterialsFromFile(\""+filename+"\")"); + emit loadMaterialsFromFile(filename); +} + +//____________________________________________________________________ +QCheckBox * GeoSysController::subSystemCheckBox(VP1GeoFlags::SubSystemFlag f) const +{ + std::map<VP1GeoFlags::SubSystemFlag,QCheckBox*>::const_iterator it = m_d->subSysCheckBoxMap.find(f); + return it==m_d->subSysCheckBoxMap.end() ? 0 : it->second; +} + +//____________________________________________________________________ +SoGroup * GeoSysController::drawOptions() const +{ + return m_d->ui_disp.widget_drawOptions->drawOptionsGroup(); +} + +//____________________________________________________________________ +SoPickStyle * GeoSysController::pickStyle() const +{ + return m_d->pickStyle; +} + +//____________________________________________________________________ +VP1GeoTreeView * GeoSysController::volumeTreeBrowser() const +{ + return m_d->ui_treebrowser.treeView_volumebrowser; +} + +//____________________________________________________________________ +PhiSectionWidget * GeoSysController::phiSectionWidget() const +{ + return m_d->ui_disp.phisectionwidget; +} + +//____________________________________________________________________ +ZappedVolumeListModel * GeoSysController::zappedVolumeListModel() const +{ + return m_d->zappedVolumeListModel; +} + +//____________________________________________________________________ +bool GeoSysController::zoomToVolumeOnClick() const +{ + return m_d->ui_int.checkBox_zoomToVolumes->isChecked(); +} + +//____________________________________________________________________ +bool GeoSysController::printInfoOnClick_Shape() const +{ + return m_d->ui_int.checkBox_print_shape->isChecked(); +} + +//____________________________________________________________________ +bool GeoSysController::printInfoOnClick_Material() const +{ + return m_d->ui_int.checkBox_print_material->isChecked(); +} + +//____________________________________________________________________ +bool GeoSysController::printInfoOnClick_CopyNumber() const +{ + return m_d->ui_int.checkBox_print_copyno->isChecked(); +} + +//____________________________________________________________________ +bool GeoSysController::printInfoOnClick_Transform() const +{ + return m_d->ui_int.checkBox_print_transform->isChecked(); +} + +//____________________________________________________________________ +bool GeoSysController::printInfoOnClick_Tree() const +{ + return m_d->ui_int.checkBox_print_tree->isChecked(); +} + +//____________________________________________________________________ +bool GeoSysController::printInfoOnClick_Mass() const +{ + return m_d->ui_int.checkBox_print_mass->isChecked(); +} + +//_____________________________________________________________________________________ +void GeoSysController::updatePickStyle() +{ + m_d->pickStyle->style = m_d->ui_int.checkBox_geomselectable->isChecked() + ? SoPickStyle::SHAPE : SoPickStyle::UNPICKABLE; +} + +//____________________________________________________________________ +float GeoSysController::transparency() const +{ + int v(m_d->ui_disp.spinBox_transp->value()); + return (v>=100?1.0:(v<=0?0.0:v/100.0)); +} + +//____________________________________________________________________ +bool GeoSysController::showVolumeOutLines() const +{ + return m_d->ui_disp.checkBox_showVolumeOutLines->isChecked(); +} + +//void GeoSysController::setAvailableLabels(IVP1System* sys, QStringList providedLabels){ +// messageVerbose("setAvailableLabels for "+sys->name() ); +// if (m_d->labelProvidingSystems.find(sys->name())!=m_d->labelProvidingSystems.end()) +// return; +// QList<QCheckBox*> checkboxes; +// foreach(QString label, providedLabels) { +// QCheckBox *checkbox = new QCheckBox(label, this); +// checkboxes.append(checkbox); +// } +// m_d->labelProvidingSystems[sys->name()]= checkboxes; +//// std::map<QString, QList<QCheckBox*> > labelProvidingSystems; //!< First is name of system, second is list of types of information provided (system stores actual information) +// +//} + +void GeoSysController::setLabelsEnabled(bool t0s, bool hits){ + // make sure that when labels are enabled, only the systems which we have are enabled too + if (t0s) { + connect(m_d->ui_disp.groupBox_labels,SIGNAL(toggled(bool)), + m_d->ui_disp.checkBox_labels_mooret0s,SLOT(setEnabled(bool))); + connect(m_d->ui_disp.groupBox_labels,SIGNAL(toggled(bool)), + m_d->ui_disp.checkBox_labels_mboyt0s,SLOT(setEnabled(bool))); + } else { + m_d->ui_disp.checkBox_labels_mooret0s->setEnabled(false); + m_d->ui_disp.checkBox_labels_mboyt0s->setEnabled(false); + } + if (hits) { + connect(m_d->ui_disp.groupBox_labels,SIGNAL(toggled(bool)), + m_d->ui_disp.checkBox_labels_hits,SLOT(setEnabled(bool))); + } else { + m_d->ui_disp.checkBox_labels_hits->setEnabled(false); + } + + messageVerbose("setLabelsEnabled() t0s="+str(t0s)+", hits="+str(hits)); +} + + +int GeoSysController::labels() const { + if (!m_d->ui_disp.groupBox_labels->isChecked()) return 0; + int labels=0; + if (m_d->ui_disp.checkBox_labels_names->isChecked()) labels|=0x1; + if (m_d->ui_disp.checkBox_labels_mooret0s->isChecked()) labels|=0x2; + if (m_d->ui_disp.checkBox_labels_mboyt0s->isChecked()) labels|=0x4; + // leaving space for another t0 type, if necessary + if (m_d->ui_disp.checkBox_labels_hits->isChecked()) labels|=0x10; + return labels; +} + +QList<int> GeoSysController::labelPosOffset() +{ + QList<int> values; + values << m_d->ui_disp.horizontalSlider_labels_xOffset->value(); + values << m_d->ui_disp.horizontalSlider_labels_yOffset->value(); + values << m_d->ui_disp.horizontalSlider_labels_zOffset->value(); + return values; +} + +// //____________________________________________________________________ +// void GeoSysController::emit_autoAdaptPixelsOrSCT() +// { +// bool pixel(sender()==m_d->ui_misc.toolButton_pixelmod_adapt); +// bool brl = pixel ? m_d->ui_misc.checkBox_pixelmod_barrel->isChecked() +// : m_d->ui_misc.checkBox_sctmod_barrel->isChecked(); +// bool ecA = pixel ? m_d->ui_misc.checkBox_pixelmod_endcapA->isChecked() +// : m_d->ui_misc.checkBox_sctmod_endcapA->isChecked(); +// bool ecC = pixel ? m_d->ui_misc.checkBox_pixelmod_endcapC->isChecked() +// : m_d->ui_misc.checkBox_sctmod_endcapC->isChecked(); +// bool bcmA = pixel ? m_d->ui_misc.checkBox_bcmMod_Aside->isChecked() : false; +// bool bcmC = pixel ? m_d->ui_misc.checkBox_bcmMod_Cside->isChecked() : false; + +// messageVerbose ("Emitting autoAdaptPixelsOrSCT("+str(pixel)+", "+str(brl)+","+str(ecA)+","+str(ecC)+","+str(bcmA)+","+str(bcmC)+")"); +// emit autoAdaptPixelsOrSCT(pixel,brl,ecA,ecC,bcmA,bcmC); +// } + +//____________________________________________________________________ +void GeoSysController::emit_autoExpandByVolumeOrMaterialName() +{ + bool volname(sender()==m_d->ui_misc.pushButton_expand_vols_volname + ||sender()==m_d->ui_misc.lineEdit_expand_vols_volname); + QString name(volname?m_d->ui_misc.lineEdit_expand_vols_volname->text() + :m_d->ui_misc.lineEdit_expand_vols_matname->text()); + if (name.isEmpty()) + return; + messageVerbose("emitting autoExpandByVolumeOrMaterialName("+str(!volname)+", "+name+")"); + emit autoExpandByVolumeOrMaterialName(!volname,name); +} + +//____________________________________________________________________ +void GeoSysController::emit_actionOnAllNonStandardVolumes() { + bool zap(sender()==m_d->ui_misc.pushButton_nonStandardShapes_Iconify); + messageVerbose("emitting actionOnAllNonStandardVolumes("+str(zap)+")"); + emit actionOnAllNonStandardVolumes(zap); +} + +//____________________________________________________________________ +//! Reset to the sub-system top volume. +/*! + The method reset the view to the whole sub-system + by contracting all children to the mother volume. + It does work properly only if the top sub-system + volume has a concrete shape. If, instead, it is a + mere container, then this method does not work + because it will hide the children of the top + container volume. In that case, you should implement + a custom method. + + Note: for an example of a custom solution, + please refer to the 'VP1GeometrySystem::autoAdaptMuonNSW()' + method, triggered by the emission of the 'autoAdaptMuonNSW()' + signal in the 'emit_autoAdaptMuonNSW()' of this class. +*/ +void GeoSysController::emit_resetSubSystems() +{ + VP1GeoFlags::SubSystemFlags f(0); + // if (sender()==m_d->ui_misc.toolButton_pixelmod_reset) + // f = VP1GeoFlags::Pixel; + // else + if (sender()==m_d->ui_misc.toolButton_sctmod_reset) + f = VP1GeoFlags::SCT; + messageVerbose(" Emitting resetSubSystems("+str(f)+")"); + emit resetSubSystems(f); +} + +//____________________________________________________________________ +int GeoSysController::currentSettingsVersion() const +{ + return 6; +} + +//____________________________________________________________________ +void GeoSysController::actualSaveSettings(VP1Serialise&s) const +{ + s.save(m_d->ui_disp.phisectionwidget);//version <=1 saved in old format + s.save(m_d->ui_disp.spinBox_transp); + // s.save(m_d->ui_misc.checkBox_pixelmod_barrel); + // s.save(m_d->ui_misc.checkBox_pixelmod_endcapA); + // s.save(m_d->ui_misc.checkBox_pixelmod_endcapC); + s.save(m_d->ui_misc.checkBox_sctmod_upstream); + s.save(m_d->ui_misc.checkBox_sctmod_central); + s.save(m_d->ui_misc.checkBox_sctmod_downstream); + s.save(m_d->ui_disp.widget_drawOptions); + s.save(m_d->ui_misc.lineEdit_expand_vols_matname); + s.save(m_d->ui_misc.lineEdit_expand_vols_volname); + s.save(m_d->ui_int.checkBox_geomselectable); + s.save(m_d->ui_int.checkBox_print_shape); + s.save(m_d->ui_int.checkBox_print_material); + s.save(m_d->ui_int.checkBox_print_transform); + s.save(m_d->ui_int.checkBox_print_mass); + s.save(m_d->ui_int.checkBox_print_copyno); + s.save(m_d->ui_int.checkBox_print_tree); + s.save(m_d->ui_int.checkBox_zoomToVolumes); + s.save(m_d->ui_disp.checkBox_showVolumeOutLines);//version 1+ + + // labels - version 4+ + s.save(m_d->ui_disp.groupBox_labels); + s.save(m_d->ui_disp.horizontalSlider_labels_xOffset); + s.save(m_d->ui_disp.horizontalSlider_labels_yOffset); + s.save(m_d->ui_disp.horizontalSlider_labels_zOffset); + s.save(m_d->ui_disp.checkBox_labels_names); + //version 5+ + s.save(m_d->ui_disp.checkBox_labels_mboyt0s); + s.save(m_d->ui_disp.checkBox_labels_mooret0s); + s.save(m_d->ui_disp.checkBox_labels_hits); + + s.ignoreWidget(m_d->ui_disp.matButton_lastSel); + std::map<VP1GeoFlags::SubSystemFlag,QCheckBox*>::const_iterator it,itE(m_d->subSysCheckBoxMap.end()); + for (it=m_d->subSysCheckBoxMap.begin();it!=itE;++it) + s.ignoreWidget(it->second); +} + +//____________________________________________________________________ +void GeoSysController::actualRestoreSettings(VP1Deserialise& s) +{ + if (s.version()<0||s.version()>currentSettingsVersion()) { + message("Warning: State data in .vp1 file has unsupported version ("+str(s.version())+")"); + return; + } + + if (s.version()<=1) { + s.ignoreObsoletePhiSectionWidgetState(); + s.ignoreWidget(m_d->ui_disp.phisectionwidget); + } else { + s.restore(m_d->ui_disp.phisectionwidget); + } + s.restore(m_d->ui_disp.spinBox_transp); + // s.restore(m_d->ui_misc.checkBox_pixelmod_barrel); + // s.restore(m_d->ui_misc.checkBox_pixelmod_endcapA); + // s.restore(m_d->ui_misc.checkBox_pixelmod_endcapC); + s.restore(m_d->ui_misc.checkBox_sctmod_upstream); + s.restore(m_d->ui_misc.checkBox_sctmod_central); + s.restore(m_d->ui_misc.checkBox_sctmod_downstream); + s.restore(m_d->ui_disp.widget_drawOptions); + s.restore(m_d->ui_misc.lineEdit_expand_vols_matname); + s.restore(m_d->ui_misc.lineEdit_expand_vols_volname); + s.restore(m_d->ui_int.checkBox_geomselectable); + s.restore(m_d->ui_int.checkBox_print_shape); + s.restore(m_d->ui_int.checkBox_print_material); + s.restore(m_d->ui_int.checkBox_print_transform); + s.restore(m_d->ui_int.checkBox_print_mass); + s.restore(m_d->ui_int.checkBox_print_copyno); + s.restore(m_d->ui_int.checkBox_print_tree); + s.restore(m_d->ui_int.checkBox_zoomToVolumes); + if (s.version()>=1) + s.restore(m_d->ui_disp.checkBox_showVolumeOutLines); + // labels + if (s.version()>=4){ + s.restore(m_d->ui_disp.groupBox_labels); + s.restore(m_d->ui_disp.horizontalSlider_labels_xOffset); + s.restore(m_d->ui_disp.horizontalSlider_labels_yOffset); + s.restore(m_d->ui_disp.horizontalSlider_labels_zOffset); + s.restore(m_d->ui_disp.checkBox_labels_names); + } + if (s.version()>=5){ + s.restore(m_d->ui_disp.checkBox_labels_mboyt0s); + s.restore(m_d->ui_disp.checkBox_labels_mooret0s); + s.restore(m_d->ui_disp.checkBox_labels_hits); + } + + s.ignoreWidget(m_d->ui_disp.matButton_lastSel); + std::map<VP1GeoFlags::SubSystemFlag,QCheckBox*>::const_iterator it,itE(m_d->subSysCheckBoxMap.end()); + for (it=m_d->subSysCheckBoxMap.begin();it!=itE;++it) + s.ignoreWidget(it->second); + + m_d->ui_int.groupBox_printOnSelection->setEnabled(m_d->ui_int.checkBox_geomselectable->isChecked()); + m_d->ui_int.groupBox_automaticViewReorientations->setEnabled(m_d->ui_int.checkBox_geomselectable->isChecked()); + +} + +/////////////////////////////////////////////////////////////////////////// +// Test for possible changes in values and emit signals as appropriate: +// (possibleChange_XXX() slots code provided by macros) +#define VP1CONTROLLERCLASSNAME GeoSysController +#include "VP1Base/VP1ControllerMacros.h" +POSSIBLECHANGE_IMP(transparency) +POSSIBLECHANGE_IMP(showVolumeOutLines) +POSSIBLECHANGE_IMP(labels) +POSSIBLECHANGE_IMP(labelPosOffset) + + + diff --git a/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/PhiSectorManager.cxx b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/PhiSectorManager.cxx new file mode 100644 index 0000000000000000000000000000000000000000..e7d9e839d1a2f8631761c252a6a61ee53035328e --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/PhiSectorManager.cxx @@ -0,0 +1,529 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +///////////////////////////////////////////////////////////////////////// +// // +// Implementation of class PhiSectorManager // +// // +// Author: Thomas Kittelmann <Thomas.Kittelmann@cern.ch> // +// // +// Initial VP1 version: September 2007 // +// // +///////////////////////////////////////////////////////////////////////// + +#include "VTI12GeometrySystems/PhiSectorManager.h" +#include "VP1Base/PhiSectionWidget.h" +#include "VP1Base/VP1ExtraSepLayerHelper.h" +#include "VP1Base/VP1Msg.h" +#include "VP1Base/IVP1System.h" +#include "VTI12Utils/VP1LinAlgUtils.h" + +#include <VP1HEPVis/nodes/SoTubs.h> +#include "VP1HEPVis/nodes/SoPcons.h" +#include "VP1HEPVis/nodes/SoCons.h" +#include "VP1HEPVis/nodes/SoLAr.h" + +#include <Inventor/nodes/SoSwitch.h> +#include <Inventor/nodes/SoSeparator.h> +#include <Inventor/actions/SoGetBoundingBoxAction.h> + +#include <Inventor/SbLinear.h> +#include <Inventor/SbViewportRegion.h> + +#include <map> +#include <set> +#include <cmath> + +#define NPHISECTORS 36 + +//____________________________________________________________________ +class PhiSectorManager::Imp { +public: + PhiSectionWidget * phisectionwidget; + IVP1System * system; + + std::map<VP1GeoFlags::SubSystemFlag,SoSeparator *> subsysflag2sep; + std::map<VP1GeoFlags::SubSystemFlag,SoSeparator *> subsysflag2labelsep; + std::map<VP1GeoFlags::SubSystemFlag,std::map<int,VP1ExtraSepLayerHelper*> > subsysflag_2_iphi2sephelper; + std::map<VP1GeoFlags::SubSystemFlag,std::map<int,VP1ExtraSepLayerHelper*> > subsysflag_2_iphi2labelsephelper; + std::map<VP1GeoFlags::SubSystemFlag,VP1ExtraSepLayerHelper*> subsysflag_2_volAroundZSepHelper; + + //NB: If in the future we implement the phi-sector switching on a per-subsystem basis, just keep track of which switches are from which subsystems: + std::map<int,std::set<SoSwitch*> > iphi2switches; + std::map<int,std::set<SoSwitch*> > iphi2Labelswitches; + + //The rest of the stuff is for the dynamical "slicing" of volumes around the Z-axis: + std::map<SoSwitch*,std::pair<SoTubs*,SoSeparator*> > volaroundZ_tubs; + std::map<SoSwitch*,std::pair<SoPcons*,SoSeparator*> > volaroundZ_pcons; + std::map<SoSwitch*,std::pair<SoCons*,SoSeparator*> > volaroundZ_cons; + std::map<SoSwitch*,std::pair<SoLAr*,SoSeparator*> > volaroundZ_lar; + std::map<SoSwitch*,std::pair<double,bool> > volaroundZ_switch2transfinfo;//switch -> phi rotation around z and rotated around y flag. + template <class T> + void updateRepresentationsOfVolsAroundZAxis_Specific(std::map<SoSwitch*,std::pair<T*,SoSeparator*> >& volaroundZ); + void getPhiExtentOfShape( const SoTubs* tubs, double& phistart, double& phispan); + void getPhiExtentOfShape( const SoPcons* pcons, double& phistart, double& phispan); + void getPhiExtentOfShape( const SoCons* cons, double& phistart, double& phispan); + void getPhiExtentOfShape( const SoLAr* lar, double& phistart, double& phispan); + void copyShapeFieldsAndOverridePhiRange( const SoTubs* source, SoTubs* dest, double phistart, double phispan); + void copyShapeFieldsAndOverridePhiRange( const SoPcons* source, SoPcons* dest, double phistart, double phispan); + void copyShapeFieldsAndOverridePhiRange( const SoCons* source, SoCons* dest, double phistart, double phispan); + void copyShapeFieldsAndOverridePhiRange( const SoLAr* source, SoLAr* dest, double phistart, double phispan); + int nactivelargechanges; + + QVector<bool> currentlyEnabledPhiSectors; +}; + +//____________________________________________________________________ +void PhiSectorManager::registerSubSystemSeparator(VP1GeoFlags::SubSystemFlag flag,SoSeparator * subsystemsep) +{ + assert(m_d->subsysflag2sep.find(flag)==m_d->subsysflag2sep.end()); + assert(m_d->subsysflag_2_iphi2sephelper.find(flag)==m_d->subsysflag_2_iphi2sephelper.end()); + m_d->subsysflag_2_iphi2sephelper[flag] = std::map<int,VP1ExtraSepLayerHelper*>(); + m_d->subsysflag2sep[flag] = subsystemsep; + + assert(m_d->subsysflag2labelsep.find(flag)==m_d->subsysflag2labelsep.end()); + assert(m_d->subsysflag_2_iphi2labelsephelper.find(flag)==m_d->subsysflag_2_iphi2labelsephelper.end()); + m_d->subsysflag_2_iphi2labelsephelper[flag] = std::map<int,VP1ExtraSepLayerHelper*>(); + m_d->subsysflag2labelsep[flag] = subsystemsep; +} + +//____________________________________________________________________ +VP1ExtraSepLayerHelper * PhiSectorManager::getSepHelperForNode(VP1GeoFlags::SubSystemFlag flag, int iphi) +{ + assert(iphi>=-1); + assert(m_d->subsysflag2sep.find(flag)!=m_d->subsysflag2sep.end()); + assert(m_d->subsysflag_2_iphi2sephelper.find(flag)!=m_d->subsysflag_2_iphi2sephelper.end()); + + if (m_d->subsysflag_2_iphi2sephelper[flag].find(iphi)!=m_d->subsysflag_2_iphi2sephelper[flag].end()) { + return m_d->subsysflag_2_iphi2sephelper[flag][iphi]; + } + + SoSwitch * sw = new SoSwitch; + sw->whichChild = (iphi>=0 ? m_d->phisectionwidget->virtualSectorEnabled(iphi,NPHISECTORS):!m_d->phisectionwidget->allSectorsOff()) ? SO_SWITCH_ALL : SO_SWITCH_NONE; + + if (m_d->iphi2switches.find(iphi)==m_d->iphi2switches.end()) + m_d->iphi2switches[iphi] = std::set<SoSwitch*>(); + m_d->iphi2switches[iphi].insert(sw); + + SoSeparator * sep = new SoSeparator; + sep->ref(); + VP1ExtraSepLayerHelper * sephelper = new VP1ExtraSepLayerHelper(sep); + m_d->subsysflag_2_iphi2sephelper[flag][iphi] = sephelper; + + sw->addChild(sep); + m_d->subsysflag2sep[flag]->addChild(sw); + return sephelper; +} + +//____________________________________________________________________ +VP1ExtraSepLayerHelper * PhiSectorManager::getLabelSepHelperForNode(VP1GeoFlags::SubSystemFlag flag, int iphi) +{ + assert(iphi>=-1); + assert(m_d->subsysflag2labelsep.find(flag)!=m_d->subsysflag2labelsep.end()); + assert(m_d->subsysflag_2_iphi2labelsephelper.find(flag)!=m_d->subsysflag_2_iphi2labelsephelper.end()); + + if (m_d->subsysflag_2_iphi2labelsephelper[flag].find(iphi)!=m_d->subsysflag_2_iphi2labelsephelper[flag].end()) { + return m_d->subsysflag_2_iphi2labelsephelper[flag][iphi]; + } + + SoSwitch * sw = new SoSwitch; + sw->whichChild = (iphi>=0 ? m_d->phisectionwidget->virtualSectorEnabled(iphi,NPHISECTORS):!m_d->phisectionwidget->allSectorsOff()) ? SO_SWITCH_ALL : SO_SWITCH_NONE; + + if (m_d->iphi2Labelswitches.find(iphi)==m_d->iphi2Labelswitches.end()) + m_d->iphi2Labelswitches[iphi] = std::set<SoSwitch*>(); + m_d->iphi2Labelswitches[iphi].insert(sw); + + SoSeparator * sep = new SoSeparator; + sep->ref(); + VP1ExtraSepLayerHelper * sephelper = new VP1ExtraSepLayerHelper(sep); + m_d->subsysflag_2_iphi2labelsephelper[flag][iphi] = sephelper; + + sw->addChild(sep); + m_d->subsysflag2labelsep[flag]->addChild(sw); + return sephelper; +} + +//____________________________________________________________________ +VP1ExtraSepLayerHelper * PhiSectorManager::registerVolumeAroundZAxis( VP1GeoFlags::SubSystemFlag flag, SoSwitch* sw, const SbMatrix& transf ) +{ + //Assumes that the switch, sw, has the unsliced shape node as the + //first child (0) and a separator as the second child (1), under + //which shapes representing the phi-sliced shape will be placed. + + //If not all phi sectors are visible, the sep node will be + //populated with children representing the shape cut up + //appropriately, and the switch will show the sep rather than the + //shapeWithAllPhiSectors. + + assert(sw->getNumChildren()==2); +// assert(sw->getChild(0)->getTypeId().isDerivedFrom(SoShape::getClassTypeId())); + assert(sw->getChild(1)->getTypeId()==SoSeparator::getClassTypeId()); + + SoNode* shape = static_cast<SoShape*>(sw->getChild(0)); + SoSeparator* sep = static_cast<SoSeparator*>(sw->getChild(1)); + + //Start unsliced: + if (sw->whichChild.getValue() != 0) + sw->whichChild = 0; + + // Register the shape according to type: + if (shape->getTypeId()==SoTubs::getClassTypeId()) { + m_d->volaroundZ_tubs[sw] = std::pair<SoTubs*,SoSeparator*>(static_cast<SoTubs*>(shape),sep); + } else if (shape->getTypeId()==SoPcons::getClassTypeId()) { + m_d->volaroundZ_pcons[sw] = std::pair<SoPcons*,SoSeparator*>(static_cast<SoPcons*>(shape),sep); + } else if (shape->getTypeId()==SoCons::getClassTypeId()) { + m_d->volaroundZ_cons[sw] = std::pair<SoCons*,SoSeparator*>(static_cast<SoCons*>(shape),sep); + } else { + assert(shape->getTypeId()==SoLAr::getClassTypeId()); + m_d->volaroundZ_lar[sw] = std::pair<SoLAr*,SoSeparator*>(static_cast<SoLAr*>(shape),sep); + } + + //Test: Are we roughly given by a rotation around the y-axis? + SbVec3f unitz (0.0f, 0.0f, 1.0f); + SbVec3f transfunitz; + + SbVec3f translation; SbRotation rotation; SbVec3f scaleFactor; SbRotation scaleOrientation; + transf.getTransform (translation, rotation, scaleFactor, scaleOrientation); + + rotation.multVec(unitz,transfunitz); + + float x,y,z; + transfunitz.getValue(x,y,z); + //Look at direction in x-z plane - is it consistent with z<0 and |x|<<|z|? Then we have rotated around y: + bool rotaroundy = (z<0&&std::fabs(x)*10<std::fabs(z)); + + //Test: Whats the rough value we are rotated around z? + SbVec3f unitx (1.0f, 0.0f, 0.0f); + SbVec3f transfunitx; + rotation.multVec(unitx,transfunitx); + transfunitx.getValue(x,y,z); + double phirot = VP1LinAlgUtils::phiFromXY(x, y ); + m_d->volaroundZ_switch2transfinfo[sw] = std::pair<double,bool>(phirot,rotaroundy); + + //Return the sephelper for this subsystems volumes around Z: + if (m_d->subsysflag_2_volAroundZSepHelper.find(flag)!=m_d->subsysflag_2_volAroundZSepHelper.end()) + return m_d->subsysflag_2_volAroundZSepHelper[flag]; + + SoSeparator * subsyssep_volaroundZ = new SoSeparator; + assert(m_d->subsysflag2sep.find(flag)!=m_d->subsysflag2sep.end()); + m_d->subsysflag2sep[flag]->addChild(subsyssep_volaroundZ); + + subsyssep_volaroundZ->ref(); + VP1ExtraSepLayerHelper * sephelper = new VP1ExtraSepLayerHelper(subsyssep_volaroundZ); + m_d->subsysflag_2_volAroundZSepHelper[flag] = sephelper; + return sephelper; +} + +//____________________________________________________________________ +int PhiSectorManager::getVolumeType(const SbMatrix& transform, SoNode * shape) const { + if (!shape) { + VP1Msg::message("ERROR: getVolumeType got a NULL shape pointer"); + return 0; + } + + //Step 1) Find the (projected) bounding box. + shape->ref(); + SbViewportRegion dummyvp; + SoGetBoundingBoxAction a(dummyvp);//Fixme: Cache this guy? + a.apply(shape); + SbXfBox3f xfbox = a.getXfBoundingBox(); + xfbox.transform(transform); + SbBox3f box = xfbox.project(); + shape->unrefNoDelete(); + + //Step 2) Does it enclose the Z-axis? + float minx, miny, minz, maxx, maxy, maxz; + box.getBounds(minx, miny, minz, maxx, maxy, maxz); + float x,y,z; + box.getCenter().getValue(x,y,z); + if (std::abs(x*20.0)<std::abs(std::min(minx,maxx))&&std::abs(y*20.0)<std::abs(std::min(miny,maxy))) { + // -> Yes: It is one of the volumes we can handle dynamically? + if (shape->getTypeId()==SoTubs::getClassTypeId() + ||shape->getTypeId()==SoPcons::getClassTypeId() + ||shape->getTypeId()==SoCons::getClassTypeId() + ||shape->getTypeId()==SoLAr::getClassTypeId()) { + // -> Yes: + return -2; + } else { + // -> No: + //Fixme: Move this message somewhere appropriate??? + //shape cannot be NULL here, so 'false' case is redundant (coverity 16272) + //std::string Typenametest = shape ? shape->getTypeId().getName().getString() : "NULL"; + std::string Typenametest = shape->getTypeId().getName().getString(); + m_d->system->message("WARNING: Unknown volume type (boolean?) for volume around Z-axis (type " + +QString(Typenametest.c_str())+"). Phi-sector cuts won't work for this!"); + return -1; + } + } + + //Step 3: Find phi of center and return appropriate iphi: + return PhiSectionWidget::phiToVirtualSectorIndex(VP1LinAlgUtils::phiFromXY(x,y),NPHISECTORS); + +} + +//____________________________________________________________________ +PhiSectorManager::PhiSectorManager(PhiSectionWidget * psw, IVP1System * sys, QObject*parent) + : QObject(parent), m_d(new Imp) +{ + m_d->phisectionwidget = psw; + m_d->system=sys; + m_d->nactivelargechanges = 0; + m_d->currentlyEnabledPhiSectors = QVector<bool>(NPHISECTORS,false); + QList<int> l; l << 4 << 6 << 9 << 12 << 18 << NPHISECTORS;//NB: All must be divisors in NPHISECTORS + psw->setNumberOfSectors(12); + psw->setAllowedNumberOfSectors(l); + + connect(psw,SIGNAL(enabledPhiRangesChanged(const QList<VP1Interval>&)),this,SLOT(enabledPhiSectorsChanged())); + enabledPhiSectorsChanged(); +} + +//____________________________________________________________________ +PhiSectorManager::~PhiSectorManager() +{ + + std::map<VP1GeoFlags::SubSystemFlag,std::map<int,VP1ExtraSepLayerHelper*> >::iterator it, itE = m_d->subsysflag_2_iphi2sephelper.end(); + for (it = m_d->subsysflag_2_iphi2sephelper.begin();it!=itE;++it) { + std::map<int,VP1ExtraSepLayerHelper*>::iterator it2(it->second.begin()),it2E(it->second.end()); + for (;it2!=it2E;++it2) { + SoSeparator * sep = it2->second->topSeparator(); + delete (it2->second); + sep->unref(); + } + } + + std::map<VP1GeoFlags::SubSystemFlag,std::map<int,VP1ExtraSepLayerHelper*> >::iterator it4, itE4 = m_d->subsysflag_2_iphi2labelsephelper.end(); + for (it4 = m_d->subsysflag_2_iphi2labelsephelper.begin();it4!=itE4;++it4) { + std::map<int,VP1ExtraSepLayerHelper*>::iterator it5(it4->second.begin()),it5E(it4->second.end()); + for (;it5!=it5E;++it5) { + SoSeparator * sep = it5->second->topSeparator(); + delete (it5->second); + sep->unref(); + } + } + std::map<VP1GeoFlags::SubSystemFlag,VP1ExtraSepLayerHelper*>::iterator it3,it3E = m_d->subsysflag_2_volAroundZSepHelper.end(); + for (it3 = m_d->subsysflag_2_volAroundZSepHelper.begin();it3!=it3E;++it3) { + SoSeparator * sep = it3->second->topSeparator(); + delete (it3->second); + sep->unref(); + } + delete m_d; m_d=0; +} + +//_____________________________________________________________________________________ +void PhiSectorManager::enabledPhiSectorsChanged() +{ + QVector<bool> v = m_d->phisectionwidget->virtualSectorsEnabled(NPHISECTORS); + if (m_d->currentlyEnabledPhiSectors == v) + return; + QList<int> changedPhiSectors; + for (int iphi = 0; iphi < NPHISECTORS; ++iphi) + if (m_d->currentlyEnabledPhiSectors[iphi]!=v[iphi]) + changedPhiSectors << iphi; + m_d->currentlyEnabledPhiSectors = v; + foreach (int iphi,changedPhiSectors) + updateEnabledPhiSections(iphi); +} + +//_____________________________________________________________________________________ +void PhiSectorManager::updateEnabledPhiSections(int iphi) { + bool turnedon = m_d->currentlyEnabledPhiSectors.at(iphi); + if (m_d->iphi2switches.find(iphi)!=m_d->iphi2switches.end()) { + std::set<SoSwitch*>::iterator it, itE = m_d->iphi2switches[iphi].end(); + for (it = m_d->iphi2switches[iphi].begin();it!=itE;++it) { + if ((*it)->whichChild.getValue() != (turnedon?SO_SWITCH_ALL:SO_SWITCH_NONE)) + (*it)->whichChild = (turnedon?SO_SWITCH_ALL:SO_SWITCH_NONE); + } + } + + if (m_d->iphi2Labelswitches.find(iphi)!=m_d->iphi2Labelswitches.end()) { + std::set<SoSwitch*>::iterator it, itE = m_d->iphi2Labelswitches[iphi].end(); + for (it = m_d->iphi2Labelswitches[iphi].begin();it!=itE;++it) { + if ((*it)->whichChild.getValue() != (turnedon?SO_SWITCH_ALL:SO_SWITCH_NONE)) + (*it)->whichChild = (turnedon?SO_SWITCH_ALL:SO_SWITCH_NONE); + } + } + // FIXME - need to find a way to turn on labels for recently made visible phi sections, OR build them all by default. + + //Update the switches for boolean, etc., volumes around the Z axis. + bool alloff = m_d->phisectionwidget->allSectorsOff(); + std::map<int,std::set<SoSwitch*> >::iterator it_zax_switches = m_d->iphi2switches.find(-1); + if (it_zax_switches!=m_d->iphi2switches.end()) { + std::set<SoSwitch*>::iterator it, itE = it_zax_switches->second.end(); + for (it = it_zax_switches->second.begin();it!=itE;++it) { + if ((*it)->whichChild.getValue() != (alloff?SO_SWITCH_NONE:SO_SWITCH_ALL)) + (*it)->whichChild = (alloff?SO_SWITCH_NONE:SO_SWITCH_ALL); + } + } + updateRepresentationsOfVolsAroundZAxis(); +} + +//_____________________________________________________________________________________ +void PhiSectorManager::Imp::getPhiExtentOfShape( const SoTubs* tubs, double& phistart, double& phispan) +{ + phistart = tubs->pSPhi.getValue(); + phispan = tubs->pDPhi.getValue(); +} + +//_____________________________________________________________________________________ +void PhiSectorManager::Imp::copyShapeFieldsAndOverridePhiRange( const SoTubs* source, SoTubs* dest, double phistart, double phispan) +{ + dest->pRMin.setValue(source->pRMin.getValue()); + dest->pRMax.setValue(source->pRMax.getValue()); + dest->pDz.setValue(source->pDz.getValue()); + dest->pSPhi.setValue(phistart); + dest->pDPhi.setValue(phispan); + dest->drawEdgeLines.setValue(source->drawEdgeLines.getValue()); +} + +//_____________________________________________________________________________________ +void PhiSectorManager::Imp::getPhiExtentOfShape( const SoPcons* pcons, double& phistart, double& phispan) +{ + phistart = pcons->fSPhi.getValue(); + phispan = pcons->fDPhi.getValue(); +} + +//_____________________________________________________________________________________ +void PhiSectorManager::Imp::copyShapeFieldsAndOverridePhiRange( const SoPcons* source, SoPcons* dest, double phistart, double phispan) +{ + dest->fRmin = source->fRmin; + dest->fRmax = source->fRmax; + dest->fDz = source->fDz; + dest->fSPhi.setValue(phistart); + dest->fDPhi.setValue(phispan); + dest->drawEdgeLines.setValue(source->drawEdgeLines.getValue()); +} + +//_____________________________________________________________________________________ +void PhiSectorManager::Imp::getPhiExtentOfShape( const SoCons* cons, double& phistart, double& phispan) +{ + phistart = cons->fSPhi.getValue(); + phispan = cons->fDPhi.getValue(); +} + +//_____________________________________________________________________________________ +void PhiSectorManager::Imp::copyShapeFieldsAndOverridePhiRange( const SoCons* source, SoCons* dest, double phistart, double phispan) +{ + dest->fRmin1.setValue(source->fRmin1.getValue()); + dest->fRmin2.setValue(source->fRmin2.getValue()); + dest->fRmax1.setValue(source->fRmax1.getValue()); + dest->fRmax2.setValue(source->fRmax2.getValue()); + dest->fDz.setValue(source->fDz.getValue()); + dest->fSPhi.setValue(phistart); + dest->fDPhi.setValue(phispan); +} + +//_____________________________________________________________________________________ +void PhiSectorManager::Imp::getPhiExtentOfShape( const SoLAr* lar, double& phistart, double& phispan) +{ + phistart = lar->fSPhi.getValue(); + phispan = lar->fDPhi.getValue(); +} + +//_____________________________________________________________________________________ +void PhiSectorManager::Imp::copyShapeFieldsAndOverridePhiRange( const SoLAr* source, SoLAr* dest, double phistart, double phispan) +{ + dest->fRmin = source->fRmin; + dest->fRmax = source->fRmax; + dest->fDz = source->fDz; + dest->fSPhi.setValue(phistart); + dest->fDPhi.setValue(phispan); +} + +//_____________________________________________________________________________________ +template <class T> +void PhiSectorManager::Imp::updateRepresentationsOfVolsAroundZAxis_Specific(std::map<SoSwitch*,std::pair<T*,SoSeparator*> >& volaroundZ) +{ + + typename std::map<SoSwitch*,std::pair<T*,SoSeparator*> >::iterator it, itE = volaroundZ.end(); + for (it = volaroundZ.begin();it!=itE;++it) { + if (phisectionwidget->allSectorsOff()) { + if (it->first->whichChild.getValue() != SO_SWITCH_NONE) + it->first->whichChild = SO_SWITCH_NONE; + } else if (phisectionwidget->allSectorsOn()) { + if (it->first->whichChild.getValue() != 0) + it->first->whichChild = 0; + } else { + //Update and use sep node: + SbBool save = it->first->enableNotify(false); + SoSeparator * sep = it->second.second; + sep->removeAllChildren(); + //Figure out phirot/yrot info: + std::map<SoSwitch*,std::pair<double,bool> >::iterator it_transfinfo = volaroundZ_switch2transfinfo.find(it->first); + if (it_transfinfo==volaroundZ_switch2transfinfo.end()) { + system->message("updateRepresentationsOfVolsAroundZAxis_Specific ERROR: Inconsistent maps"); + continue; + } + double phirot = it_transfinfo->second.first; + bool rotaroundy = it_transfinfo->second.second; + + double sphi, dphi; + getPhiExtentOfShape(it->second.first,sphi,dphi); + + QList<VP1Interval> ranges = phisectionwidget->enabledPhiRanges( sphi, sphi+dphi ); + + int n = ranges.count(); + for (int i = 0; i< n; ++i) { + T * shape = new T; + double deltaphi = ranges.at(i).length(); + double startphi = rotaroundy ? - ranges.at(i).upper() - 2*M_PI + phirot : ranges.at(i).lower()-phirot; + while (startphi<0) startphi += 2*M_PI; + while (startphi+deltaphi>2*M_PI) startphi -= 2*M_PI; + copyShapeFieldsAndOverridePhiRange( it->second.first, shape, startphi, deltaphi ); + sep->addChild(shape); + } + + it->first->whichChild = 1; + it->first->enableNotify(save); + if (save) + it->first->touch(); + + } + } + +} + +//_____________________________________________________________________________________ +void PhiSectorManager::updateRepresentationsOfVolsAroundZAxis() +{ + m_d->updateRepresentationsOfVolsAroundZAxis_Specific<SoTubs>(m_d->volaroundZ_tubs); + m_d->updateRepresentationsOfVolsAroundZAxis_Specific<SoPcons>(m_d->volaroundZ_pcons); + m_d->updateRepresentationsOfVolsAroundZAxis_Specific<SoCons>(m_d->volaroundZ_cons); + m_d->updateRepresentationsOfVolsAroundZAxis_Specific<SoLAr>(m_d->volaroundZ_lar); +} + +//_____________________________________________________________________________________ +void PhiSectorManager::largeChangesBegin() +{ + if (++(m_d->nactivelargechanges)==1) { + VP1Msg::messageVerbose("PhiSectorManager disabling notifications begin"); + std::map<VP1GeoFlags::SubSystemFlag,std::map<int,VP1ExtraSepLayerHelper*> >::iterator it, itE = m_d->subsysflag_2_iphi2sephelper.end(); + for (it = m_d->subsysflag_2_iphi2sephelper.begin();it!=itE;++it) { + std::map<int,VP1ExtraSepLayerHelper*>::iterator it2(it->second.begin()),it2E(it->second.end()); + for (;it2!=it2E;++it2) + it2->second->largeChangesBegin(); + } + std::map<VP1GeoFlags::SubSystemFlag,VP1ExtraSepLayerHelper*>::iterator it3,it3E = m_d->subsysflag_2_volAroundZSepHelper.end(); + for (it3 = m_d->subsysflag_2_volAroundZSepHelper.begin();it3!=it3E;++it3) + it3->second->largeChangesBegin(); + VP1Msg::messageVerbose("PhiSectorManager disabling notifications end"); + } +} + +//_____________________________________________________________________________________ +void PhiSectorManager::largeChangesEnd() +{ + if (--(m_d->nactivelargechanges)==0) { + VP1Msg::messageVerbose("PhiSectorManager enabling notifications begin"); + std::map<VP1GeoFlags::SubSystemFlag,std::map<int,VP1ExtraSepLayerHelper*> >::iterator it, itE = m_d->subsysflag_2_iphi2sephelper.end(); + for (it = m_d->subsysflag_2_iphi2sephelper.begin();it!=itE;++it) { + std::map<int,VP1ExtraSepLayerHelper*>::iterator it2(it->second.begin()),it2E(it->second.end()); + for (;it2!=it2E;++it2) + it2->second->largeChangesEnd(); + } + std::map<VP1GeoFlags::SubSystemFlag,VP1ExtraSepLayerHelper*>::iterator it3,it3E = m_d->subsysflag_2_volAroundZSepHelper.end(); + for (it3 = m_d->subsysflag_2_volAroundZSepHelper.begin();it3!=it3E;++it3) + it3->second->largeChangesEnd(); + VP1Msg::messageVerbose("PhiSectorManager enabling notifications end"); + } +} diff --git a/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/VP1GeoFlags.cxx b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/VP1GeoFlags.cxx new file mode 100644 index 0000000000000000000000000000000000000000..b1b4f324c939604ddac1536d25d5332e3a8f3c50 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/VP1GeoFlags.cxx @@ -0,0 +1,27 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class VP1GeoFlags // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: October 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12GeometrySystems/VP1GeoFlags.h" + +//____________________________________________________________________ +QString VP1GeoFlags::toString(const VOLSTATE& s) +{ + switch (s) { + case CONTRACTED: return "CONTRACTED"; + case EXPANDED: return "EXPANDED"; + case ZAPPED: return "ZAPPED"; + default: + return "<UNKNOWN>"; + } +} diff --git a/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/VP1GeoTreeView.cxx b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/VP1GeoTreeView.cxx new file mode 100644 index 0000000000000000000000000000000000000000..84d1bc4be08a3513af412e4df1d0c4337db71094 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/VP1GeoTreeView.cxx @@ -0,0 +1,70 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class VP1GeoTreeView // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: January 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12GeometrySystems/VP1GeoTreeView.h" +#include <QTimer> + +//____________________________________________________________________ +class VP1GeoTreeView::Imp { +public: + bool updatescheduled; +}; + + +//____________________________________________________________________ +VP1GeoTreeView::VP1GeoTreeView(QWidget * parent) + : QTreeView(parent), m_d(new Imp) +{ + m_d->updatescheduled = false; +} + +//____________________________________________________________________ +VP1GeoTreeView::~VP1GeoTreeView() +{ + delete m_d; +} + +//____________________________________________________________________ +void VP1GeoTreeView::updateAllNonHiddenIndices() +{ + if (m_d->updatescheduled) + m_d->updatescheduled = false; + bool save = updatesEnabled(); + setUpdatesEnabled(false); + + //The following is a bit of a hack. Could probably be done better? + QModelIndexList oldselection = selectionModel()->selectedIndexes(); + selectAll(); + QModelIndexList allindexes = selectionModel()->selectedIndexes(); + foreach ( QModelIndex idx, allindexes) { + update(idx); + } + selectionModel()->clearSelection(); + foreach ( QModelIndex idx, oldselection ) + selectionModel()->select(idx,QItemSelectionModel::Select); + + + if (save) { + setUpdatesEnabled(true); + update(); + } +} + +//____________________________________________________________________ +void VP1GeoTreeView::scheduleUpdateOfAllNonHiddenIndices() +{ + if (m_d->updatescheduled) + return; + QTimer::singleShot(0, this, SLOT(updateAllNonHiddenIndices())); +} diff --git a/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/VP1GeomUtils.cxx b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/VP1GeomUtils.cxx new file mode 100644 index 0000000000000000000000000000000000000000..0568b083a1f1afc69f8242cc71d2f02ff9fd6312 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/VP1GeomUtils.cxx @@ -0,0 +1,26 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#include "VTI12GeometrySystems/VP1GeomUtils.h" +#include "GeoModelKernel/GeoMaterial.h" +#include "GeoModelKernel/GeoElement.h" + +//______________________________________________________________________________________ +QStringList VP1GeomUtils::geoMaterialToStringList( const GeoMaterial* mat ) +{ + //Fixme: Show all info. + QStringList l; + l << mat->getName().c_str(); + return l; +} + + +//______________________________________________________________________________________ +QStringList VP1GeomUtils::geoElementToStringList( const GeoElement* elem ) +{ + //Fixme: Show all info. + QStringList l; + l << elem->getName().c_str(); + return l; +} diff --git a/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/VP1GeometrySystem.cxx b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/VP1GeometrySystem.cxx new file mode 100644 index 0000000000000000000000000000000000000000..787f6d923823995c5851697eb3fd3b51b3abb41a --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/VP1GeometrySystem.cxx @@ -0,0 +1,1434 @@ +/* + Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +*/ + +///////////////////////////////////////////////////////////////////////// +// // +// Implementation of class VP1GeometrySystem // +// // +// Author: Thomas Kittelmann <Thomas.Kittelmann@cern.ch> // +// // +// Derived from V-atlas geometry system by Joe Boudreau. // +// Origins of initial version dates back to ~1996, initial VP1 // +// version by TK (May 2007) and almost entirely rewritten Oct 2007. // +// Major refactoring october 2008. // +// Updates: // +// - Aug 2019, Riccardo.Maria.Bianchi@cern.ch // +// // +///////////////////////////////////////////////////////////////////////// + +#include "VTI12GeometrySystems/VP1GeometrySystem.h" +#include "VTI12GeometrySystems/GeoSysController.h" + +#include "VTI12GeometrySystems/VP1GeoTreeView.h" +#include "VTI12GeometrySystems/VolumeHandle.h" +#include "VTI12GeometrySystems/VolumeHandleSharedData.h" +#include "VTI12GeometrySystems/VolumeTreeModel.h" +#include "VTI12GeometrySystems/VP1GeomUtils.h" +#include "VTI12GeometrySystems/VisAttributes.h" +#include "VTI12GeometrySystems/DumpShape.h" +#include "VTI12GeometrySystems/PhiSectorManager.h" + +#include "VTI12Utils/VP1LinAlgUtils.h" + +#include "VP1Base/VP1CameraHelper.h" +#include "VP1Base/VP1QtInventorUtils.h" +#include "VP1Base/VP1Serialise.h" +#include "VP1Base/VP1Deserialise.h" +#include "VP1Base/VP1Msg.h" +#include <Inventor/nodes/SoSeparator.h> +#include <Inventor/nodes/SoSwitch.h> +#include <Inventor/events/SoKeyboardEvent.h> +#include <Inventor/nodes/SoPickStyle.h> +#include <Inventor/nodes/SoEventCallback.h> +#include <Inventor/nodes/SoCamera.h> +#include <Inventor/nodes/SoCylinder.h> +#include <Inventor/nodes/SoFont.h> + +#include "GeoModelKernel/GeoVolumeCursor.h" +#include "GeoModelKernel/GeoPrintGraphAction.h" +#include "GeoModelUtilities/GeoModelExperiment.h" + +#ifndef BUILDVP1LIGHT +#include "VTI12Utils/VP1JobConfigInfo.h" +#include "VTI12Utils/VP1SGAccessHelper.h" +#include "VTI12Utils/VP1DetInfo.h" +#endif + +#include <QDebug> +#include <QRegExp> +#include <QByteArray> +#include <QTimer> +#include <QHeaderView> +#include <QApplication> +#include <QCheckBox> +#include <QMessageBox> +#include <QFileInfo> + +#include <map> + +class VP1GeometrySystem::Imp { +public: + Imp (VP1GeometrySystem*gs, const VP1GeoFlags::SubSystemFlags& ssf) + : theclass(gs), sceneroot(0), + detVisAttributes(0), matVisAttributes(0), volVisAttributes(0), + initialSubSystemsTurnedOn(ssf),controller(0),phisectormanager(0), + volumetreemodel(0),kbEvent(0), m_textSep(0) + { + const unsigned n_chamber_t0_sources=2; + for (unsigned i=0;i<n_chamber_t0_sources;++i) + chamberT0s.append(0); + } + + VP1GeometrySystem * theclass; + SoSeparator * sceneroot; + + std::map<SoSeparator*,VolumeHandle*> sonodesep2volhandle; + + class SubSystemInfo { + public: + // "geomodellocation" contains name of tree tops, + // or possible a bit more complex info in case of muons. + SubSystemInfo( QCheckBox* cb,const QRegExp& the_geomodeltreetopregexp, bool the_negatetreetopregexp, + const QRegExp& the_geomodelchildrenregexp, bool the_negatechildrenregexp, VP1GeoFlags::SubSystemFlag the_flag, + const std::string& the_matname, + const QRegExp& the_geomodelgrandchildrenregexp, bool the_negategrandchildrenregexp=false) + : isbuilt(false), checkbox(cb), + geomodeltreetopregexp(the_geomodeltreetopregexp), + geomodelchildrenregexp(the_geomodelchildrenregexp), + geomodelgrandchildrenregexp(the_geomodelgrandchildrenregexp), + negatetreetopregexp(the_negatetreetopregexp), + negatechildrenregexp(the_negatechildrenregexp), + negategrandchildrenregexp(the_negategrandchildrenregexp), + matname(the_matname), flag(the_flag), soswitch(0) + { + + } + + //Info needed to define the system (along with the checkbox pointer in the map below): + bool isbuilt; + VolumeHandle::VolumeHandleList vollist; + QCheckBox* checkbox; + + /* Regular Expressions for three levels of filtering: treetop, children, and grandchildren + * + * For example: + * + * - Muon --> treetop volume + * - ANON --> child volume + * - BAR_Toroid --> granchild volume + * + */ + QRegExp geomodeltreetopregexp; //For picking the geomodel treetops + QRegExp geomodelchildrenregexp; //If instead of the treetops, this system consists of volumes below the treetop, this is non-empty. + QRegExp geomodelgrandchildrenregexp;//If instead of the treetops, this system consists of volumes below the child of a treetop, this is non-empty. + bool negatetreetopregexp; + bool negatechildrenregexp; + bool negategrandchildrenregexp; + + + std::string matname; //if nonempty, use this from detvisattr instead of the top volname. + VP1GeoFlags::SubSystemFlag flag; + + + //Information needed to initialise the system: + class TreetopInfo { public: + TreetopInfo() {} + PVConstLink pV; + HepGeom::Transform3D xf;// = av.getTransform(); + std::string volname; + }; + std::vector<TreetopInfo> treetopinfo; + + //Switch associated with the system - it is initialised only if the system has info available: + SoSwitch * soswitch; + + bool childrenRegExpNameCompatible(const std::string& volname) const { + return negatechildrenregexp!=geomodelchildrenregexp.exactMatch(volname.c_str()); + } + + bool grandchildrenRegExpNameCompatible(const std::string& volname) const { + if(VP1Msg::debug()){ + std::cout << "volname: " << volname << " - regexpr: " << geomodelgrandchildrenregexp.pattern().toStdString() << std::endl; + std::cout << "negategrandchildrenregexp: " << negategrandchildrenregexp << std::endl; + } + return negategrandchildrenregexp!=geomodelgrandchildrenregexp.exactMatch(volname.c_str()); + } + + void dump() const { + std::cout<<" SubSystemInfo @ "<<this<<"\n" + <<(isbuilt?"Is built.\n":"Is not built.\n"); + std::cout<<"Contains following volhandles: ["; + for (auto vol : vollist) std::cout<<&vol<<","; + std::cout<<"]"<<std::endl; + std::cout<<"Matname = "<<matname<<std::endl; + std::cout<<"Contains following TreetopInfo: ["; + for (auto tt : treetopinfo) std::cout<<tt.volname<<","; + std::cout<<"]"<<std::endl; + + } + + }; + + QList<SubSystemInfo*> subsysInfoList;//We need to keep and ordered version also (since wildcards in regexp might match more than one subsystem info). + void addSubSystem(const VP1GeoFlags::SubSystemFlag&, + const QString& treetopregexp, const QString& childrenregexp="", + const std::string& matname="", bool negatetreetopregexp = false, bool negatechildrenregexp = false, + const QString& grandchildrenregexp="", bool negategrandchildrenregexp = false); + + DetVisAttributes *detVisAttributes; + MatVisAttributes *matVisAttributes; + VolVisAttributes *volVisAttributes; + void ensureInitVisAttributes() { + if (!detVisAttributes) detVisAttributes = new DetVisAttributes(); + if (!matVisAttributes) matVisAttributes = new MatVisAttributes(); + if (!volVisAttributes) volVisAttributes = new VolVisAttributes(); + } + + VP1GeoFlags::SubSystemFlags initialSubSystemsTurnedOn; + void buildSystem(SubSystemInfo*); + GeoSysController * controller; + PhiSectorManager * phisectormanager; + VolumeTreeModel * volumetreemodel; + + //Helpers used for printouts://FIXME: To VolumeHandle!! + static double exclusiveMass(const PVConstLink& pv); + static double inclusiveMass(const PVConstLink& pv); + static double volume(const PVConstLink& pv); + + //Basically for the zapping, and to ignore all clicks with ctrl/shift: + static void catchKbdState(void *userData, SoEventCallback *CB); + const SoKeyboardEvent *kbEvent; + + void changeStateOfVisibleNonStandardVolumesRecursively(VolumeHandle*,VP1GeoFlags::VOLSTATE); + void expandVisibleVolumesRecursively(VolumeHandle*,const QRegExp&,bool bymatname); + + SoSeparator* m_textSep;//!< Separator used to hold all visible labels. + + // void showPixelModules(VolumeHandle*); + // void showSCTBarrelModules(VolumeHandle*); + // void showSCTEndcapModules(VolumeHandle*); + + QMap<quint32,QByteArray> restoredTopvolstates; + void applyTopVolStates(const QMap<quint32,QByteArray>&, bool disablenotif = false); + + // Helper function for emiting a signal to the PartSpect system + // This function creates path entry prefixes (=Detector Factory name in G4) and extra + // path entries (top level volumes, python envelopes) depending on the subsystem of the selected volume + void createPathExtras(const VolumeHandle*, QString&, QStack<QString>&); + + QList<const std::map<GeoPVConstLink, float>*> chamberT0s; +}; + +//_____________________________________________________________________________________ +VP1GeometrySystem::VP1GeometrySystem( const VP1GeoFlags::SubSystemFlags& SubSystemsTurnedOn, QString name ) + : IVP13DSystemSimple(name, + "This system displays the geometry as defined in the GeoModel tree.", + "Riccardo.Maria.Bianchi@cern.ch"), + m_d(new Imp(this,SubSystemsTurnedOn)) +{ +} + + +//_____________________________________________________________________________________ +void VP1GeometrySystem::systemuncreate() +{ + + m_d->volumetreemodel->cleanup(); + delete m_d->matVisAttributes; m_d->matVisAttributes = 0; + delete m_d->detVisAttributes; m_d->detVisAttributes = 0; + delete m_d->volVisAttributes; m_d->volVisAttributes = 0; + + foreach (Imp::SubSystemInfo * subsys, m_d->subsysInfoList) + delete subsys; + m_d->subsysInfoList.clear(); + +} + +//_____________________________________________________________________________________ +VP1GeometrySystem::~VP1GeometrySystem() +{ + delete m_d; + m_d = 0; +} + +//_____________________________________________________________________________________ +void VP1GeometrySystem::setGeometrySelectable(bool b) { + ensureBuildController(); + m_d->controller->setGeometrySelectable(b); +} + +//_____________________________________________________________________________________ +void VP1GeometrySystem::setZoomToVolumeOnClick(bool b) { + ensureBuildController(); + m_d->controller->setZoomToVolumeOnClick(b); +} + +//_____________________________________________________________________________________ +void VP1GeometrySystem::Imp::addSubSystem(const VP1GeoFlags::SubSystemFlag& f, + const QString& treetopregexp, const QString& childrenregexp, + const std::string& matname, bool negatetreetopregexp, bool negatechildrenregexp, + const QString& grandchildrenregexp, bool negategrandchildrenregexp) +{ + theclass->message("VP1GeometrySystem::Imp::addSubSystem - flag: '" + QString(f) + "' - matName: '" + str(matname.c_str()) + "'." ); + + QCheckBox * cb = controller->subSystemCheckBox(f); + if (!cb) { + theclass->message("Error: Problems retrieving checkbox for subsystem "+str(f)); + return; + } + subsysInfoList << new SubSystemInfo(cb,QRegExp(treetopregexp),negatetreetopregexp, + QRegExp(childrenregexp),negatechildrenregexp,f,matname, + QRegExp(grandchildrenregexp), negategrandchildrenregexp); + //FIXME: DELETE!!! +} + +//_____________________________________________________________________________________ +QWidget * VP1GeometrySystem::buildController() +{ + message("VP1GeometrySystem::buildController"); + + m_d->controller = new GeoSysController(this); + + m_d->phisectormanager = new PhiSectorManager(m_d->controller->phiSectionWidget(),this,this); + + + connect(m_d->controller,SIGNAL(showVolumeOutLinesChanged(bool)),this,SLOT(setShowVolumeOutLines(bool))); + setShowVolumeOutLines(m_d->controller->showVolumeOutLines()); + connect(m_d->controller,SIGNAL(saveMaterialsToFile(QString,bool)),this,SLOT(saveMaterialsToFile(QString,bool))); + connect(m_d->controller,SIGNAL(loadMaterialsFromFile(QString)),this,SLOT(loadMaterialsFromFile(QString))); + + connect(m_d->controller,SIGNAL(transparencyChanged(float)),this,SLOT(updateTransparency())); + connect (m_d->controller,SIGNAL(volumeStateChangeRequested(VolumeHandle*,VP1GeoFlags::VOLSTATE)), + this,SLOT(volumeStateChangeRequested(VolumeHandle*,VP1GeoFlags::VOLSTATE))); + connect (m_d->controller,SIGNAL(volumeResetRequested(VolumeHandle*)), + this,SLOT(volumeResetRequested(VolumeHandle*))); + connect(m_d->controller,SIGNAL(autoExpandByVolumeOrMaterialName(bool,QString)),this,SLOT(autoExpandByVolumeOrMaterialName(bool,QString))); + connect(m_d->controller,SIGNAL(actionOnAllNonStandardVolumes(bool)),this,SLOT(actionOnAllNonStandardVolumes(bool))); + // connect(m_d->controller,SIGNAL(autoAdaptPixelsOrSCT(bool,bool,bool,bool,bool,bool)),this,SLOT(autoAdaptPixelsOrSCT(bool,bool,bool,bool,bool,bool))); + connect(m_d->controller,SIGNAL(resetSubSystems(VP1GeoFlags::SubSystemFlags)),this,SLOT(resetSubSystems(VP1GeoFlags::SubSystemFlags))); + + connect(m_d->controller,SIGNAL(labelsChanged(int)),this,SLOT(setLabels(int))); + connect(m_d->controller,SIGNAL(labelPosOffsetChanged(QList<int>)),this,SLOT(setLabelPosOffsets(QList<int>))); + setLabels(m_d->controller->labels()); + + + /* This is where we define the available different subsystems and their location in the geomodel tree. + * + * if the reg expr does not match any volume, the corresponding subsystem checkbox in the Geo GUI gets disabled. + * + * syntax: addSubSystem(VP1GeoFlags::SubSystemFlag&, // the associated system flag + QString& treetopregexp, // the regular expr for the top/root name of the main sub-detector system + QString& childrenregexp="", // the reg expr for the children of the main sub-detector + std::string& matname="", // a name we choose for displaying in VP1 + bool negatetreetopregexp = false, // if we want to negate the top reg expr + bool negatechildrenregexp = false); // if we want to negate the children reg expr + const QString& grandchildrenregexp="", // the regex for granchildren of the main sub-detector + bool negategrandchildrenregexp = false // wheter we want to negate teh granchildren regex + */ + m_d->addSubSystem( VP1GeoFlags::Veto, "Veto"); + m_d->addSubSystem( VP1GeoFlags::Trigger, "Trigger"); + m_d->addSubSystem( VP1GeoFlags::Preshower,"Preshower"); + m_d->addSubSystem( VP1GeoFlags::SCT, "SCT"); + m_d->addSubSystem( VP1GeoFlags::Ecal, "Ecal"); + + + + //This one MUST be added last. It will get slightly special treatment in various places! + m_d->addSubSystem( VP1GeoFlags::AllUnrecognisedVolumes,".*"); + + + //Setup models/views for volume tree browser and zapped volumes list: + m_d->volumetreemodel = new VolumeTreeModel(m_d->controller->volumeTreeBrowser()); + m_d->controller->volumeTreeBrowser()->header()->hide(); + m_d->controller->volumeTreeBrowser()->uniformRowHeights(); + m_d->controller->volumeTreeBrowser()->setModel(m_d->volumetreemodel); + + return m_d->controller; +} + + +//_____________________________________________________________________________________ +void VP1GeometrySystem::systemcreate(StoreGateSvc*) +{ + m_d->ensureInitVisAttributes(); +} + +//_____________________________________________________________________________________ +void VP1GeometrySystem::Imp::catchKbdState(void *address, SoEventCallback *CB) { + VP1GeometrySystem::Imp *This=static_cast<VP1GeometrySystem::Imp*>(address); + if (This) + This->kbEvent = static_cast<const SoKeyboardEvent *>(CB->getEvent()); +} + +//_____________________________________________________________________________________ +void VP1GeometrySystem::buildPermanentSceneGraph(StoreGateSvc*/*detstore*/, SoSeparator *root) +{ + m_d->sceneroot = root; + + #ifndef BUILDVP1LIGHT + if (!VP1JobConfigInfo::hasGeoModelExperiment()) { + message("Error: GeoModel not configured properly in job."); + return; + } + + //Get the world volume: + const GeoModelExperiment * theExpt; + if (!VP1SGAccessHelper(this,true).retrieve(theExpt,"FASER")) { + message("Error: Could not retrieve the FASER GeoModelExperiment from detector store"); + return; + } + #endif + + PVConstLink world(theExpt->getPhysVol()); + + if (!m_d->m_textSep) { + // FIXME! + // std::cout<<"Making new Text sep"<<std::endl; + m_d->m_textSep = new SoSeparator; + m_d->m_textSep->setName("TextSep"); + m_d->m_textSep->ref(); + } + m_d->sceneroot->addChild(m_d->m_textSep); + + // FIXME - what if font is missing? + SoFont *myFont = new SoFont; + myFont->name.setValue("Arial"); + myFont->size.setValue(12.0); + m_d->m_textSep->addChild(myFont); + + bool save = root->enableNotify(false); + + //Catch keyboard events: + SoEventCallback *catchEvents = new SoEventCallback(); + catchEvents->addEventCallback(SoKeyboardEvent::getClassTypeId(),Imp::catchKbdState, m_d); + root->addChild(catchEvents); + + root->addChild(m_d->controller->drawOptions()); + root->addChild(m_d->controller->pickStyle()); + + if(VP1Msg::debug()){ + qDebug() << "Configuring the default systems... - subsysInfoList len:" << (m_d->subsysInfoList).length(); + } + // we switch on the systems flagged to be turned on at start + foreach (Imp::SubSystemInfo * subsys, m_d->subsysInfoList) + { + VP1Msg::messageDebug("Switching on this system: " + QString::fromStdString(subsys->matname) + " - " + subsys->flag); + bool on(m_d->initialSubSystemsTurnedOn & subsys->flag); + subsys->checkbox->setChecked( on ); + subsys->checkbox->setEnabled(false); + subsys->checkbox->setToolTip("This sub-system is not available"); + connect(subsys->checkbox,SIGNAL(toggled(bool)),this,SLOT(checkboxChanged())); + } + + //Locate geometry info for the various subsystems, and add the info as appropriate: + + QCheckBox * checkBoxOther = m_d->controller->subSystemCheckBox(VP1GeoFlags::AllUnrecognisedVolumes); + + if(VP1Msg::debug()){ + qDebug() << "Looping on volumes from the input GeoModel..."; + } + GeoVolumeCursor av(world); + while (!av.atEnd()) { + + std::string name = av.getName(); + if(VP1Msg::debug()){ + qDebug() << "volume name:" << QString::fromStdString(name); + } + + // DEBUG + VP1Msg::messageDebug("DEBUG: Found GeoModel treetop: "+QString(name.c_str())); + + //Let us see if we recognize this volume: + bool found = false; + foreach (Imp::SubSystemInfo * subsys, m_d->subsysInfoList) { + if (subsys->negatetreetopregexp!=subsys->geomodeltreetopregexp.exactMatch(name.c_str())) + { + if (subsys->checkbox==checkBoxOther&&found) { + continue;//The "other" subsystem has a wildcard which matches everything - but we only want stuff that is nowhere else. + } + + if(VP1Msg::debug()){ + qDebug() << (subsys->geomodeltreetopregexp).pattern() << subsys->geomodeltreetopregexp.exactMatch(name.c_str()) << subsys->negatetreetopregexp; + qDebug() << "setting 'found' to TRUE for pattern:" << (subsys->geomodeltreetopregexp).pattern(); + } + found = true; + //We did... now, time to extract info: + subsys->treetopinfo.resize(subsys->treetopinfo.size()+1); + subsys->treetopinfo.back().pV = av.getVolume(); + subsys->treetopinfo.back().xf = Amg::EigenTransformToCLHEP(av.getTransform()); + subsys->treetopinfo.back().volname = av.getName(); + + //Add a switch for this system (turned off for now): + SoSwitch * sw = new SoSwitch(); + //But add a separator on top of it (for caching): + subsys->soswitch = sw; + if (sw->whichChild.getValue() != SO_SWITCH_NONE) + sw->whichChild = SO_SWITCH_NONE; + SoSeparator * sep = new SoSeparator; + sep->addChild(sw); + root->addChild(sep); + //Enable the corresponding checkbox: + subsys->checkbox->setEnabled(true); + subsys->checkbox->setToolTip("Toggle the display of the "+subsys->checkbox->text()+" sub system"); + //NB: Dont break here - several systems might share same treetop! + // break; + } + } + if (!found) { + message("Warning: Found unexpected GeoModel treetop: "+QString(name.c_str())); + } + + av.next(); // increment volume cursor. + } + + //Hide other cb if not needed: + if (!checkBoxOther->isEnabled()) + checkBoxOther->setVisible(false); + + //Build the geometry for those (available) subsystems that starts out being turned on: + foreach (Imp::SubSystemInfo * subsys, m_d->subsysInfoList) { + if (!subsys->soswitch||!subsys->checkbox->isChecked()) + continue; + m_d->buildSystem(subsys); + //Enable in 3D view: + if (subsys->soswitch->whichChild.getValue() != SO_SWITCH_ALL) + subsys->soswitch->whichChild = SO_SWITCH_ALL; + //Enable in tree browser: + m_d->volumetreemodel->enableSubSystem(subsys->flag); + // new ModelTest(m_d->volumetreemodel, m_d->treeView_volumebrowser); + } + if (!m_d->restoredTopvolstates.isEmpty()) { + m_d->applyTopVolStates(m_d->restoredTopvolstates,false); + m_d->restoredTopvolstates.clear(); + } + m_d->phisectormanager->updateRepresentationsOfVolsAroundZAxis(); + root->enableNotify(save); + if (save) + root->touch(); + +} + +//_____________________________________________________________________________________ +void VP1GeometrySystem::checkboxChanged() +{ + QCheckBox * cb = static_cast<QCheckBox*>(sender()); + Imp::SubSystemInfo * subsys(0); + foreach (Imp::SubSystemInfo * ss, m_d->subsysInfoList) { + if (cb==ss->checkbox) { + subsys=ss; + break; + } + } + if (!subsys) { + message("ERROR: Unknown checkbox"); + return; + } + SoSwitch * sw = subsys->soswitch; + assert(sw); + if (cb->isChecked()) { + SbBool save = sw->enableNotify(false); + if (sw->getNumChildren()==0) { + m_d->buildSystem(subsys); + m_d->phisectormanager->updateRepresentationsOfVolsAroundZAxis();// + } + if (sw->whichChild.getValue() != SO_SWITCH_ALL) + sw->whichChild = SO_SWITCH_ALL; + sw->enableNotify(save); + //Enable in tree browser: + m_d->volumetreemodel->enableSubSystem(subsys->flag); + // new ModelTest(m_d->volumetreemodel, m_d->treeView_volumebrowser); + if (save) + sw->touch(); + } else { + if (sw->whichChild.getValue() != SO_SWITCH_NONE) + sw->whichChild = SO_SWITCH_NONE; + m_d->volumetreemodel->disableSubSystem(subsys->flag); + } +} + +//_____________________________________________________________________________________ +void VP1GeometrySystem::userPickedNode(SoNode* , SoPath *pickedPath) +{ + + ////////////////////////////////////////////////////////////////////////// + // We want to find the volumehandle for the volume. To do so, we look // + // for the SoSeparator identifying the actual picked shape node, and // + // use it to look up the handle: // + ////////////////////////////////////////////////////////////////////////// + + //Looking for the identifying "nodesep", there are three scenarios + //for the type signatures of the final part of the path: + // + // 1) Most shapes: + // nodesep -> pickedNode (but we must pop to a group node in case of SoCylinders) + // + // 2) Volumes Around Z (all phi sectors enabled): + // nodesep -> switch -> pickedNode + // + // 3) Volumes Around Z (only some phi sectors enabled): + // nodesep -> switch -> sep -> pickedNode + // + // In the third scenario we also have to pop the path, in order for + // all phi-slices of the part gets highlighted (since more than one + // soshape node represents the volume). + + // std::cout << "Entering userPickedNode" << std::endl; + VP1Msg::messageDebug("VP1GeometrySystem::userPickedNode()"); + + if (pickedPath->getNodeFromTail(0)->getTypeId()==SoCylinder::getClassTypeId()) + pickedPath->pop(); + + if (pickedPath->getLength()<5) { + message("Path too short"); + return; + } + + SoSeparator * nodesep(0); + + if (pickedPath->getNodeFromTail(1)->getTypeId()==SoSeparator::getClassTypeId() + && pickedPath->getNodeFromTail(2)->getTypeId()==SoSwitch::getClassTypeId() + && pickedPath->getNodeFromTail(3)->getTypeId()==SoSeparator::getClassTypeId()) + { + //Scenario 3: + nodesep = static_cast<SoSeparator*>(pickedPath->getNodeFromTail(3)); + pickedPath->pop();//To get highlighting of siblings also. + } + else if (pickedPath->getNodeFromTail(1)->getTypeId()==SoSwitch::getClassTypeId() + && pickedPath->getNodeFromTail(2)->getTypeId()==SoSeparator::getClassTypeId()) + { + //Scenario 2: + nodesep = static_cast<SoSeparator*>(pickedPath->getNodeFromTail(2)); + } + else if (pickedPath->getNodeFromTail(1)->getTypeId()==SoSeparator::getClassTypeId()) { + //Scenario 1 (normal): + nodesep = static_cast<SoSeparator*>(pickedPath->getNodeFromTail(1)); + } + if (!nodesep) { + message("Unexpected picked path"); + return; + } + if ( (!(nodesep)) || (m_d->sonodesep2volhandle.find(nodesep) == m_d->sonodesep2volhandle.end()) ) { + message("Problems finding volume handle"); + return; + } + VolumeHandle * volhandle = m_d->sonodesep2volhandle[nodesep]; + if (!volhandle) { + message("Found NULL volume handle"); + return; + } + + ///////////////////////////////////////////////////////////////////////// + // Next thing to do is to check whether volume was clicked on with a // + // modifier of SHIFT/CTRL/Z. If so, we have to change the state on // + // the volume handle. Otherwise, we need to print some information: // + ///////////////////////////////////////////////////////////////////////// + + //For focus reason, and since Qt doesn't allow standard keys such as + //'z' as modifiers, we check for keypress states using a combination + //of the inventor and Qt way + + bool shift_isdown = (Qt::ShiftModifier & QApplication::keyboardModifiers()); +// || ( m_d->kbEvent && (SO_KEY_PRESS_EVENT(m_d->kbEvent, SoKeyboardEvent::LEFT_SHIFT)|| +// SO_KEY_PRESS_EVENT(m_d->kbEvent, SoKeyboardEvent::RIGHT_SHIFT)) ) ); + + if (shift_isdown) { + //Parent of volume should be put in CONTRACTED state. + deselectAll(); + if (volhandle->parent()) + volhandle->parent()->setState(VP1GeoFlags::CONTRACTED); + m_d->phisectormanager->updateRepresentationsOfVolsAroundZAxis(); + return; + } + + bool ctrl_isdown = (Qt::ControlModifier & QApplication::keyboardModifiers()); +// || ( m_d->kbEvent && (SO_KEY_PRESS_EVENT(m_d->kbEvent, SoKeyboardEvent::LEFT_CONTROL)|| +// SO_KEY_PRESS_EVENT(m_d->kbEvent, SoKeyboardEvent::RIGHT_CONTROL)) ) ); + + if (ctrl_isdown) { + //Volume should be put in EXPANDED state if it has children. + message("Calling deselectAll"); + deselectAll(); + message("Back from deselectAll"); + if (volhandle->nChildren()>0) { + message("Calling volhandle->setState"); + volhandle->setState(VP1GeoFlags::EXPANDED); + } + message("calling phisectormanager"); + m_d->phisectormanager->updateRepresentationsOfVolsAroundZAxis(); + message("leaving ctrl_isdown"); + return; + } + + bool z_isdown = m_d->kbEvent && SO_KEY_PRESS_EVENT(m_d->kbEvent,SoKeyboardEvent::Z); + if (z_isdown) { + //Volume should be put in ZAPPED state. + deselectAll(); + volhandle->setState(VP1GeoFlags::ZAPPED); + message("===> Zapping Node: "+volhandle->getName()); + // std::cout<<"Zapped VH="<<volhandle<<std::endl; + return; + } + + + bool orientedView(false); + + ////////////////////// + // Zoom to volume // + ////////////////////// + + //Nb: We don't do this if we already oriented to the muon chamber above. + if (!orientedView&&m_d->controller->zoomToVolumeOnClick()) { + if (m_d->sceneroot&&volhandle->nodeSoSeparator()) { + std::set<SoCamera*> cameras = getCameraList(); + std::set<SoCamera*>::iterator it,itE = cameras.end(); + for (it=cameras.begin();it!=itE;++it) { + VP1CameraHelper::animatedZoomToSubTree(*it,m_d->sceneroot,volhandle->nodeSoSeparator(),2.0,1.0); + } + } + } + + + /////////////////////////////////// + // Update last-select controls // + /////////////////////////////////// + + m_d->controller->setLastSelectedVolume(volhandle); + + ///////////////////////////////////////////////////////// + // OK, time to print some information for the volume // + ///////////////////////////////////////////////////////// + + message("===> Selected Node: "+volhandle->getName()); + // std::cout<<"VolHandle = "<<volhandle<<std::endl; + if (m_d->controller->printInfoOnClick_Shape()) { + foreach (QString str, DumpShape::shapeToStringList(volhandle->geoPVConstLink()->getLogVol()->getShape())) + message(str); + } + + if (m_d->controller->printInfoOnClick_Material()) { + message("===> Material:"); + foreach (QString line, VP1GeomUtils::geoMaterialToStringList(volhandle->geoMaterial())) + message(" "+line); + } + + if ( m_d->controller->printInfoOnClick_CopyNumber() ) { + int cn = volhandle->copyNumber(); + message("===> CopyNo : "+(cn>=0?QString::number(cn):QString(cn==-1?"Invalid":"Error reconstructing copynumber"))); + } + + if ( m_d->controller->printInfoOnClick_Transform() ) { + + float translation_x, translation_y, translation_z, rotaxis_x, rotaxis_y, rotaxis_z, rotangle_radians; + VP1LinAlgUtils::decodeTransformation( volhandle->getLocalTransformToVolume(), + translation_x, translation_y, translation_z, + rotaxis_x, rotaxis_y, rotaxis_z, rotangle_radians ); + message("===> Local Translation:"); + message(" x = "+QString::number(translation_x/CLHEP::mm)+" mm"); + message(" y = "+QString::number(translation_y/CLHEP::mm)+" mm"); + message(" z = "+QString::number(translation_z/CLHEP::mm)+" mm"); + message("===> Local Rotation:"); + message(" axis x = "+QString::number(rotaxis_x)); + message(" axis y = "+QString::number(rotaxis_y)); + message(" axis z = "+QString::number(rotaxis_z)); + message(" angle = "+QString::number(rotangle_radians*180.0/M_PI)+" deg"); + VP1LinAlgUtils::decodeTransformation( volhandle->getGlobalTransformToVolume(), + translation_x, translation_y, translation_z, + rotaxis_x, rotaxis_y, rotaxis_z, rotangle_radians ); + message("===> Global Translation:"); + message(" x = "+QString::number(translation_x/CLHEP::mm)+" mm"); + message(" y = "+QString::number(translation_y/CLHEP::mm)+" mm"); + message(" z = "+QString::number(translation_z/CLHEP::mm)+" mm"); + message("===> Global Rotation:"); + message(" axis x = "+QString::number(rotaxis_x)); + message(" axis y = "+QString::number(rotaxis_y)); + message(" axis z = "+QString::number(rotaxis_z)); + message(" angle = "+QString::number(rotangle_radians*180.0/M_PI)+" deg"); + } + + if (m_d->controller->printInfoOnClick_Tree()) { + std::ostringstream str; + GeoPrintGraphAction pg(str); + volhandle->geoPVConstLink()->exec(&pg); + message("===> Tree:"); + foreach (QString line, QString(str.str().c_str()).split("\n")) + message(" "+line); + } + + if (m_d->controller->printInfoOnClick_Mass()) { + //FIXME: Move the mass calculations to the volume handles, and let + //the common data cache some of the volume information by + //logVolume). + message("===> Total Mass <==="); + message("Inclusive "+QString::number(Imp::inclusiveMass(volhandle->geoPVConstLink())/CLHEP::kilogram)+" kg"); + message("Exclusive "+QString::number(Imp::exclusiveMass(volhandle->geoPVConstLink())/CLHEP::kilogram)+" kg"); + } + + + ///////////////////////////////////////////////////////////////// + // Emit a signal for the VP1UtilitySystems::PartSpect system // + ///////////////////////////////////////////////////////////////// + QStack<QString> partspectPath, extras; + QString detFactoryName; + + VolumeHandle *parentVH(volhandle), *childVH(volhandle); + m_d->createPathExtras(volhandle,detFactoryName,extras); + + do { + parentVH = parentVH->parent(); + PVConstLink parentPVLink = parentVH ? parentVH->geoPVConstLink() : childVH->geoPVConstLink()->getParent(); + if (parentPVLink) { + int indexOfChild = parentVH ? childVH->childNumber() : (int)parentPVLink->indexOf(childVH->geoPVConstLink()); + + std::string childPVName = parentPVLink->getNameOfChildVol(indexOfChild); + QString pathEntry = childPVName=="ANON" ? detFactoryName+childVH->getName() : QString(childPVName.c_str()); + + Query<int> childCopyNo = parentPVLink->getIdOfChildVol(indexOfChild); + if(childCopyNo.isValid()) { + QString strCopyNo; + strCopyNo.setNum(childCopyNo); + pathEntry += ("::"+strCopyNo); + } + partspectPath.push(pathEntry); + childVH = parentVH; + } + }while(parentVH); + + while(!extras.isEmpty()) + partspectPath.push(extras.pop()); + + partspectPath.push("Atlas::Atlas"); + + // Emit the signal + //volhandle cannot be NULL here (coverity 16287) + //int cn=(!volhandle) ? -1 : volhandle->copyNumber(); + int cn=volhandle->copyNumber(); + plotSpectrum(partspectPath,cn); +} + +//_____________________________________________________________________________________ +void VP1GeometrySystem::Imp::buildSystem(SubSystemInfo* si) +{ + VP1Msg::messageDebug("VP1GeometrySystem::Imp::buildSystem()" ); + + if (!si||si->isbuilt) + return; + si->isbuilt = true; + int ichild(0); + + ensureInitVisAttributes(); + +// // DEBUG +// foreach(Imp::SubSystemInfo*si,m_d->subsysInfoList) { +// VP1Msg::messageDebug("vol: " + QString((si->flag).str_c()) ); +// } + + assert(si->soswitch); + SoSeparator * subsystemsep = new SoSeparator; + phisectormanager->registerSubSystemSeparator(si->flag,subsystemsep); + phisectormanager->largeChangesBegin(); + + SbBool save = si->soswitch->enableNotify(false); + + if (si->geomodelchildrenregexp.isEmpty()) { + //Loop over the treetop's that we previously selected: + + std::vector<SubSystemInfo::TreetopInfo>::const_iterator it, itE = si->treetopinfo.end(); + for (it=si->treetopinfo.begin();it!=itE;++it) + { + VP1Msg::messageDebug("toptree vol: " + QString(it->volname.c_str()) ); + + //Find material: + SoMaterial*m = detVisAttributes->get(it->volname); + if (!m) { + theclass->message("Warning: Did not find a predefined material for volume: "+QString(it->volname.c_str())); + } + VolumeHandleSharedData* volhandle_subsysdata = new VolumeHandleSharedData(controller,si->flag,&sonodesep2volhandle,it->pV,phisectormanager, + m,matVisAttributes,volVisAttributes, + controller->zappedVolumeListModel(),controller->volumeTreeBrowser(), m_textSep); + SbMatrix matr; + VP1LinAlgUtils::transformToMatrix(it->xf,matr); + VolumeHandle * vh = new VolumeHandle(volhandle_subsysdata,0,it->pV,ichild++,VolumeHandle::NONMUONCHAMBER,matr); + si->vollist.push_back(vh); + // std::cout<<"Non muon chamber VH="<<vh<<std::endl; + } + } else { + //Loop over the children of the physical volumes of the treetops that we previously selected: + std::vector<SubSystemInfo::TreetopInfo>::const_iterator it, itE = si->treetopinfo.end(); + for (it=si->treetopinfo.begin();it!=itE;++it) { + + VP1Msg::messageDebug("group name: " + QString(si->matname.c_str()) ); + + //NB: Here we use the si->matname. Above we use the si->volname. Historical reasons! + + //Find material for top-nodes: + SoMaterial*mat_top(0); + if (si->matname!="") + mat_top = detVisAttributes->get(si->matname); + + VolumeHandleSharedData* volhandle_subsysdata = new VolumeHandleSharedData(controller,si->flag,&sonodesep2volhandle,it->pV,phisectormanager, + mat_top,matVisAttributes,volVisAttributes, + controller->zappedVolumeListModel(),controller->volumeTreeBrowser(),m_textSep); + volhandle_subsysdata->ref(); + + GeoVolumeCursor av(it->pV); + //unsigned int count=0; + while (!av.atEnd()) { + + // DEBUG +// VP1Msg::messageDebug("child vol: " + QString(av.getName().c_str()) ); + + //Use the childrenregexp to select the correct child volumes: + if (si->childrenRegExpNameCompatible(av.getName().c_str())) { + PVConstLink pVD = av.getVolume(); + SbMatrix matr; + VP1LinAlgUtils::transformToMatrix(Amg::EigenTransformToCLHEP(av.getTransform()),matr); + VolumeHandle * vh=0; + // std::cout<<count++<<": dump SubSystemInfo\n"<<"---"<<std::endl; + // si->dump(); + // std::cout<<"---"<<std::endl; + + vh = new VolumeHandle(volhandle_subsysdata,0,pVD,ichild++, + VolumeHandle::NONMUONCHAMBER,matr); + // std::cout<<"Does not have muon chamber (weird one) VH="<<vh<<std::endl; + + // DEBUG +// VP1Msg::messageDebug("granchild vol: " + vh->getName() + " - " + vh->getDescriptiveName() ); + + if (si->geomodelgrandchildrenregexp.isEmpty()) { + // append the volume to the current list + theclass->messageDebug("grandchild inserted : " + vh->getDescriptiveName() + " - " + vh->getName() ); + si->vollist.push_back(vh); + + } else { + VP1Msg::messageDebug("filtering at grandchild level..."); + if (si->grandchildrenRegExpNameCompatible(vh->getName().toStdString() ) ) { + VP1Msg::messageDebug("filtered grandchild inserted : " + vh->getDescriptiveName() + " - " + vh->getName() ); + // append the volume to the current list + si->vollist.push_back(vh); + } else { + theclass->message("Zapping this volumehandle because it's probably junk."+vh->getDescriptiveName() + " - " + vh->getName()); + vh->setState(VP1GeoFlags::ZAPPED); // FIXME - better solution for this? Maybe just don't create them? + + // std::cout<<"Not adding "<<vh->getName().toStdString()<<"["<<vh<<"] to vollist"<<std::endl; + } + } + } + av.next(); // increment volume cursor. + } + volhandle_subsysdata->unref();//To ensure it is deleted if it was not used. + } + } + + + si->dump(); + + VP1Msg::messageDebug("volumetreemodel->addSubSystem..."); + volumetreemodel->addSubSystem( si->flag, si->vollist ); + + //NB: We let the destructor of volumetreemodel take care of deleting + //our (top) volume handles, since it has to keep a list of them + //anyway. + + + //Perform auto expansion of all ether volumes (needed for muon dead material): + VP1Msg::messageDebug("Perform auto expansion of all ether volumes"); + VolumeHandle::VolumeHandleListItr it, itE(si->vollist.end()); + //int idx=0; // for debug + for (it = si->vollist.begin(); it!=itE; ++it){ + //VP1Msg::messageDebug("\nexpanding idx: " + QString::number(++idx)); + (*it)->expandMothersRecursivelyToNonEther(); + //VP1Msg::messageDebug("expand DONE."); + } + + + VP1Msg::messageDebug("addChild..."); + phisectormanager->updateRepresentationsOfVolsAroundZAxis(); + phisectormanager->largeChangesEnd(); + si->soswitch->addChild(subsystemsep); + si->soswitch->enableNotify(save); + if (save) + si->soswitch->touch(); + VP1Msg::messageDebug("END of VP1GeometrySystem::Imp::buildSystem() " ); +} + +//_____________________________________________________________________________________ +double VP1GeometrySystem::Imp::exclusiveMass(const PVConstLink& pv) { + const GeoLogVol* lv = pv->getLogVol(); + const GeoMaterial *material = lv->getMaterial(); + double density = material->getDensity(); + return density*volume(pv); +} + + +//_____________________________________________________________________________________ +double VP1GeometrySystem::Imp::volume(const PVConstLink& pv) { + const GeoLogVol * lv = pv->getLogVol(); + const GeoShape *shape = lv->getShape(); + return shape->volume(); +} + + +//_____________________________________________________________________________________ +double VP1GeometrySystem::Imp::inclusiveMass(const PVConstLink& pv) { + + const GeoLogVol* lv = pv->getLogVol(); + const GeoMaterial *material = lv->getMaterial(); + double density = material->getDensity(); + + double mass = exclusiveMass(pv); + + GeoVolumeCursor av(pv); + while (!av.atEnd()) { + mass += inclusiveMass(av.getVolume()); + mass -= volume(av.getVolume())*density; + av.next(); + } + + return mass; +} + +//_____________________________________________________________________________________ +QByteArray VP1GeometrySystem::saveState() { + + ensureBuildController(); + + VP1Serialise serialise(7/*version*/,this); + serialise.save(IVP13DSystemSimple::saveState()); + + //Controller: + serialise.save(m_d->controller->saveSettings()); + + //Subsystem checkboxes: + QMap<QString,bool> subsysstate; + foreach (Imp::SubSystemInfo * subsys, m_d->subsysInfoList) { + serialise.widgetHandled(subsys->checkbox); + subsysstate.insert(subsys->checkbox->text(),subsys->checkbox->isChecked()); + } + serialise.save(subsysstate); + + //Volume states: + QMap<quint32,QByteArray> topvolstates; + foreach (Imp::SubSystemInfo * subsys, m_d->subsysInfoList) { + VolumeHandle::VolumeHandleListItr it(subsys->vollist.begin()),itE(subsys->vollist.end()); + for (;it!=itE;++it) + topvolstates.insert((*it)->hashID(),(*it)->getPersistifiableState()); + } + serialise.save(topvolstates); + + m_d->ensureInitVisAttributes(); + serialise.save(m_d->detVisAttributes->getState());//version 7+ + serialise.save(m_d->matVisAttributes->getState());//version 7+ + serialise.save(m_d->volVisAttributes->getState());//version 7+ + + serialise.disableUnsavedChecks();//We do the testing in the controller + return serialise.result(); +} + +//_____________________________________________________________________________________ +void VP1GeometrySystem::restoreFromState(QByteArray ba) { + VP1Deserialise state(ba,this); + if (state.version()<0||state.version()>7) { + message("Warning: State data in .vp1 file is in wrong format - ignoring!"); + return; + } + if (state.version()<=5) { + message("Warning: State data in .vp1 file is in obsolete format - ignoring!"); + return; + } + + ensureBuildController(); + IVP13DSystemSimple::restoreFromState(state.restoreByteArray()); + + //Controller: + m_d->controller->restoreSettings(state.restoreByteArray()); + + //Subsystem checkboxes: + VP1GeoFlags::SubSystemFlags flags(0); + QMap<QString,bool> subsysstate = state.restore<QMap<QString,bool> >(); + foreach (Imp::SubSystemInfo * subsys, m_d->subsysInfoList) { + state.widgetHandled(subsys->checkbox); + if (subsysstate.contains(subsys->checkbox->text())&&subsysstate[subsys->checkbox->text()]) + flags |= subsys->flag; + } + m_d->initialSubSystemsTurnedOn = flags; + + //Volume states: + QMap<quint32,QByteArray> topvolstates; + topvolstates = state.restore<QMap<quint32,QByteArray> >(); + if (m_d->sceneroot)//(for some reason) we already have been in buildPermanentScenegraph + m_d->applyTopVolStates(topvolstates,true); + else + m_d->restoredTopvolstates = topvolstates;//save until buildPermanentScenegraph + + if (state.version()>=7) { + m_d->ensureInitVisAttributes(); + m_d->detVisAttributes->applyState(state.restoreByteArray()); + m_d->matVisAttributes->applyState(state.restoreByteArray()); + m_d->volVisAttributes->applyState(state.restoreByteArray()); + } + + state.disableUnrestoredChecks();//We do the testing in the controller +} + +//_____________________________________________________________________________________ +void VP1GeometrySystem::Imp::applyTopVolStates(const QMap<quint32,QByteArray>&topvolstates,bool disablenotif) +{ + if (disablenotif) + phisectormanager->largeChangesBegin(); + QMap<quint32,QByteArray>::const_iterator topvolstatesItr; + foreach (Imp::SubSystemInfo * subsys, subsysInfoList) { + VolumeHandle::VolumeHandleListItr it(subsys->vollist.begin()),itE(subsys->vollist.end()); + for (;it!=itE;++it) { + topvolstatesItr = topvolstates.find((*it)->hashID()); + if (topvolstatesItr!=topvolstates.end()) + (*it)->applyPersistifiableState(topvolstatesItr.value()); + } + } + if (disablenotif) { + phisectormanager->updateRepresentationsOfVolsAroundZAxis(); + phisectormanager->largeChangesEnd(); + } +} + +//_____________________________________________________________________________________ +void VP1GeometrySystem::Imp::createPathExtras(const VolumeHandle* volhandle, QString& prefix, QStack<QString>& entries) +{ + switch(volhandle->subsystem()){ + case VP1GeoFlags::Veto:{ + prefix = QString("Veto::"); + entries.push("SCINT::SCINT"); + entries.push("Veto::Veto"); + return; + } + case VP1GeoFlags::Trigger:{ + prefix = QString("Trigger::"); + entries.push("SCINT::SCINT"); + entries.push("Trigger::Trigger"); + return; + } + case VP1GeoFlags::Preshower:{ + prefix = QString("Preshower::"); + entries.push("SCINT::SCINT"); + entries.push("Preshower::Preshower"); + return; + } + case VP1GeoFlags::SCT:{ + prefix = QString("SCT::"); + entries.push("TRACKER::TRACKER"); + entries.push("SCT::SCT"); + return; + } + case VP1GeoFlags::Ecal:{ + prefix = QString("Ecal::"); + entries.push("CALO::CALO"); + entries.push("Ecal::Ecal"); + return; + } + case VP1GeoFlags::None: + case VP1GeoFlags::AllUnrecognisedVolumes: + default:{ + return; + } + } +} + +//_____________________________________________________________________________________ +void VP1GeometrySystem::setCurvedSurfaceRealism(int val) +{ + ensureBuildController(); + if (val<0||val>100) { + message("setCurvedSurfaceRealism Error: Value "+str(val)+"out of range!"); + return; + } + m_d->controller->setComplexity(val==100?1.0:(val==0?0.0:val/100.0)); +} + + + +//_____________________________________________________________________________________ +void VP1GeometrySystem::updateTransparency() +{ + ensureBuildController(); + + float transparency = m_d->controller->transparency(); + + VolumeHandle* lastSelVol = m_d->controller->lastSelectedVolume(); + m_d->controller->setLastSelectedVolume(0); + m_d->ensureInitVisAttributes(); + m_d->detVisAttributes->overrideTransparencies(transparency); + m_d->matVisAttributes->overrideTransparencies(transparency); + m_d->volVisAttributes->overrideTransparencies(transparency); + m_d->controller->setLastSelectedVolume(lastSelVol); +} + +//_____________________________________________________________________________________ +void VP1GeometrySystem::resetSubSystems(VP1GeoFlags::SubSystemFlags f) +{ + if (!f) { + return; + } + + deselectAll(); + foreach(Imp::SubSystemInfo*si,m_d->subsysInfoList) { + if (si->flag & f) { + if (!si->isbuilt) { + continue; + } + VolumeHandle::VolumeHandleListItr it(si->vollist.begin()),itE(si->vollist.end()); + for (;it!=itE;++it) { + messageDebug("resetting volume --> " + (*it)->getName() ); + (*it)->reset(); + } + } + } +} + +//_____________________________________________________________________________________ +void VP1GeometrySystem::Imp::changeStateOfVisibleNonStandardVolumesRecursively(VolumeHandle*handle,VP1GeoFlags::VOLSTATE target) +{ + assert(target!=VP1GeoFlags::CONTRACTED); + if (handle->isAttached()) { + //The volume is visible, so ignore daughters + if (handle->isInitialisedAndHasNonStandardShape()) { + if (target!=VP1GeoFlags::EXPANDED||handle->nChildren()>0) + handle->setState(target); + } + return; + } else if (handle->state()==VP1GeoFlags::ZAPPED) + return; + //Must be expanded: Let us call on any (initialised) children instead. + if (handle->nChildren()==0||!handle->childrenAreInitialised()) + return; + VolumeHandle::VolumeHandleListItr it(handle->childrenBegin()), itE(handle->childrenEnd()); + for(;it!=itE;++it) + changeStateOfVisibleNonStandardVolumesRecursively(*it,target); + +} + +//_____________________________________________________________________________________ +void VP1GeometrySystem::actionOnAllNonStandardVolumes(bool zap) +{ + VP1GeoFlags::VOLSTATE target = zap ? VP1GeoFlags::ZAPPED : VP1GeoFlags::EXPANDED; + messageVerbose("Action on volumes with non-standard VRML representations. Target state is "+VP1GeoFlags::toString(target)); + + std::vector<std::pair<VolumeHandle::VolumeHandleListItr,VolumeHandle::VolumeHandleListItr> > roothandles; + m_d->volumetreemodel->getRootHandles(roothandles); + VolumeHandle::VolumeHandleListItr it, itE; + + bool save = m_d->sceneroot->enableNotify(false); + m_d->phisectormanager->largeChangesBegin(); + + deselectAll(); + + for (unsigned i = 0; i<roothandles.size();++i) { + it = roothandles.at(i).first; + itE = roothandles.at(i).second; + for(;it!=itE;++it) { + m_d->changeStateOfVisibleNonStandardVolumesRecursively(*it,target); + } + } + + m_d->phisectormanager->updateRepresentationsOfVolsAroundZAxis(); + m_d->phisectormanager->largeChangesEnd(); + if (save) { + m_d->sceneroot->enableNotify(true); + m_d->sceneroot->touch(); + } +} + +//_____________________________________________________________________________________ +void VP1GeometrySystem::autoExpandByVolumeOrMaterialName(bool bymatname,QString targetname) +{ + if (targetname.isEmpty()) { + VP1Msg::messageDebug("targetname is empty."); + return; + } + + messageVerbose("Auto expansions of visible volumes requested. Target all volumes with " + +str(bymatname?"material name":"name")+" matching "+targetname); + + QRegExp selregexp(targetname,Qt::CaseSensitive,QRegExp::Wildcard); + + std::vector<std::pair<VolumeHandle::VolumeHandleListItr,VolumeHandle::VolumeHandleListItr> > roothandles; + m_d->volumetreemodel->getRootHandles(roothandles); + VolumeHandle::VolumeHandleListItr it, itE; + + bool save = m_d->sceneroot->enableNotify(false); + m_d->phisectormanager->largeChangesBegin(); + + deselectAll(); + + for (unsigned i = 0; i<roothandles.size();++i) { + it = roothandles.at(i).first; + itE = roothandles.at(i).second; + for(;it!=itE;++it) + m_d->expandVisibleVolumesRecursively(*it,selregexp,bymatname); + } + + m_d->phisectormanager->updateRepresentationsOfVolsAroundZAxis(); + m_d->phisectormanager->largeChangesEnd(); + if (save) { + m_d->sceneroot->enableNotify(true); + m_d->sceneroot->touch(); + } +} + +//_____________________________________________________________________________________ +void VP1GeometrySystem::Imp::expandVisibleVolumesRecursively(VolumeHandle* handle,const QRegExp& selregexp,bool bymatname) +{ + if (handle->state()==VP1GeoFlags::ZAPPED) + return; + if (handle->state()==VP1GeoFlags::CONTRACTED) { + //See if we match (and have children) - if so, update state. + if (handle->nChildren()>0 + && selregexp.exactMatch(bymatname?QString(handle->geoMaterial()->getName().c_str()):handle->getName())) { + handle->setState(VP1GeoFlags::EXPANDED); + } + return; + } + //Must be expanded: Let us call on any (initialised) children instead. + if (handle->nChildren()==0||!handle->childrenAreInitialised()) + return; + VolumeHandle::VolumeHandleListItr it(handle->childrenBegin()), itE(handle->childrenEnd()); + for(;it!=itE;++it) + expandVisibleVolumesRecursively(*it,selregexp,bymatname); +} + +//_____________________________________________________________________________________ +void VP1GeometrySystem::volumeStateChangeRequested(VolumeHandle*vh,VP1GeoFlags::VOLSTATE state) +{ + //might not use this slot presently... + if (!vh) + return; + deselectAll(); + vh->setState(state); + m_d->phisectormanager->updateRepresentationsOfVolsAroundZAxis(); +} + +//_____________________________________________________________________________________ +void VP1GeometrySystem::volumeResetRequested(VolumeHandle*vh) +{ + if (!vh) + return; + deselectAll(); + vh->reset(); + m_d->phisectormanager->updateRepresentationsOfVolsAroundZAxis(); +} + +//_____________________________________________________________________________________ +void VP1GeometrySystem::setShowVolumeOutLines(bool b) +{ + std::map<SoSeparator*,VolumeHandle*>::iterator it,itE(m_d->sonodesep2volhandle.end()); + for (it =m_d->sonodesep2volhandle.begin();it!=itE;++it) + VolumeHandleSharedData::setShowVolumeOutlines(it->first,b); +} + + +//_____________________________________________________________________________________ +void VP1GeometrySystem::saveMaterialsToFile(QString filename,bool onlyChangedMaterials) +{ + if (filename.isEmpty()) + return; + + //If file exists, ask to overwrite. + QFileInfo fi(filename); + if (fi.exists()) { + if (!fi.isWritable()) { + QMessageBox::critical(0, "Error - could not save to file "+filename, + "Could not save to file: <i>"+filename+"</i>" + +"<br/><br/>Reason: File exists already and is write protected",QMessageBox::Ok,QMessageBox::Ok); + return; + } + } + + QFile file(filename); + if (!file.open(QIODevice::WriteOnly)) { + QMessageBox::critical(0, "Error - problems writing to file "+filename, + "Problems writing to file: <i>"+filename+"</i>",QMessageBox::Ok,QMessageBox::Ok); + return; + } + + m_d->ensureInitVisAttributes(); + VP1Serialise s(0/*version*/,this); + //Save some file ID info!! + s.save(QString("VP1GeoMaterialsBegin")); + s.save(m_d->detVisAttributes->getState(onlyChangedMaterials)); + s.save(m_d->matVisAttributes->getState(onlyChangedMaterials)); + s.save(m_d->volVisAttributes->getState(onlyChangedMaterials)); + s.save(QString("VP1GeoMaterialsEnd")); + s.disableUnsavedChecks(); + + QDataStream outfile(&file); + outfile<<qCompress(s.result()).toBase64(); + +} + +//_____________________________________________________________________________________ +void VP1GeometrySystem::loadMaterialsFromFile(QString filename) +{ + if (filename.isEmpty()) + return; + QFileInfo fi(filename); + if (!fi.exists()) { + QMessageBox::critical(0, "Error - file does not exists: "+filename, + "File does not exists: <i>"+filename+"</i>",QMessageBox::Ok,QMessageBox::Ok); + return; + } + if (!fi.isReadable()) { + QMessageBox::critical(0, "Error - file is not readable: "+filename, + "File is not readable: <i>"+filename+"</i>",QMessageBox::Ok,QMessageBox::Ok); + return; + } + //open file + QFile file(filename); + if (!file.open(QIODevice::ReadOnly)) { + QMessageBox::critical(0, "Error - problems opening file "+filename, + "Problems opening file: <i>"+filename+"</i>",QMessageBox::Ok,QMessageBox::Ok); + return; + } + QByteArray byteArray64; + QDataStream infile(&file); + infile >> byteArray64; + QByteArray byteArray = qUncompress(QByteArray::fromBase64(byteArray64)); + + VP1Deserialise s(byteArray,this); + if (s.version()!=0) { + QMessageBox::critical(0, "Error - File in wrong format "+filename, + "File in wrong format: <i>"+filename+"</i>",QMessageBox::Ok,QMessageBox::Ok); + return; + } + QString txtbegin, txtend; + QByteArray baDet, baMat, baVol; + txtbegin = s.restoreString(); + baDet = s.restoreByteArray(); + baMat = s.restoreByteArray(); + baVol = s.restoreByteArray(); + txtend = s.restoreString(); + s.disableUnrestoredChecks(); + if (txtbegin!="VP1GeoMaterialsBegin"||txtend!="VP1GeoMaterialsEnd") { + QMessageBox::critical(0, "Error - File in wrong format "+filename, + "File in wrong format: <i>"+filename+"</i>",QMessageBox::Ok,QMessageBox::Ok); + return; + } + + m_d->ensureInitVisAttributes(); + m_d->detVisAttributes->applyState(baDet); + m_d->matVisAttributes->applyState(baMat); + m_d->volVisAttributes->applyState(baVol); + + VolumeHandle* lastsel = m_d->controller->lastSelectedVolume(); + m_d->controller->setLastSelectedVolume(0); + m_d->controller->setLastSelectedVolume(lastsel); +} + +//____________________________________________________________________ +void VP1GeometrySystem::setLabelPosOffsets( QList<int> /**offsets*/) +{ + messageVerbose("setLabelPosOffsets called"); + setLabels(m_d->controller->labels()); +} + +void VP1GeometrySystem::setLabels(int /*i*/){ + +} diff --git a/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/VisAttributes.cxx b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/VisAttributes.cxx new file mode 100644 index 0000000000000000000000000000000000000000..33daeb5ea8dca9b85b257184c9ba1277cd8683e7 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/VisAttributes.cxx @@ -0,0 +1,1108 @@ +/* + Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +*/ + +#include "VTI12GeometrySystems/VisAttributes.h" + +#include "VP1Base/VP1QtInventorUtils.h" +#include <Inventor/nodes/SoMaterial.h> +#include <iostream> +#include <QBuffer> + +/////////////////////////////////////// Base class /////////////////////////////////////// + +#include <map> +#include <iostream> + +class VisAttributes::Imp { +public: + // The material map is here: + std::map< std::string, SoMaterial *> _map; + + QMap<QString,QByteArray> currentState() const; + QMap<QString,QByteArray> initialState; +}; + +//____________________________________________________________________ +void VisAttributes::init() +{ + m_d->initialState = m_d->currentState(); +} + +//____________________________________________________________________ +QByteArray VisAttributes::getState(bool onlyChangedMaterials) +{ + //Figure out states to store + QMap<QString,QByteArray> storedstates, statesnow = m_d->currentState(); + if (onlyChangedMaterials) { + QMap<QString,QByteArray>::const_iterator it, itE(statesnow.constEnd()); + QMap<QString,QByteArray>::const_iterator itOrig, itOrigE(m_d->initialState.constEnd()); + for (it = statesnow.constBegin(); it!=itE; ++it) { + itOrig = m_d->initialState.constFind(it.key()); + if (itOrig==itOrigE||it.value()!=itOrig.value()) + storedstates.insert(it.key(),it.value()); + } + } else { + storedstates = statesnow; + } + + //Put map in bytearray and return: + QByteArray byteArray; + QBuffer buffer(&byteArray); + buffer.open(QIODevice::WriteOnly); + QDataStream out(&buffer); + out << qint32(0);//version + out << storedstates; + buffer.close(); + return byteArray; + +} + +//____________________________________________________________________ +void VisAttributes::applyState(QByteArray ba) +{ + //Get map out: + QMap<QString,QByteArray> storedstates; + QBuffer buffer(&ba); + buffer.open(QIODevice::ReadOnly); + QDataStream state(&buffer); + qint32 version; + state >> version; + if (version!=0) + return;//ignore silently + state >> storedstates; + buffer.close(); + + std::map< std::string, SoMaterial *>::iterator itMat,itMatE(m_d->_map.end()); + + //Apply states from map: + QMap<QString,QByteArray>::const_iterator it, itE(storedstates.constEnd()); + for (it = storedstates.constBegin(); it!=itE; ++it) { + itMat = m_d->_map.find(it.key().toStdString()); + if (itMat!=itMatE) { + QByteArray b(it.value()); + VP1QtInventorUtils::deserialiseSoMaterial(b,itMat->second); + } + } + +} + +//____________________________________________________________________ +QMap<QString,QByteArray> VisAttributes::Imp::currentState() const +{ + QMap<QString,QByteArray> outmap; + std::map< std::string, SoMaterial *>::const_iterator it(_map.begin()), itE(_map.end()); + for (;it!=itE;++it) + outmap.insert(QString(it->first.c_str()),VP1QtInventorUtils::serialiseSoMaterial(it->second)); + return outmap; +} + +//____________________________________________________________________ +VisAttributes::VisAttributes() : m_d(new Imp) { +} + +//____________________________________________________________________ +VisAttributes::~VisAttributes() { + + std::map<std::string, SoMaterial *>::iterator m,e=m_d->_map.end(); + for (m=m_d->_map.begin();m!=e;m++) + (*m).second->unref(); + + delete m_d; +} + +SoMaterial *VisAttributes::get (const std::string & name) const { + std::map <std::string, SoMaterial *>::const_iterator m = m_d->_map.find(name); + if (m!=m_d->_map.end()) { + return (*m).second; + } else { + return NULL; + } +} + +void VisAttributes::add(const std::string & name, SoMaterial *material) { + if (m_d->_map.find(name)!=m_d->_map.end()) { + std::cout<<"VisAttributes::add ERROR: Material " <<name<<" already added!"<<std::endl; + return; + } + material->ref(); + m_d->_map[name]=material; + if (material->transparency.getNum()!=1) + std::cout<<"VisAttributes::add Warning: Found #transparency values different from 1 in material "<<name<<std::endl; + if (material->transparency[0]!=0.0) + std::cout<<"VisAttributes::add Warning: Found transparency value different from 0 in material "<<name<<std::endl; +} + +void VisAttributes::overrideTransparencies(float transpfact) +{ + std::map< std::string, SoMaterial *>::iterator it, itE = m_d->_map.end(); + for (it=m_d->_map.begin();it!=itE;++it) + it->second->transparency.set1Value( 0, transpfact ); +} + +//////////////////////////////// Attributes for detectors //////////////////////////////// + +DetVisAttributes::DetVisAttributes() { + + { + SoMaterial *material = new SoMaterial; + material->ambientColor.setValue(0, .157811, .187004); + material->diffuseColor.setValue(0, .631244, .748016); + material->specularColor.setValue(.915152, .915152, .915152); + material->shininess.setValue(0.642424); + add("Veto",material); + } + + { + SoMaterial *material = new SoMaterial; + material->ambientColor.setValue(0, .157811, .187004); + material->diffuseColor.setValue(.40, .631244, .748016); + material->specularColor.setValue(.915152, .915152, .915152); + material->shininess.setValue(0.642424); + add("Trigger",material); + } + + { + SoMaterial *material = new SoMaterial; + material->ambientColor.setValue(0, .157811, .187004); + material->diffuseColor.setValue(1, .8, .7); + material->specularColor.setValue(.915152, .915152, .915152); + material->shininess.setValue(0.642424); + add("Preshower",material); + } + + { + SoMaterial *material = new SoMaterial; + material->ambientColor.setValue(0, .6, .6); + material->diffuseColor.setValue(1, .8, .7); + material->specularColor.setValue(.91515, .915152, .915152); + material->shininess.setValue(0.642424); + add("CavernInfra",material); + } + + { + SoMaterial *material = new SoMaterial; + material->ambientColor.setValue(0, .157811, .187004); + material->diffuseColor.setValue(1, 0, 0); + material->specularColor.setValue(.915152, .915152, .915152); + material->shininess.setValue(0.642424); + + add("Ecal",material); + } + // { + // SoMaterial *material = new SoMaterial; + // material->ambientColor.setValue(0.2, 0.2, 0.2); + // material->diffuseColor.setValue(0, 0.6667, 1.0); + // material->specularColor.setValue(0,0,0); + // material->shininess.setValue(0.642424); +// material->ambientColor.setValue(0, .157811, .187004); +// material->diffuseColor.setValue(1, 0, 0); +// material->specularColor.setValue(.915152, .915152, .915152); +// material->shininess.setValue(0.642424); + +// add("Muon",material); + +// { +// SoMaterial *material = new SoMaterial; +// material->ambientColor.setValue(0, .157811, .187004); +// material->diffuseColor.setValue(.98, .8, .21); +// material->specularColor.setValue(.915152, .915152, .915152); +// material->shininess.setValue(0.2); +// add("CSC",material); +// } + +// { +// SoMaterial *material = new SoMaterial; +// material->ambientColor.setValue(0, .157811, .187004); +// material->diffuseColor.setValue(0, .9, .5); +// material->specularColor.setValue(.915152, .915152, .915152); +// material->shininess.setValue(0.2); +// add("EndcapMdt",material); +// } + +// { +// SoMaterial *material = new SoMaterial; +// material->ambientColor.setValue(0,0,0); +// material->diffuseColor.setValue(0.41,0,0.26); +// material->specularColor.setValue(0,0,0); +// material->shininess.setValue(0.2); +// add("TGC",material); +// } + +// { +// SoMaterial *material = new SoMaterial; + +// material->ambientColor.setValue(0.2, 0.2, 0.2); +// material->diffuseColor.setValue(0, 0.6667, 1.0); +// material->specularColor.setValue(0,0,0); +// // material->ambientColor.setValue(0, .157811, .187004); +// // material->diffuseColor.setValue(1, .2, .7); +// // material->specularColor.setValue(.915152, .915152, .915152); +// material->shininess.setValue(0.2); + + +// add("BarrelInner",material); +// add("BarrelMiddle",material); +// add("BarrelOuter",material); +// } + +// { +// SoMaterial *material = new SoMaterial; +// material->ambientColor.setValue(0, .157811, .187004); +// material->diffuseColor.setValue(1, .5, .5); +// material->specularColor.setValue(.915152, .915152, .915152); +// material->shininess.setValue(0.2); +// add("BarrelToroid",material); +// add("EndcapToroid",material); +// } + +// { +// SoMaterial *material = new SoMaterial; +// material->ambientColor.setValue(0, .157811, .187004); +// material->diffuseColor.setValue(.5, .5, 1.0); +// material->specularColor.setValue(.915152, .915152, .915152); +// material->shininess.setValue(0.2); +// add("Feet",material); +// } +// } + + { + SoMaterial *material = new SoMaterial; + material->ambientColor.setValue(.37, .69, 1.00); + material->diffuseColor.setValue(.21, .64, 1.00); + material->specularColor.setValue(1, 1, 1); + material->shininess.setValue(1.0); + add("SCT",material); + } + + // { + // SoMaterial *material = new SoMaterial; + // add("LAr",material); + // add("LArBarrel",material); + // add("LArEndcapPos",material); + // add("LArEndcapNeg",material); + // } + + // { + // SoMaterial *material = new SoMaterial; + // add("TRT",material); + // } + + // { + // SoMaterial *material = new SoMaterial; + // add("InDetServMat",material); + // material->diffuseColor.setValue(0.4,0.31,0); + // material->shininess.setValue(1.0); + // } + + // { + // SoMaterial *material = new SoMaterial(); + // add("LucidSideA",material); + // add("LucidSideC",material); + // material->diffuseColor.setValue(0.6,0.11,0.3); + // material->shininess.setValue(1.0); + // } + + // { + // SoMaterial *material = new SoMaterial; + // material->ambientColor.setValue(0, .157811, .187004); + // material->diffuseColor.setValue(0., 0., 0.56862745); + // material->specularColor.setValue(.915152, .915152, .915152); + // material->shininess.setValue(0.2); + // add("Zdc",material); + // } + + + // { + // SoMaterial *material = new SoMaterial(); + // add("LcdXXX",material); + // add("LcdYYY",material); + // material->diffuseColor.setValue(0.6,0.11,0.3); + // material->shininess.setValue(1.0); + // } + + init(); +} + +//////////////////////////////// Attributes for materials //////////////////////////////// + +MatVisAttributes::MatVisAttributes() { + { + //NB: Must be here!! + SoMaterial *m = new SoMaterial; + add("DEFAULT",m); + } + + + + /* + * ETHER MATERIAL + * This transparent material was used to hide the "fakeVolume" added by AGDD, + * but there are other "standard" volumes, which use "Ether" material, for example in CSC chambers. + * So we do not use this workaround anymore... + { + // + // Ether: ---> it's a special "totally transparent" material, made to hide the "fakeVol" volume used in GeoModel to cope with the G4GeoAssembly objects in G4 + // more details: + // - https://its.cern.ch/jira/browse/ATLASVPONE-166 + // - https://svnweb.cern.ch/trac/atlasoff/browser/DetectorDescription/AGDD/AGDDControl/trunk/src/AGDD2GeoModelBuilder.cxx?rev=648789#L502 + // + SoMaterial *m = new SoMaterial; + m->ambientColor.setValue(0.2, 0.2, 0.2); + m->diffuseColor.setValue(0.58, 0.47, 0.81); + m->specularColor.setValue(0.56, 0.55, 0.56); + m->transparency.setValue(1.0); // --> TOTALLY TRANSPARENT!!! (set it to < 1.0 (e.g. 0.5) if you want to see the "fakeVol" cylinder in GeoModel) + add("Ether",m); + } + */ + + + { + // C02: + SoMaterial *m = new SoMaterial; + m->ambientColor.setValue(0.2, 0.2, 0.2); + m->diffuseColor.setValue(0.58, 0.47, 0.81); + m->specularColor.setValue(0.56, 0.55, 0.56); + add("CO2",m); + add("ArCO2",m); + } + + { + // Silicon + SoMaterial *m = new SoMaterial; + m->ambientColor.setValue(0.98, 0.82, 0.02); + m->diffuseColor.setValue(0.16, 0.26, 0.36); + m->specularColor.setValue(0.56, 0.55, 0.56); + m->shininess.setValue(0.13); + add("Silicon",m); + } + + { + // Kapton + SoMaterial *m = new SoMaterial; + m->ambientColor.setValue(0.2, 0.127931, 0.177402); + m->diffuseColor.setValue( 0.57665, 0.155139, 0.180815); + m->specularColor.setValue(0.441667, 0.441667, 0.441667); + m->shininess.setValue(0.67); + add("Kapton",m); + add("KaptonC",m); //used by LAr. + add("FCalCableHarness",m); //used by LAr. + } + + { + // Aluminium + SoMaterial *m = new SoMaterial; + m->ambientColor.setValue (0.70, 0.72, 0.72); + m->diffuseColor.setValue (0.56, 0.57, 0.57); + m->specularColor.setValue(0.71, 0.48, 0.46); + m->shininess.setValue(0.23); + add("Aluminium",m); + } + + { + // Iron + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0.1, 0.1, 0.1); + m->specularColor.setValue(0.92, 0.92, 0.89); + m->shininess.setValue(0.60); + add("Iron",m); + } + + { + // Tungsten + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0.14, 0.14, 0.14); + m->specularColor.setValue(0.84, 0.94, 1.00); + m->shininess.setValue(0.20); + add("Tungsten",m); + add("Wolfram",m); + add("FCal23Absorber",m); + } + { + // Lead + SoMaterial *m = new SoMaterial; + m->ambientColor.setValue (0.05, .05, 0.7); + m->diffuseColor.setValue (0.39, 0.36, 0.47); + m->specularColor.setValue(0.33, 0.33, 0.35); + m->shininess.setValue(0.30); + add("Lead",m); + add("Thinabs",m); + add("Thickabs",m); + } + + { + // G10 + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0.308764, 0.314286, 0.142384); + m->specularColor.setValue(0.268276, 0.315312, 0.308455); + m->shininess.setValue(0.617021); + add("G10",m); + + } + + { + // Muon Scintillator + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0.381944, 0.748016, 0); + m->specularColor.setValue(0.963636, 0.963636, 0.963636); + m->shininess.setValue(0.981818); + add("Scintillator",m); + } + + { + // Epoxy + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0, 0.748016, 0.176015); + m->specularColor.setValue(0.981818, 0.981818, 0.981818); + m->shininess.setValue(0.721212); + add("Epoxy",m); + } + + { + // Stainless steel + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0.424238, 0.424238, 0.424238); + m->specularColor.setValue(0.168, 0.168, 0.168); + m->shininess.setValue(0.153696); + add("Stainless",m); + } + { + // Liquid Argon + SoMaterial *m = new SoMaterial; + m->ambientColor.setValue (0.05, .05, .06); + m->diffuseColor.setValue (0.39, .36, .48); + m->specularColor.setValue(0.33, .33, .35); + m->emissiveColor.setValue(0.45, .60, .60); + m->shininess.setValue(0.3); + add("LiquidArgon",m); + } + { + // Copper + SoMaterial *m = new SoMaterial; + m->ambientColor.setValue (0.0, 0.0, 0.0); + m->diffuseColor.setValue (1.0, .43, .36); + m->specularColor.setValue(1.0, 1.0, 1.0); + m->shininess.setValue(0.4); + add("Copper",m); + add("FCal1Absorber",m); + } + + { + // Cables + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (1.0, 0, 0); + add("Cables",m); + } + + { + // MBoards + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0, 1, 0); + add("MBoards",m); + } + + { + // Carbon + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0.2, 0.2, 0.2); + m->ambientColor.setValue (0.07, 0.07, 0.07); + m->specularColor.setValue (0.8, 0.8, 0.8); + m->emissiveColor.setValue (0.028, 0.028, 0.028); + add("Carbon",m); + } + + { + //Titanium + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0.62, 0.62, 0.62); + m->specularColor.setValue (0.294, 0.294, 0.294); + m->shininess.setValue(.20); + add("Titanium",m); + } + + { + //ECServices + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0.7, 0.7, 0.7); + m->specularColor.setValue (0.5, 0.5, 0.5); + add("ECServices",m); + } + + { + //ECCables + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0.1, 0.1, 0.1); + add("ECCables",m); + } + + { + //Services + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0.765, 0.718, 0.541); + m->specularColor.setValue (0.5, 0.5, 0.5); + add("Services",m); + } + + { + //MatOmega + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0.22, 0.22, 0.22); + add("MatOmega",m); + add("pix::Omega_BL",m); + add("pix::Omega_L1",m); + add("pix::Omega_L2",m); + } + + { + //MatConn + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0, 0, 0); + m->specularColor.setValue (0.8, 0.8, 0.8); + add("MatConn",m); + add("pix::Connector_BL",m); + add("pix::Connector_L1",m); + add("pix::Connector_L2",m); + } + + { + //MatPigtail + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0.95, 0.58, 0.13); + m->specularColor.setValue (0.8, 0.75, 0.7); + m->shininess.setValue(.30); + add("MatPigtail",m); + } + + { + // MatAlTube + SoMaterial *m = new SoMaterial; + m->ambientColor.setValue (0.70, 0.72, 0.72); + m->diffuseColor.setValue (0.56, 0.57, 0.57); + m->specularColor.setValue(0.71, 0.48, 0.46); + m->shininess.setValue(0.23); + add("MatAlTube",m); + add("pix::AlTube_BL",m); + add("pix::AlTube_L1",m); + add("pix::AlTube_L2",m); + add("MatAlTubeFix",m); + } + + { + //MatT0 (Cable) + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0.06, 0.06, 0.06); + m->specularColor.setValue (0.8, 0.8, 0.8); + add("MatT0",m); + add("Cable",m); + } + + { + //MatCap1 + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0, 0, 0.2); + add("MatCap1",m); + } + + { + //MatCap2 + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0, 0, 0.27); + add("MatCap2",m); + } + + { + //MatTMT + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0.42, 0.42, 0.42); + add("MatTMT",m); + add("pix::AsTMT_BL",m); + add("pix::AsTMT_L1",m); + add("pix::AsTMT_L2",m); + } + + { + //MatGlue + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (1, 1, 0.78); + add("MatGlue",m); + add("pix::GlueOmegaStave_BL0",m); + add("pix::GlueOmegaStave_L10",m); + add("pix::GlueOmegaStave_L20",m); + } + + { + //Glue + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (1, 1, 0.75); + add("pix::GlueOmegaStave_BL1",m); + add("pix::GlueOmegaStave_L11",m); + add("pix::GlueOmegaStave_L21",m); + } + + { + //MatPP11 + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0.08, 0.03, 0.03); + add("MatPP11",m); + } + + { + //MatPP12 + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0.325, 0.292, 0.257); + add("MatPP12",m); + } + + { + //MatPP13 + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0.42, 0.38, 0.30); + m->emissiveColor.setValue (0.028, 0.028, 0.028); + add("MatPP13",m); + } + + { + //MatPP14 + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0.3, 0.3, 0.3); + m->emissiveColor.setValue (0.028, 0.028, 0.028); + add("MatPP14",m); + } + + { + //MatPP15 + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0.2, 0.2, 0.23); + m->emissiveColor.setValue (0.028, 0.028, 0.028); + add("MatPP15",m); + } + + { + //MatPP16 + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0.4, 0.4, 0.4); + m->emissiveColor.setValue (0.028, 0.028, 0.028); + add("MatPP16",m); + } + + { + //MatPP17 + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0.17, 0.19, 0.16); + m->emissiveColor.setValue (0.028, 0.028, 0.028); + add("MatPP17",m); + } + + { + //Disk + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0.5, 0.5, 0.5); + m->specularColor.setValue (0.5, 0.5, 0.5); + m->emissiveColor.setValue (0.028, 0.028, 0.028); + add("Disk",m); + } + + { + //Hybrid + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0.15, 0.33, 0); + m->specularColor.setValue (0.39, 0.39, 0.39); + m->emissiveColor.setValue (0.028, 0.028, 0.028); + m->shininess.setValue(.60); + add("Hybrid",m); + } + + { + //Chip + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0.8, 0.51, 0.105); + m->specularColor.setValue (0.39, 0.39, 0.39); + m->emissiveColor.setValue (0.028, 0.028, 0.028); + m->shininess.setValue(.60); + add("Chip",m); + } + + { + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0.8, 0.51, 0.105); + m->specularColor.setValue (0.39, 0.39, 0.39); + m->emissiveColor.setValue (0.028, 0.028, 0.028); + m->shininess.setValue(.60); + add("pix::Chip",m); + } + + { + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0.15, 0.33, 0); + m->specularColor.setValue (0.39, 0.39, 0.39); + m->emissiveColor.setValue (0.028, 0.028, 0.028); + m->shininess.setValue(.60); + add("pix::Hybrid",m); + } + + { + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0.42, 0.42, 0.42); + add("pix:AsTMT_BL",m); + } + + { + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0.95, 0.52, 0.12); + m->specularColor.setValue (0.8, 0.75, 0.7); + m->shininess.setValue(.30); + add("pix::PigtailCyl",m); + add("pix::PigtailFlat",m); + } + + { + // Rings and Service Support + SoMaterial *m = new SoMaterial; + m->ambientColor.setValue (0.50, 0.49, 0.12); + m->diffuseColor.setValue (0.665, 0.618, 0.441); + m->specularColor.setValue(0.51, 0.48, 0.16); + m->shininess.setValue(0.37); + //Rings + add("pix::AsRingCen_BL",m); + add("pix::AsRingInt_BL",m); + add("pix::AsRingOut_BL",m); + add("pix::AsRing_L1",m); + add("pix::AsRingOut_L1",m); + add("pix::AsRing_L2",m); + add("pix::AsRingOut_L2",m); + //ServiceSupport + add("pix::ServiceSupport_BL",m); + add("pix::ServiceSupport_L1",m); + add("pix::ServiceSupport_L2",m); + } + { + // Halfshell + SoMaterial *m = new SoMaterial; + m->ambientColor.setValue (0.21, 0.23, 0.23); + m->diffuseColor.setValue (0.1, 0.11, 0.11); + m->specularColor.setValue(0.31, 0.28, 0.06); + m->shininess.setValue(0.43); + add("pix::Halfshell_BL",m); + add("pix::Halfshell_L1",m); + add("pix::Halfshell_L2",m); + } + + { + SoMaterial *m = new SoMaterial; + m->ambientColor.setValue (0.40, 0.42, 0.42); + m->diffuseColor.setValue (0.36, 0.37, 0.37); + m->specularColor.setValue(0.51, 0.28, 0.26); + m->shininess.setValue(0.38); + add("Prepreg",m); + } + + { + SoMaterial *m = new SoMaterial; + m->ambientColor.setValue (0.10, 0.12, 0.12); + m->diffuseColor.setValue (0.09, 0.10, 0.17); + add("pix::CablesAxial_BL",m); + add("pix::CoolingAxial_BL",m); + add("pix::CabCoolAxial_L1",m); + add("pix::CabCoolAxial_L2",m); + add("pix::CabCoolRadial_L1",m); + add("pix::OuterCable_BL",m); + add("pix::OuterCabCool_L1",m); + add("pix::OuterCabCool_L2",m); + } + { + SoMaterial *m = new SoMaterial; + m->ambientColor.setValue (0.12, 0.14, 0.14); + m->diffuseColor.setValue (0.10, 0.11, 0.19); + add("pix::CablesRadial_BL",m); + add("pix::CoolingRadial_BL",m); + add("pix::CabCoolRadial_L2",m); + add("pix::OuterCooling_BL",m); + } + + { + SoMaterial *m = new SoMaterial; + m->ambientColor.setValue (0.20, 0.25, 0.25); + m->diffuseColor.setValue (0.22, 0.22, 0.22); + add("pix::Ulink_BL_A",m); + add("pix::AsUlink_BL_C",m); + add("pix::AsUlink_L1",m); + add("pix::AsUlink_L2",m); + } + + { + SoMaterial *m = new SoMaterial; + m->ambientColor.setValue (0.40, 0.42, 0.42); + m->diffuseColor.setValue (0.36, 0.37, 0.37); + m->specularColor.setValue(0.51, 0.28, 0.26); + m->shininess.setValue(0.38); + add("pix::SSR_BL_A",m); + add("pix::SSR_BL_C",m); + add("pix::SSR_L1_A",m); + add("pix::SSR_L1_C",m); + add("pix::SSR_L2",m); + } + + { + SoMaterial *m = new SoMaterial; + m->ambientColor.setValue (0.35, 0.37, 0.37); + m->diffuseColor.setValue (0.31, 0.32, 0.32); + m->specularColor.setValue(0.51, 0.28, 0.26); + m->shininess.setValue(0.38); + add("pix::InnerSkin_BL",m); + add("pix::InnerSkin_L1",m); + add("pix::InnerSkin_L2",m); + } + + { + SoMaterial *m = new SoMaterial; + m->ambientColor.setValue (0.55, 0.57, 0.57); + m->diffuseColor.setValue (0.51, 0.52, 0.52); + m->specularColor.setValue(0.51, 0.28, 0.26); + m->shininess.setValue(0.33); + add("pix::Fingers1",m); + add("pix::Fingers2",m); + add("pix::Fingers3",m); + add("pix::Fingers4",m); + } + + { + SoMaterial *m = new SoMaterial; + m->ambientColor.setValue (0.60, 0.62, 0.62); + m->diffuseColor.setValue (0.51, 0.52, 0.52); + m->specularColor.setValue(0.61, 0.38, 0.36); + m->shininess.setValue(0.28); + add("Peek",m); + } + + { + //Glass + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0.8, 0.9, 1.0); + m->specularColor.setValue (0.39, 0.39, 0.39); + m->emissiveColor.setValue (0.028, 0.028, 0.028); + m->shininess.setValue(.60); + add("Glass",m); + } + + { + SoMaterial *material = new SoMaterial; + material->diffuseColor.setValue(0.9,0.7,0.5); + material->ambientColor.setValue(0.57,0.57,0.57); + material->specularColor.setValue(0.27,0.27,0.27); + material->shininess.setValue(.80); + add("AlNitride",material); + add("Dogleg",material); + add("BrlBaseBoard",material); + add("BrlHybrid",material); + add("BrlBracket",material); + add("PigTail",material); + } + + { + SoMaterial *material = new SoMaterial; + material->diffuseColor.setValue(0.40,0.60,0.40); + material->ambientColor.setValue(0.57,0.57,0.57); + material->specularColor.setValue(0.27,0.27,0.27); + material->shininess.setValue(.80); + add("PowerTape",material); + } + + { + SoMaterial *material = new SoMaterial; + material->diffuseColor.setValue(0.57,0.82,0.9); + material->ambientColor.setValue(0.57,0.57,0.57); + material->specularColor.setValue(0.27,0.27,0.27); + material->shininess.setValue(.80); + add("CoolingBlock",material); + add("sct::CoolBlockSecHi",material); + add("sct::CoolBlockSecLo",material); + add("sct::DiscCoolingInn",material); + add("sct::DiscCoolingOut",material); + } + + { /* Large structures in sct */ + SoMaterial *material = new SoMaterial; + //material->diffuseColor.setValue(0.7,0.6,0.5); + material->diffuseColor.setValue(0.8,0.7,0.6); + material->ambientColor.setValue(0.57,0.57,0.57); + material->specularColor.setValue(0.27,0.27,0.27); + material->shininess.setValue(.80); + add("sct::DiscCoolingMid",material); + add("sct::DiscPowerTapeMid",material); + add("sct::DiscPowerTapeInn",material); + add("sct::DiscPowerTapeOut",material); + add("sct::EMI",material); + add("sct::EMIJoint",material); + add("sct::Flange0",material); + add("sct::Flange1",material); + add("sct::Flange2",material); + add("sct::Flange3",material); + add("sct::FwdFrontSupport",material); + add("sct::FwdITE",material); + add("sct::FwdLMT",material); + add("sct::FwdLMTCooling",material); + add("sct::FwdOTE",material); + add("sct::FwdRearSupport",material); + add("sct::FwdRail",material); + add("sct::FwdSupport",material); + add("sct::FwdSpineMid",material); + add("sct::FwdSpineOut",material); + add("sct::FwdSpineInn",material); + add("sct::Harness",material); + add("sct::OptoHarnessO",material); + add("sct::OptoHarnessOM",material); + add("sct::OptoHarnessOMI",material); + add("sct::Spider",material); + add("sct::SupportCyl0",material); + add("sct::SupportCyl1",material); + add("sct::SupportCyl2",material); + add("sct::SupportCyl3",material); + add("sct::TSCylinder",material); + } + + { /* Details in sct (A) */ + SoMaterial *material = new SoMaterial; + material->diffuseColor.setValue(0.6,0.525,0.45); + material->ambientColor.setValue(0.57,0.57,0.57); + material->specularColor.setValue(0.27,0.27,0.27); + material->shininess.setValue(.80); + add("sct::FwdHybrid",material); + add("sct::CoolBlockMainHi",material); + add("sct::CoolBlockMainLo",material); + } + + { /* Details in sct (B) */ + SoMaterial *material = new SoMaterial; + material->diffuseColor.setValue(0.4,0.35,0.30); + material->ambientColor.setValue(0.57,0.57,0.57); + material->specularColor.setValue(0.27,0.27,0.27); + material->shininess.setValue(.80); + add("sct::CFiberInterLink",material); + add("sct::Clamp0",material); + add("sct::Clamp1",material); + add("sct::Clamp2",material); + add("sct::Clamp3",material); + add("sct::CoolingEnd0",material); + add("sct::CoolingEnd1",material); + add("sct::CoolingEnd2",material); + add("sct::CoolingEnd3",material); + add("sct::CoolingPipe",material); + add("sct::DiscFixation",material); + add("sct::DiscSupport0",material); + add("sct::DiscSupport1",material); + add("sct::ModuleConnector",material); + add("sct::DiscSupport2",material); + add("sct::DiscSupport3",material); + add("sct::DiscSupport4",material); + add("sct::DiscSupport5",material); + add("sct::DiscSupport6",material); + add("sct::DiscSupport7",material); + add("sct::DiscSupport8",material); + add("sct::FSIBL",material); + add("sct::FSIBH",material); + add("sct::FSIFL",material); + add("sct::FSIFH",material); + add("sct::FwdCoolingPipe",material); + add("sct::FwdFlangeFrontInn",material); + add("sct::FwdFlangeFrontOut",material); + add("sct::FwdFlangeRearInn",material); + add("sct::FwdFlangeRearOut",material); + add("sct::FwdNPipe",material); + add("sct::FwdShuntShield",material); + add("sct::PPConnector",material); + add("sct::PPCooling",material); + add("sct::PPF0c",material); + add("sct::PPF0e",material); + add("sct::PPF0o",material); + add("sct::TSBulkhead",material); + add("sct::TSEndPanel",material); + } + { + SoMaterial * m = new SoMaterial; + m->diffuseColor.setValue(SbColor(0.33333,0.33333,0.49804)); + m->shininess.setValue(0); + add("sct::FwdFibres",m); + } + + { + // NSW - sTGC + SoMaterial * m = new SoMaterial; + m->ambientColor.setValue(0.2, 0.2, 0.2); + m->diffuseColor.setValue(0, 0.6667, 1.0); + m->specularColor.setValue(0,0,0); + m->shininess.setValue(0.2); + add("Honeycomb",m); + } + { + // NSW - MicroMegas (MM) + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0.765, 0.718, 0.541); + m->specularColor.setValue (0.5, 0.5, 0.5); + //m->ambientColor.setValue(0, .157811, .187004); + //m->diffuseColor.setValue(.98, .8, .21); + //m->specularColor.setValue(.915152, .915152, .915152); + m->shininess.setValue(0.2); + add("PCB",m); + } + { + // NSW - Shield Steel + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (0.424238, 0.424238, 0.424238); + m->specularColor.setValue(0.168, 0.168, 0.168); + m->shininess.setValue(0.153696); + add("ShieldSteel",m); + } + + + +////////////// + init(); +} + +//////////////////////////////// Attributes for volumes //////////////////////////////// + +VolVisAttributes::VolVisAttributes() { + + // WARM CYLINDER + { + SoMaterial *m = new SoMaterial; + m->ambientColor.setValue(1, .4, .4); + m->diffuseColor.setValue(1, .4, .4); + m->specularColor.setValue(0.441667, 0.441667, 0.441667); + m->shininess.setValue(0.67); + add( "LAr::Barrel::Cryostat::Cylinder::#4",m); + add( "LAr::Barrel::Cryostat::Cylinder::#5",m); + add( "LAr::Barrel::Cryostat::Cylinder::#6",m); + add( "LAr::Barrel::Cryostat::Cylinder::#7",m); + add( "LAr::Barrel::Cryostat::Cylinder::#8",m); + add( "LAr::Barrel::Cryostat::Cylinder::#9",m); + add( "LAr::Barrel::Cryostat::InnerWall",m); + add( "LAr::Barrel::Cryostat::InnerEndWall",m); + add( "LAr::Barrel::Cryostat::Leg",m); + } + + { + // WARM CYLINDER + SoMaterial *m = new SoMaterial; + m->ambientColor.setValue(.4, .4, 1); + m->diffuseColor.setValue(.4, .4, 1); + m->specularColor.setValue(0.441667, 0.441667, 0.441667); + m->shininess.setValue(0.67); + add( "LAr::Barrel::Cryostat::Cylinder::#0",m); + add( "LAr::Barrel::Cryostat::Cylinder::#1",m); + add( "LAr::Barrel::Cryostat::Cylinder::#2",m); + add( "LAr::Barrel::Cryostat::Cylinder::#3",m); + add( "LAr::Barrel::Cryostat::Ear",m); + add( "LAr::Barrel::Cryostat::OuterWall",m); + } + + { + SoMaterial *m = new SoMaterial; + m->diffuseColor.setValue (1, 1, 0.5); + m->ambientColor.setValue (0.54, 0.54, 0.27); + m->emissiveColor.setValue (0.133, 0.133, 0.067); + add("bcmModLog",m); + add("bcmWallLog",m); + } + init(); +} diff --git a/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/VolumeHandle.cxx b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/VolumeHandle.cxx new file mode 100644 index 0000000000000000000000000000000000000000..69b3d59b68e9604d6c3e7fa67ef2de992bf9cd6d --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/VolumeHandle.cxx @@ -0,0 +1,730 @@ +/* + Copyright (C) 2002-2018 CERN for the benefit of the ATLAS collaboration +*/ + +#include "VTI12GeometrySystems/VolumeHandle.h" +#include "VTI12GeometrySystems/VolumeHandleSharedData.h" +#include "VTI12GeometrySystems/PhiSectorManager.h" +#include "VTI12GeometrySystems/VisAttributes.h" +#include "VTI12GeometrySystems/VP1GeoTreeView.h" +#include "VTI12GeometrySystems/GeoSysController.h" + +#include "VP1Base/VP1ExtraSepLayerHelper.h" +#include "VP1Base/VP1Msg.h" +// #include "VP1Base/VP1QtInventorUtils.h" +#include "VTI12Utils/VP1LinAlgUtils.h" +#include "VP1HEPVis/nodes/SoTransparency.h" +#include "VP1HEPVis/nodes/SoPolyhedron.h" +#include "VP1HEPVis/nodes/SoPcons.h" +#include "VP1HEPVis/VP1HEPVisUtils.h" + +#include "GeoModelKernel/GeoVolumeCursor.h" +#include "GeoModelKernel/GeoShapeShift.h" +#include "GeoModelKernel/GeoTube.h" +#include "GeoModelKernel/GeoTubs.h" + +#include <Inventor/nodes/SoSeparator.h> +#include <Inventor/nodes/SoTransform.h> +#include <Inventor/nodes/SoSwitch.h> +#include <Inventor/nodes/SoShape.h> +#include <Inventor/nodes/SoMaterial.h> +#include <Inventor/nodes/SoText2.h> +#include <Inventor/nodes/SoTranslation.h> + +#include <QHash> +#include <QBuffer> +#include <QByteArray> +#include <QPair> +#include <QSet> +#include <QMap> +#include <QDataStream> + +//____________________________________________________________________ +class VolumeHandle::Imp { +public: + Imp(VolumeHandleSharedData * the_cd, const GeoPVConstLink& the_pV, const SbMatrix& the_ac) + : commondata(the_cd), pV(the_pV),accumTrans(the_ac),attachsepHelper(0),attachlabelSepHelper(0),nodesep(0), material(0), label_sep(0), labels(0), isattached(false) {} + + VolumeHandleSharedData * commondata; + GeoPVConstLink pV; + const SbMatrix accumTrans;//FIXME: Use pointer - and free once children are created AND nodesep has been build. Or just construct on the fly! + + VP1ExtraSepLayerHelper * attachsepHelper; + VP1ExtraSepLayerHelper * attachlabelSepHelper; + + SoSeparator * nodesep; + SoMaterial * material; + SoSeparator* label_sep; + int labels; + QList<int> labelsPosOffsets; + + bool isattached; + void attach(VolumeHandle*vh); + void detach(); + + class VolState { + public: + int nZappedChildren() const { return m_zappedChildren.count(); } + int nExpandedChildren() const { return m_expandedChildren.count(); } + QMap<quint32,VolState> m_expandedChildren; + QSet<quint32> m_zappedChildren; + }; + + static VolState getChildStates(const VolumeHandle*theclass ); + static void applyChildStates(const VolState&,VolumeHandle*theclass); + static bool hasNonStandardShapeChildren(const SoGroup*g); + +}; + + +QDataStream & operator<< ( QDataStream & out, const VolumeHandle::Imp::VolState & vs ) { + out << vs.m_expandedChildren; + out << vs.m_zappedChildren; + return out; +} +QDataStream & operator>> ( QDataStream & in, VolumeHandle::Imp::VolState & vs ) { + in >> vs.m_expandedChildren; + in >> vs.m_zappedChildren; + return in; +} + +//____________________________________________________________________ +VolumeHandle::VolumeHandle(VolumeHandleSharedData * cd,VolumeHandle * parent, const GeoPVConstLink& pV, int childNumber, const MuonChamberState& mcs, const SbMatrix& accumTrans) + : m_d(new Imp(cd,pV,accumTrans)), m_childNumber(childNumber), m_nchildren(childNumber>=0?pV->getNChildVols():0), m_muonChamberState(mcs), m_parent(parent), + m_state(VP1GeoFlags::CONTRACTED) +{ + // std::cout<<"VolumeHandle ctor for "<<this<<" with parent="<<parent<<" and GeoPVConstLink @"<<&pV<<std::endl; + //commondata might be 0 in the special case where VolumeHandle is + //used as a base class for other reasons inside + //VolumeTreeModel. Just make sure we dont crash in that case. + if (cd) { + cd->ref(); + if (!haveParentsNotExpanded()) + m_d->attach(this); + } +} + +//____________________________________________________________________ +VolumeHandle::~VolumeHandle() +{ + if (m_d->commondata) { + setState(VP1GeoFlags::ZAPPED); + m_d->commondata->removeZappedVolumesFromGui(this); + if (childrenAreInitialised()) { + VolumeHandleListItr it, itE = m_children.end(); + for (it = m_children.begin(); it!=itE; ++it) + delete *it; + m_children.clear(); + } + if (m_d->material) + m_d->material->unref(); + if (m_d->nodesep) + m_d->nodesep->unref(); + if (m_d->label_sep) + m_d->label_sep->unref(); + m_d->commondata->unref(); + } + delete m_d; +} + +//____________________________________________________________________ +void VolumeHandle::initialiseChildren() +{ + if (childrenAreInitialised()) + return; + + assert(m_nchildren); + + //Loop over children: + m_children.reserve(m_nchildren); + unsigned ichild(0); + GeoVolumeCursor av(m_d->pV); + while (!av.atEnd()) { + + //Add transformation between parent and child to find the complete transformation of the child: + SbMatrix matr; + VP1LinAlgUtils::transformToMatrix(Amg::EigenTransformToCLHEP(av.getTransform()), matr); + matr.multRight(m_d->accumTrans); + m_children.push_back(new VolumeHandle(m_d->commondata,this,av.getVolume(),ichild++,(isInMuonChamber()?MUONCHAMBERCHILD:NONMUONCHAMBER),matr)); + //std::cout << "initialised: " << av.getName() << " - " << m_children.back()->getName().toStdString() << " - " << m_children.back() << std::endl; + av.next(); + } + + assert(ichild==m_nchildren&&m_children.size()==m_nchildren); + +} + +//____________________________________________________________________ +GeoPVConstLink VolumeHandle::geoPVConstLink() const +{ + return m_d->pV; +} + +//____________________________________________________________________ +QString VolumeHandle::getName() const +{ + return m_d->pV->getLogVol()->getName().c_str(); +} + +//____________________________________________________________________ +std::string VolumeHandle::getNameStdString() const +{ + return m_d->pV->getLogVol()->getName(); +} + +//____________________________________________________________________ +bool VolumeHandle::hasName(const std::string& n) const +{ + return m_d->pV->getLogVol()->getName() == n; +} + +//____________________________________________________________________ +SoMaterial * VolumeHandle::material() +{ + if (m_d->material) + return m_d->material; + + //First see if the "databases" of volumes/material know about this volume: + + SoMaterial * mat = m_d->commondata->volVisAttributes()->get(m_d->pV->getLogVol()->getName()); + if (mat) { + m_d->material = mat; + m_d->material->ref(); + return m_d->material; + } + mat = m_d->commondata->matVisAttributes()->get(m_d->pV->getLogVol()->getMaterial()->getName()); + if (mat) { + m_d->material = mat; + m_d->material->ref(); + return m_d->material; + } + + //Apparently not. We now have two ways of finding a material: We can + //take a system dependent fallback material, or we can take the + //material of the parent. + + mat = m_d->commondata->fallBackTopLevelMaterial(); + if (mat) { + m_d->material = mat; + m_d->material->ref(); + return m_d->material; + } + + if (m_parent) { + m_d->material = m_parent->material(); + assert(m_d->material); + m_d->material->ref(); + return m_d->material; + } + + m_d->material = m_d->commondata->matVisAttributes()->get("DEFAULT"); + assert(m_d->material); + m_d->material->ref(); + return m_d->material; +} + +//____________________________________________________________________ +SoSeparator * VolumeHandle::nodeSoSeparator() const +{ + return m_d->nodesep; +} + +//____________________________________________________________________ +void VolumeHandle::ensureBuildNodeSep() +{ + VP1Msg::messageDebug("VolumeHandle::ensureBuildNodeSep()"); + if (m_d->nodesep && m_d->label_sep) + return; + + m_d->label_sep = new SoSeparator; + m_d->label_sep->ref(); + + m_d->nodesep = new SoSeparator;//FIXME: rendercaching?? + // m_d->nodesep->renderCaching.setValue(SoSeparator::ON); + // m_d->nodesep->boundingBoxCaching.setValue(SoSeparator::ON); + m_d->nodesep->ref();//Since we are keeping it around irrespective of whether it is attached or not. + + //Transform: + m_d->nodesep->addChild(VP1LinAlgUtils::toSoTransform(m_d->accumTrans)); + + //VP1Msg::messageDebug("calling toShapeNode()..."); + SoNode * shape = m_d->commondata->toShapeNode(m_d->pV);//NB: Ignore contained transformation of GeoShapeShifts. + if (!shape) { + m_d->nodesep->removeAllChildren(); + std::cout << "Geomsys/VolumeHandle Error: Null shape!!!"<<std::endl; + return; + } + + //What phi sector do we belong in? + int iphi = m_d->commondata->phiSectorManager()->getVolumeType(m_d->accumTrans, shape); + + if (iphi >= -1 ) { + //VP1Msg::messageDebug("Cylinders [iphi >= -1]..."); + //Substitute shapes that are essentially cylinders with such. This + //can be done safely since this tube won't need + //phi-slicing and is done to gain render performance. + if ( m_d->pV->getLogVol()->getShape()->typeID()==GeoTube::getClassTypeID() ) + { + //VP1Msg::messageDebug("GeoTube..."); + const GeoTube * geotube = static_cast<const GeoTube*>(m_d->pV->getLogVol()->getShape()); + if (geotube->getRMin()==0.0) + shape = m_d->commondata->getSoCylinderOrientedLikeGeoTube(geotube->getRMax(),geotube->getZHalfLength()); + } + else if ( m_d->pV->getLogVol()->getShape()->typeID()==GeoTubs::getClassTypeID() ) + { + //VP1Msg::messageDebug("GeoTubs..."); + const GeoTubs * geotubs = static_cast<const GeoTubs*>(m_d->pV->getLogVol()->getShape()); + if (geotubs->getRMin()==0.0 && geotubs->getDPhi() >= 2*M_PI-1.0e-6) + shape = m_d->commondata->getSoCylinderOrientedLikeGeoTube(geotubs->getRMax(),geotubs->getZHalfLength()); + } + } + + //In the case of a GeoShapeShift we add its contained transformation here: + //Fixme: Remember to use this extra transformation for phisector cuts also! + if (m_d->pV->getLogVol()->getShape()->typeID()==GeoShapeShift::getClassTypeID()) + m_d->nodesep->addChild(VP1LinAlgUtils::toSoTransform(Amg::EigenTransformToCLHEP(dynamic_cast<const GeoShapeShift*>(m_d->pV->getLogVol()->getShape())->getX()))); + + //Add shape child(ren) and get the separator (helper) where we attach the nodesep when volume is visible: + if (iphi >= -1) { + m_d->nodesep->addChild(shape); + m_d->attachsepHelper = m_d->commondata->phiSectorManager()->getSepHelperForNode(m_d->commondata->subSystemFlag(), iphi); + m_d->attachlabelSepHelper = m_d->commondata->phiSectorManager()->getLabelSepHelperForNode(m_d->commondata->subSystemFlag(), iphi); + } else { + SoSwitch * sw = new SoSwitch; + sw->addChild(shape); + SoSeparator * sep_slicedvols = new SoSeparator; + sw->addChild(sep_slicedvols); + sw->whichChild = 0; + m_d->nodesep->addChild(sw); + m_d->attachsepHelper = m_d->commondata->phiSectorManager()->registerVolumeAroundZAxis( m_d->commondata->subSystemFlag(), sw, m_d->accumTrans ); + //FIXME - what about labels? + } + + //Register shape to volume handle connection (for user interactions): + //NB: "shape" might be shared between several volumes, so we use the separator above for the actual link! + //(this must be done last as it also sets outline defaults) + m_d->commondata->registerNodeSepForVolumeHandle(m_d->nodesep,this); + + //VP1Msg::messageDebug("VolumeHandle::ensureBuildNodeSep() - DONE."); +} + +//____________________________________________________________________ +void VolumeHandle::Imp::attach(VolumeHandle*vh) +{ + VP1Msg::messageDebug("VolumeHandle::Imp::attach() - name: " + vh->getName()); + if (!isattached) { + vh->ensureBuildNodeSep(); + if (attachsepHelper) { + VP1Msg::messageDebug("adding node..."); + attachsepHelper->addNodeUnderMaterial(nodesep,vh->material()); + } + if (attachlabelSepHelper) { + VP1Msg::messageDebug("adding label..."); + attachlabelSepHelper->addNode(label_sep); + } + isattached=true; + commondata->volumeBrowser()->scheduleUpdateOfAllNonHiddenIndices();//Browser need to change e.g. colour for this volume + } + //VP1Msg::messageDebug("attach: DONE."); +} + +//____________________________________________________________________ +void VolumeHandle::Imp::detach() +{ + if (isattached) { + if (attachsepHelper) + attachsepHelper->removeNodeUnderMaterial(nodesep,material); + if (attachlabelSepHelper) + attachlabelSepHelper->removeNode(label_sep); + isattached=false; + commondata->volumeBrowser()->scheduleUpdateOfAllNonHiddenIndices();//Browser need to change e.g. colour for this volume + } +} + +//____________________________________________________________________ +void VolumeHandle::setState( const VP1GeoFlags::VOLSTATE& state ) +{ + if (m_state==state) + return; + + //Mark muon chamber as dirty. + if (isInMuonChamber()) { + VolumeHandle *tp = topLevelParent(); + if (tp->m_muonChamberState == MUONCHAMBER) + tp->m_muonChamberState = MUONCHAMBER_DIRTY; + } + + //Update state flag and presence in GUI lists: + VP1GeoFlags::VOLSTATE oldstate = m_state; + m_state = state; + if (oldstate==VP1GeoFlags::ZAPPED) + m_d->commondata->removeZappedVolumesFromGui(this); + else if (state==VP1GeoFlags::ZAPPED) + m_d->commondata->addZappedVolumeToGui(this); + + //Only thing left is visibility updates (i.e. attachment to 3D scenegraph). + + if (haveParentsNotExpanded()) { + //No visibility updates necessary + assert(!m_d->isattached); + return; + } + + //We might need visibility updates. Which ones depend on the + //particular change of state: + + if (state==VP1GeoFlags::CONTRACTED) { + // VP1GeoFlags::EXPANDED/VP1GeoFlags::ZAPPED -> VP1GeoFlags::CONTRACTED: Show this and hide all children. + m_d->attach(this); + detachAllContractedChildren(); + } else if (state==VP1GeoFlags::EXPANDED) { + // VP1GeoFlags::CONTRACTED -> VP1GeoFlags::EXPANDED: Hide this. Allow children to be shown. + // VP1GeoFlags::ZAPPED -> VP1GeoFlags::EXPANDED: Allow children to be shown. + if (oldstate==VP1GeoFlags::CONTRACTED) + m_d->detach(); + attachAllContractedChildren(); + } else { + assert(state==VP1GeoFlags::ZAPPED); + // VP1GeoFlags::CONTRACTED -> VP1GeoFlags::ZAPPED: Hide this. + // VP1GeoFlags::EXPANDED -> VP1GeoFlags::ZAPPED: Hide all children. + if (oldstate==VP1GeoFlags::CONTRACTED) + m_d->detach(); + else + detachAllContractedChildren(); + } +} + +//____________________________________________________________________ +void VolumeHandle::contractDaughtersRecursively() +{ + if (!childrenAreInitialised()) + return;//Fine to abort since children starts in contracted state + //if initialised at a later time. + VolumeHandleListItr childItrE = m_children.end(); + for (VolumeHandleListItr childItr = m_children.begin(); childItr!=childItrE; ++childItr) { + (*childItr)->setState(VP1GeoFlags::CONTRACTED); + (*childItr)->contractDaughtersRecursively(); + } +} + +//____________________________________________________________________ +bool VolumeHandle::haveParentsNotExpanded() const +{ + return m_parent ? ( m_parent->state()==VP1GeoFlags::EXPANDED ? m_parent->haveParentsNotExpanded() : true ) : false; +} + +//____________________________________________________________________ +void VolumeHandle::attachAllContractedChildren() { + + if (!m_nchildren) + return; + if (!childrenAreInitialised()) + initialiseChildren(); + + VolumeHandleListItr childItrE = m_children.end(); + for (VolumeHandleListItr childItr = m_children.begin(); childItr!=childItrE; ++childItr) { + if ((*childItr)->state()==VP1GeoFlags::CONTRACTED) + (*childItr)->m_d->attach(*childItr); + else if ((*childItr)->state()==VP1GeoFlags::EXPANDED) + (*childItr)->attachAllContractedChildren(); + } +} + +//____________________________________________________________________ +void VolumeHandle::detachAllContractedChildren() { + if (!m_nchildren) + return; + if (!childrenAreInitialised()) + return;//Since children not initialised won't have been attached! + + VolumeHandleListItr childItrE = m_children.end(); + for (VolumeHandleListItr childItr = m_children.begin(); childItr!=childItrE; ++childItr) { + if ((*childItr)->state()==VP1GeoFlags::CONTRACTED) + (*childItr)->m_d->detach(); + else if ((*childItr)->state()==VP1GeoFlags::EXPANDED) + (*childItr)->detachAllContractedChildren(); + } +} + +//____________________________________________________________________ +int VolumeHandle::copyNumber() const +{ + GeoPVConstLink parent_pV; + if (m_parent) { + parent_pV = m_parent->geoPVConstLink(); + } else { + parent_pV = m_d->commondata->geoPVConstLinkOfTreeTopsMother(); + if (parent_pV==m_d->pV) { + //To follow historical behaviour, we always assume that + //tree-tops (in the GeoModel sense) have a copy number of 0. + return 0; + } + } + GeoVolumeCursor av(parent_pV); + int i(0);//We need to check the childNumber since volumes in a replica have same volume link + while (!av.atEnd()) { + if (m_childNumber==i&&m_d->pV==av.getVolume()) { + Query<int> Qint = av.getId(); + return Qint.isValid() ? int(Qint) : -1;//-1 for "Invalid" + } + av.next(); + ++i; + } + return -2;//error +} + +//____________________________________________________________________ +quint32 VolumeHandle::hashID() const +{ + // return qHash( QPair<QString,quint32>(getName(),copyNumber()));//NOT UNIQUE!! + return qHash( QPair<QString,quint32>(getName(),childNumber())); +} + +//____________________________________________________________________ +const SbMatrix& VolumeHandle::getGlobalTransformToVolume() const { + return m_d->accumTrans; +} + +//____________________________________________________________________ +SbMatrix VolumeHandle::getLocalTransformToVolume() const { + if (!m_parent) + return m_d->accumTrans; + return m_parent->getGlobalTransformToVolume().inverse().multRight(m_d->accumTrans); +} + +//____________________________________________________________________ +bool VolumeHandle::isAttached() const +{ + return m_d->isattached; +} + +//____________________________________________________________________ +const GeoMaterial * VolumeHandle::geoMaterial() const { + return geoPVConstLink()->getLogVol()->getMaterial(); +} + +//____________________________________________________________________ +bool VolumeHandle::isEther() const +{ + return !isMuonChamber() && QString(geoMaterial()->getName().c_str()).endsWith("Ether"); +} + +//____________________________________________________________________ +void VolumeHandle::expandMothersRecursivelyToNonEther() { + //std::cout<<"VolumeHandle::expandMothersRecursivelyToNonEther() for "<<this->getNameStdString() << " [" <<this<< "]" << " - n. children: " << nChildren() << std::endl; + + if (!nChildren()||!isEther()) { + //VP1Msg::messageDebug("====> no children or not 'Ether' material. Skipping & returning."); + return; + } + + setState(VP1GeoFlags::ZAPPED); + initialiseChildren(); + VolumeHandleListItr childItrE = m_children.end(); + for (VolumeHandleListItr childItr = m_children.begin(); childItr!=childItrE; ++childItr) { + //std::cout << "\t-->expanding child " << (*childItr)->getNameStdString() << " - " << (*childItr) << std::endl ; + (*childItr)->expandMothersRecursivelyToNonEther(); + } + setState(VP1GeoFlags::EXPANDED); + //std::cout<<"VolumeHandle::expandMothersRecursivelyToNonEther() for "<<this->getNameStdString() << " [" <<this<< "]" <<" DONE.\n\n"<<std::endl; + +} + +//____________________________________________________________________ +QByteArray VolumeHandle::getPersistifiableState() const +{ + QByteArray ba; + QBuffer buffer(&ba); + buffer.open(QIODevice::WriteOnly); + + QDataStream out(&buffer); + out << (qint32)0;//version + out << qint32(m_state==VP1GeoFlags::CONTRACTED? 0 : (m_state==VP1GeoFlags::EXPANDED?1:2)); + out << Imp::getChildStates(this); + + buffer.close(); + return ba; + +} + +//____________________________________________________________________ +void VolumeHandle::applyPersistifiableState( QByteArray ba ) +{ + QBuffer buffer(&ba); + buffer.open(QIODevice::ReadOnly); + QDataStream state(&buffer); + qint32 version; + state >> version; + if (version!=0) + return;//We ignore wrong versions silently here. + qint32 st; + state >> st; + VP1GeoFlags::VOLSTATE newstate(VP1GeoFlags::CONTRACTED); + if (st == 2) + newstate = VP1GeoFlags::ZAPPED; + else if (st == 1) + newstate = VP1GeoFlags::EXPANDED; + + Imp::VolState vs; + state >> vs; + buffer.close(); + + if (newstate==VP1GeoFlags::EXPANDED) { + setState(VP1GeoFlags::ZAPPED); + m_d->applyChildStates(vs,this); + } + setState(newstate); +} + +//____________________________________________________________________ +VP1GeoFlags::SubSystemFlag VolumeHandle::subsystem() const +{ + return m_d->commondata->subSystemFlag(); +} + +//____________________________________________________________________ +VolumeHandle::Imp::VolState VolumeHandle::Imp::getChildStates(const VolumeHandle* theclass) +{ + VolState vs; + if (theclass->m_state!=VP1GeoFlags::EXPANDED||theclass->m_nchildren==0||!theclass->childrenAreInitialised()) + return vs; + + VolumeHandleListConstItr it, itE = theclass->m_children.end(); + for (it = theclass->m_children.begin(); it!=itE; ++it) { + if ((*it)->state()==VP1GeoFlags::ZAPPED) + vs.m_zappedChildren.insert((*it)->hashID()); + else if ((*it)->state()==VP1GeoFlags::EXPANDED) + vs.m_expandedChildren.insert((*it)->hashID(),(*it)->m_d->getChildStates(*it)); + } + return vs; +} + +//____________________________________________________________________ +void VolumeHandle::Imp::applyChildStates(const VolState& vs,VolumeHandle*theclass) +{ + bool hasExpandedChildren = !vs.m_expandedChildren.isEmpty(); + bool hasZappedChildren = !vs.m_zappedChildren.isEmpty(); + if (!hasExpandedChildren&&!hasZappedChildren) + return; + + QMap<quint32,VolState>::const_iterator expItr, expItrEnd = vs.m_expandedChildren.end(); + QSet<quint32>::const_iterator zapItr, zapItrEnd = vs.m_zappedChildren.end(); + + theclass->initialiseChildren(); + VolumeHandleListConstItr it, itE = theclass->m_children.end(); + for (it = theclass->m_children.begin(); it!=itE; ++it) { + quint32 id = (*it)->hashID(); + zapItr = vs.m_zappedChildren.find(id); + if (zapItr!=zapItrEnd) { + (*it)->setState(VP1GeoFlags::ZAPPED); + continue; + } + expItr = vs.m_expandedChildren.find(id); + if (expItr!=expItrEnd) { + (*it)->setState(VP1GeoFlags::ZAPPED); + applyChildStates(expItr.value(),*it); + (*it)->setState(VP1GeoFlags::EXPANDED); + } + } +} + +//____________________________________________________________________ +bool VolumeHandle::Imp::hasNonStandardShapeChildren(const SoGroup*g) +{ + const int n(g->getNumChildren()); + for (int i=0; i < n; ++i) { + const SoNode*c = g->getChild(i); + if (c->getTypeId().isDerivedFrom(SoShape::getClassTypeId())) { + if (c->getTypeId().isDerivedFrom(SoPcons::getClassTypeId()) + ||c->getTypeId().isDerivedFrom(SoPolyhedron::getClassTypeId()) + ||c->getTypeId().isDerivedFrom(SoTransparency::getClassTypeId())) + return true; + } else if (c->getTypeId().isDerivedFrom(SoGroup::getClassTypeId())) { + if (hasNonStandardShapeChildren(static_cast<const SoGroup*>(c))) + return true; + } + } + return false; +} + +//____________________________________________________________________ +bool VolumeHandle::isInitialisedAndHasNonStandardShape() const +{ + VP1HEPVisUtils::initAllCustomClasses(); + return m_d->nodesep ? Imp::hasNonStandardShapeChildren(m_d->nodesep) : false; +} + +//____________________________________________________________________ +bool VolumeHandle::isPositiveZ() const +{ + SbVec3f dir; + m_d->accumTrans.multDirMatrix(SbVec3f(0,0,1),dir); + float x,y,z; + dir.getValue(x,y,z); + return z>0; +} + +void VolumeHandle::updateLabels() { + int labels = m_d->commondata->controller()->labels(); + QList<int> offsets = m_d->commondata->controller()->labelPosOffset(); + + m_d->attachlabelSepHelper->largeChangesBegin(); + + if ( m_d->labels != labels || m_d->labelsPosOffsets != offsets){ + m_d->labels = labels; + m_d->labelsPosOffsets = offsets; + m_d->label_sep->removeAllChildren (); + + SoText2 *labelText = new SoText2; + labelText->ref(); + QStringList text; + if (labels&0x1){ + QString name = getDescriptiveName(); + text << name; + } + + // only one label selected - must be better way to do this! + bool singleLabel = (labels&0x2 && !(labels&0x4) && !(labels&0x8)) + || (labels&0x4 && !(labels&0x2) && !(labels&0x8)) + || (labels&0x8 && !(labels&0x2) && !(labels&0x4)); + if (isInMuonChamber() && labels&0xE){ + for (unsigned int i=0; i<3 ;++i){ + // Check to see which label we use. + unsigned int mask=1<<(i+1); + if (!(labels&mask)) continue; // bits 1,2,3 are used for labels + + QString output; + if ( singleLabel ) { + output+="t0="; + } else { + if (i==0) output+="Moore t0="; + if (i==1) output+="Mboy t0="; + if (i==2) output+="<unknown>="; + } + output += muonChamberT0(i); + text << output; + } + } + + unsigned int row=0; + foreach(QString str, text){ + QByteArray array = str.toLatin1(); + labelText->string.set1Value(row++,array.data()); + } + + SoTransform *labelTranslate = VP1LinAlgUtils::toSoTransform(m_d->accumTrans); + assert(labelTranslate!=0); + float offScale=10.0; + float labx,laby,labz; + labelTranslate->translation.getValue().getValue(labx,laby,labz); +// std::cout <<getNameStdString()<<" offsets (x,y,z)=("<<offsets[0]<<","<<offsets[1]<<","<<offsets[2]<<")"<<std::endl; + + labelTranslate->translation.setValue(labx+(offsets[0]*offScale),laby+(offsets[1]*offScale),labz+(offsets[2]*offScale)); + + m_d->label_sep->addChild(labelTranslate); + m_d->label_sep->addChild(labelText); + } + + m_d->attachlabelSepHelper->largeChangesEnd(); +} + diff --git a/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/VolumeHandleSharedData.cxx b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/VolumeHandleSharedData.cxx new file mode 100644 index 0000000000000000000000000000000000000000..ec1b98fe2e3d9ee5955213bc08c3db4b79900c22 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/VolumeHandleSharedData.cxx @@ -0,0 +1,228 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#include "VTI12GeometrySystems/VolumeHandleSharedData.h" +#include "VTI12GeometrySystems/ZappedVolumeListModel.h" +#include "VTI12GeometrySystems/GeoSysController.h" +#include "VTI12Utils/SoVisualizeAction.h" + +#include "GeoModelKernel/GeoVPhysVol.h" +#include "GeoModelKernel/GeoShapeShift.h" + +#include "VP1HEPVis/nodes/SoGenericBox.h" +#include "VP1HEPVis/nodes/SoTubs.h" +#include "VP1HEPVis/nodes/SoPcons.h" +#include "VP1HEPVis/nodes/SoTessellated.h" + +#include <Inventor/nodes/SoCylinder.h> +#include <Inventor/nodes/SoRotationXYZ.h> +#include <Inventor/nodes/SoSeparator.h> + +#include <map> + +//____________________________________________________________________ +class VolumeHandleSharedData::Imp { +public: + GeoSysController * controller; + std::map<const GeoLogVol *, SoShape *> logvol2shape; + std::map<double, SoNode *> id2shape; + SoVisualizeAction visaction; + std::map<SoSeparator*,VolumeHandle*>* sonodesep2volhandle; + GeoPVConstLink motherpV; + PhiSectorManager* phisectormanager; + VP1GeoFlags::SubSystemFlag subsysflag; + SoMaterial * topMaterial; + MatVisAttributes *matVisAttributes; + VolVisAttributes *volVisAttributes; + ZappedVolumeListModel * zappedvolumelistmodel; + int ref; +}; + +//____________________________________________________________________ +VolumeHandleSharedData::VolumeHandleSharedData(GeoSysController * controller, + VP1GeoFlags::SubSystemFlag flag,std::map<SoSeparator*,VolumeHandle*>* sonodesep2volhandle, + const GeoPVConstLink& motherpV,PhiSectorManager*psm, SoMaterial * topMaterial, + MatVisAttributes *matVisAttributes,VolVisAttributes *volVisAttributes, + ZappedVolumeListModel * zappedvolumelistmodel, VP1GeoTreeView * volbrowser, SoSeparator* textSep ) + : m_d(new Imp), m_volumebrowser(volbrowser), m_textSep(textSep) +{ + m_d->ref = 0; + m_d->controller=controller; + m_d->sonodesep2volhandle = sonodesep2volhandle; + m_d->motherpV = motherpV; + m_d->phisectormanager = psm; + m_d->subsysflag = flag; + m_d->topMaterial = topMaterial; + m_d->matVisAttributes = matVisAttributes; + m_d->volVisAttributes = volVisAttributes; + m_d->zappedvolumelistmodel = zappedvolumelistmodel; +} + +//____________________________________________________________________ +VolumeHandleSharedData::~VolumeHandleSharedData() +{ + std::map<const GeoLogVol *, SoShape *>::iterator it, itE = m_d->logvol2shape.end(); + for (it=m_d->logvol2shape.begin();it!=itE;++it) { + if (it->second) + it->second->unref(); + } + std::map<double, SoNode *>::iterator it2, it2E = m_d->id2shape.end(); + for (it2=m_d->id2shape.begin();it2!=it2E;++it2) { + if (it2->second) + it2->second->unref(); + } + delete m_d; m_d=0; +} + +//____________________________________________________________________ +void VolumeHandleSharedData::ref() +{ + ++(m_d->ref); +} + +//____________________________________________________________________ +void VolumeHandleSharedData::unref() +{ + --(m_d->ref); + if (!m_d->ref) + delete this; +} + +//____________________________________________________________________ +MatVisAttributes * VolumeHandleSharedData::matVisAttributes() const +{ + return m_d->matVisAttributes; +} + +//____________________________________________________________________ +VolVisAttributes * VolumeHandleSharedData::volVisAttributes() const +{ + return m_d->volVisAttributes; +} + +//____________________________________________________________________ +SoMaterial * VolumeHandleSharedData::fallBackTopLevelMaterial() const +{ + return m_d->topMaterial; +} + +//____________________________________________________________________ +VP1GeoFlags::SubSystemFlag VolumeHandleSharedData::subSystemFlag() const +{ + return m_d->subsysflag; +} + +//____________________________________________________________________ +PhiSectorManager* VolumeHandleSharedData::phiSectorManager() const +{ + return m_d->phisectormanager; +} + +//____________________________________________________________________ +GeoSysController* VolumeHandleSharedData::controller() const +{ + return m_d->controller; +} + +//_____________________________________________________________________________________ +void VolumeHandleSharedData::registerNodeSepForVolumeHandle(SoSeparator*n,VolumeHandle*vh) +{ + assert(m_d->sonodesep2volhandle->find(n)==m_d->sonodesep2volhandle->end()); + (*(m_d->sonodesep2volhandle))[n]=vh; + setShowVolumeOutlines(n,m_d->controller->showVolumeOutLines()); +} + +//_____________________________________________________________________________________ +void VolumeHandleSharedData::setShowVolumeOutlines(SoGroup*nodegroup,bool showvol) +{ + for (int i = 0; i<nodegroup->getNumChildren();++i) { + SoNode * n = nodegroup->getChild(i); + if (n->getTypeId().isDerivedFrom(SoGenericBox::getClassTypeId())) { + if (static_cast<SoGenericBox*>(n)->drawEdgeLines.getValue()!=showvol) + static_cast<SoGenericBox*>(n)->drawEdgeLines.setValue(showvol); + } else if (n->getTypeId().isDerivedFrom(SoTubs::getClassTypeId())) { + if (static_cast<SoTubs*>(n)->drawEdgeLines.getValue()!=showvol){ + static_cast<SoTubs*>(n)->drawEdgeLines.setValue(showvol); + } + } else if (n->getTypeId().isDerivedFrom(SoPcons::getClassTypeId())) { + if (static_cast<SoPcons*>(n)->drawEdgeLines.getValue()!=showvol){ + static_cast<SoPcons*>(n)->drawEdgeLines.setValue(showvol); + } + } else if (n->getTypeId().isDerivedFrom(SoTessellated::getClassTypeId())) { + if (static_cast<SoTessellated*>(n)->drawEdgeLines.getValue()!=showvol){ + static_cast<SoTessellated*>(n)->drawEdgeLines.setValue(showvol); + } + } else if (n->getTypeId().isDerivedFrom(SoGroup::getClassTypeId())) { + setShowVolumeOutlines(static_cast<SoGroup*>(n),showvol); + } + } +} + +//_____________________________________________________________________________________ +SoNode * VolumeHandleSharedData::toShapeNode(const GeoPVConstLink& pV) +{ + const GeoLogVol * logVolume = pV->getLogVol(); + + // if shape already stored for this volume, return that + SoShape * shape (0); + std::map<const GeoLogVol *, SoShape *>::iterator itShape = m_d->logvol2shape.find(logVolume); + if (itShape!=m_d->logvol2shape.end()) { + return itShape->second; + } + + const GeoShape * geoshape = logVolume->getShape(); + + m_d->visaction.reset(); + if (geoshape->typeID()==GeoShapeShift::getClassTypeID()) { + dynamic_cast<const GeoShapeShift*>(geoshape)->getOp()->exec(&(m_d->visaction)); + //NB: the transformation part of the GeoShapeShift will be applied elsewhere + } else { + geoshape->exec(&(m_d->visaction)); + } + shape = m_d->visaction.getShape(); + if (shape) + shape->ref(); + m_d->logvol2shape[logVolume] = shape; + return shape; +} + +//____________________________________________________________________ +SoNode * VolumeHandleSharedData::getSoCylinderOrientedLikeGeoTube(const double& radius, const double& halfLength) +{ + double id = radius - 9999.0*halfLength; + std::map<double, SoNode *>::iterator it = m_d->id2shape.find(id); + if (it!=m_d->id2shape.end()) + return it->second; + + SoGroup * group = new SoGroup; + SoRotationXYZ * rot = new SoRotationXYZ; + rot->axis.setValue(SoRotationXYZ::X); + rot->angle.setValue(M_PI*0.5f); + group->addChild(rot); + SoCylinder * cyl = new SoCylinder; + cyl->radius.setValue(radius); + cyl->height.setValue(2.0*halfLength); + group->addChild(cyl); + group->ref(); + m_d->id2shape[id]=group; + return group; +} + +//____________________________________________________________________ +GeoPVConstLink VolumeHandleSharedData::geoPVConstLinkOfTreeTopsMother() const +{ + return m_d->motherpV; +} + +//____________________________________________________________________ +void VolumeHandleSharedData::addZappedVolumeToGui( VolumeHandle * handle ) +{ + m_d->zappedvolumelistmodel->addToZappedVolumes(handle); +} + +//____________________________________________________________________ +void VolumeHandleSharedData::removeZappedVolumesFromGui( VolumeHandle * handle ) +{ + m_d->zappedvolumelistmodel->removeFromZappedVolumes(handle); +} diff --git a/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/VolumeTreeModel.cxx b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/VolumeTreeModel.cxx new file mode 100644 index 0000000000000000000000000000000000000000..c4613e0b474b6d7234d37f5f34bc034725bd81ad --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/VolumeTreeModel.cxx @@ -0,0 +1,536 @@ +/* + Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +*/ + +#include "VTI12GeometrySystems/VolumeTreeModel.h" +#include <cassert> +#include <iostream> +#include <QColor> + +////////////////////////////////////////////////////////////////////// +//NB: Since the QModelIndices uses void pointers, the VolumeHandle, +//SectionInfo and SubSystem classes must derive from the same +//base class before we know which class we can cast to. +// +//In order to not add any unnecessary overhead to VolumeHandle (which +//has a copy of the entire GeoModel tree), we let SectionInfo and +//SubSystem both inherit from VolumeHandle, and we use the +//m_childNumber field (which is always non-negative for actual +//VolumeHandles) of VolumeHandle to indicate the type: +// +// -2: SectionInfo +// -1: SubSystem +// 0+: Regular VolumeHandle +// +// This is taken care of by the constructors of the two derived +// classes, and four helper methods below makes the conversions a +// breeze (even though its a bit hackish behind the scenes) +////////////////////////////////////////////////////////////////////////////// + +//____________________________________________________________________ +class VolumeTreeModel::Imp { +public: + //Static definitions of sections and which subsystems goes in which sections: + enum SECTION { UNKNOWN, SCINT, TRACKER, CALO, MISC }; + static std::map<SECTION,QString> section2string; + static std::map<VP1GeoFlags::SubSystemFlag,SECTION> subsysflag2section; + static std::map<VP1GeoFlags::SubSystemFlag,QString> subsysflag2string; + static void defineSubSystem(VP1GeoFlags::SubSystemFlag,QString,SECTION); + + //Class for the dynamic information of a given subsystem: + class SectionInfo; + class SubSystem: public VolumeHandle { + public: + SubSystem(SectionInfo *si,VP1GeoFlags::SubSystemFlag sf) + : VolumeHandle(0,0, GeoPVConstLink(), -1), + section(si), subsysflag(sf) {} + ~SubSystem() { + VolumeHandle::VolumeHandleListItr volItr, volItrE(volhandlelist.end()); + for (volItr = volhandlelist.begin();volItr!=volItrE;++volItr) + delete (*volItr);//This is where volume handles are deleted + } + // + SectionInfo * section; + VP1GeoFlags::SubSystemFlag subsysflag; + VolumeHandle::VolumeHandleList volhandlelist; + QString name; + }; + //lists/maps for the added subsystems: + std::map<VP1GeoFlags::SubSystemFlag,SubSystem*> flag2subsystems; + //Map to quickly find subsystem from volumehandle. Only contains volumehandles from enabled subsystems: + std::map<VolumeHandle*,SubSystem*> volhandle2subsystem; + + //Class for the dynamic information about sections and their daughter subsystems: + class SectionInfo: public VolumeHandle { + public: + SectionInfo(SECTION sf): VolumeHandle(0,0, GeoPVConstLink(), -2),sectionflag(sf) {} + // + SECTION sectionflag; + QList<SubSystem*> enabledSubSystems; + QList<SubSystem*> disabledSubSystems; + QString name; + }; + //Lists of these sections: + QList<SectionInfo*> allSections; + QList<SectionInfo*> activeSections; + + //Convenience methods for dealing with the void pointers from the QModelIndices: + static VolumeHandle* handlePointer(const QModelIndex& idx) { return static_cast<VolumeHandle*>(idx.internalPointer()); } + static bool isSectionInfoPointer(VolumeHandle* handle) { return handle->childNumber()==-2; } + static bool isSubSystemPointer(VolumeHandle* handle) { return handle->childNumber()==-1; } + static bool isRegularVolumeHandle(VolumeHandle* handle) { return handle->childNumber()>=0; } + static SectionInfo * sectionInfoPointer (VolumeHandle* handle) { return handle->childNumber()==-2 ? static_cast<SectionInfo*>(handle) : 0; } + static SubSystem * subSystemPointer (VolumeHandle* handle) { return handle->childNumber()==-1 ? static_cast<SubSystem*>(handle) : 0; } + /////////////////////////////////////////////////////////////////// + /////////////////////////////////////////////////////////////////// + +}; + +//Static variables: +std::map<VolumeTreeModel::Imp::SECTION,QString> VolumeTreeModel::Imp::section2string; +std::map<VP1GeoFlags::SubSystemFlag,VolumeTreeModel::Imp::SECTION> VolumeTreeModel::Imp::subsysflag2section; +std::map<VP1GeoFlags::SubSystemFlag,QString> VolumeTreeModel::Imp::subsysflag2string; + +//____________________________________________________________________ +void VolumeTreeModel::Imp::defineSubSystem(VP1GeoFlags::SubSystemFlag subsysflag, QString subsysname, SECTION section) +{ + Imp::subsysflag2section[subsysflag] = section; + Imp::subsysflag2string[subsysflag] = subsysname; +} + +//____________________________________________________________________ +VolumeTreeModel::VolumeTreeModel( QObject * parent ) + : QAbstractItemModel(parent), m_d(new Imp()) +{ + if (Imp::section2string.empty()) { + Imp::section2string[Imp::UNKNOWN] = "Unknown"; + Imp::section2string[Imp::SCINT] = "Scintillators"; + Imp::section2string[Imp::TRACKER] = "Muon Spectrometer"; + Imp::section2string[Imp::CALO] = "Calorimeter"; + Imp::section2string[Imp::MISC] = "Miscellaneous"; + } + if (Imp::subsysflag2section.empty()) { + Imp::defineSubSystem(VP1GeoFlags::None,"None",Imp::UNKNOWN); + // Scintillator + Imp::defineSubSystem(VP1GeoFlags::Veto, "Veto", Imp::SCINT); + Imp::defineSubSystem(VP1GeoFlags::Trigger, "Trigger", Imp::SCINT); + Imp::defineSubSystem(VP1GeoFlags::Preshower, "Preshower", Imp::SCINT); + // Tracker + Imp::defineSubSystem(VP1GeoFlags::SCT, "Tracker", Imp::TRACKER); + // Calorimeter + Imp::defineSubSystem(VP1GeoFlags::Ecal, "Ecal", Imp::CALO); + + // // Inner Detector + // Imp::defineSubSystem(VP1GeoFlags::Pixel,"Pixel",Imp::INDET); + // Imp::defineSubSystem(VP1GeoFlags::SCT,"SCT",Imp::INDET); + // Imp::defineSubSystem(VP1GeoFlags::TRT,"TRT",Imp::INDET); + // Imp::defineSubSystem(VP1GeoFlags::InDetServMat,"Services",Imp::INDET); + // // Calorimeters + // Imp::defineSubSystem(VP1GeoFlags::LAr,"LAr",Imp::CALO); + // Imp::defineSubSystem(VP1GeoFlags::Tile,"Tile",Imp::CALO); + // //Toroids + // Imp::defineSubSystem(VP1GeoFlags::BarrelToroid,"Toroid Barrel",Imp::MUON); + // Imp::defineSubSystem(VP1GeoFlags::ToroidECA,"Toroid EndCap side A",Imp::MUON); + // Imp::defineSubSystem(VP1GeoFlags::ToroidECC,"Toroid EndCap side C",Imp::MUON); + // // Structure + // Imp::defineSubSystem(VP1GeoFlags::MuonFeet,"Feets",Imp::MUON); + // Imp::defineSubSystem(VP1GeoFlags::MuonShielding,"Shields, etc.",Imp::MUON); + // Imp::defineSubSystem(VP1GeoFlags::MuonToroidsEtc,"Muon etc.",Imp::MUON); + // // Muon chambers + // Imp::defineSubSystem(VP1GeoFlags::MuonBarrelStationInner,"Inner Barrel Stations",Imp::MUON); + // Imp::defineSubSystem(VP1GeoFlags::MuonBarrelStationMiddle,"Middle Barrel Stations",Imp::MUON); + // Imp::defineSubSystem(VP1GeoFlags::MuonBarrelStationOuter,"Outer Barrel Stations",Imp::MUON); + // Imp::defineSubSystem(VP1GeoFlags::MuonEndcapStationCSC,"Endcap CSC",Imp::MUON); + // Imp::defineSubSystem(VP1GeoFlags::MuonEndcapStationTGC,"Endcap TGC",Imp::MUON); + // Imp::defineSubSystem(VP1GeoFlags::MuonEndcapStationMDT,"Endcap MDT",Imp::MUON); + // Imp::defineSubSystem(VP1GeoFlags::MuonEndcapStationNSW,"Endcap NSW",Imp::MUON); + // // Beam Pipe + // Imp::defineSubSystem(VP1GeoFlags::BeamPipe,"Beam Pipe",Imp::MISC); + // // FWD detectors + // Imp::defineSubSystem(VP1GeoFlags::LUCID,"LUCID",Imp::MISC); + // Imp::defineSubSystem(VP1GeoFlags::ZDC,"ZDC",Imp::MISC); + // Imp::defineSubSystem(VP1GeoFlags::ForwardRegion,"ForwardRegion",Imp::MISC); + // // Cavern + // Imp::defineSubSystem(VP1GeoFlags::CavernInfra,"Cavern Infrastructure",Imp::MISC); + } +} + +//____________________________________________________________________ +void VolumeTreeModel::cleanup() +{ + //This is where we delete all SectionInfo/SubSystem pointers (and thus also all VolumeHandles): + std::map<VP1GeoFlags::SubSystemFlag,Imp::SubSystem*>::iterator it, itE = m_d->flag2subsystems.end(); + for (it = m_d->flag2subsystems.begin();it!=itE;++it) + disableSubSystem(it->first); + for (it = m_d->flag2subsystems.begin();it!=itE;++it) + delete it->second; + foreach (Imp::SectionInfo* section, m_d->allSections) + delete section; +} + +//____________________________________________________________________ +VolumeTreeModel::~VolumeTreeModel() +{ + delete m_d; +} + +//____________________________________________________________________ +void VolumeTreeModel::addSubSystem( VP1GeoFlags::SubSystemFlag flag, + const VolumeHandle::VolumeHandleList& roothandles ) +{ + //NB: This method does not need to be super-fast, thus we do a lot + //of not-so-fast iterations over maps/lists rather than keep extra + //maps/lists around. + + //Check whether we added this subsystem already: + bool found(false); + foreach(Imp::SectionInfo* section, m_d->allSections) { + foreach(Imp::SubSystem* subsys,(section->enabledSubSystems+section->disabledSubSystems)) { + if (subsys->subsysflag==flag) { + found=true; + break; + } + } + } + + if (found) { + // std::cout<<"VolumeTreeModel::addSubSystem Error: System has already been added!"<<std::endl; + return; + } + + //Determine section flag: + Imp::SECTION sectionflag; + if (Imp::subsysflag2section.find(flag)==Imp::subsysflag2section.end()) { + std::cout<<"VolumeTreeModel::addSubSystem Error: Unknown system flag! Please update the code!"<<std::endl; + sectionflag=Imp::UNKNOWN; + } else { + sectionflag=Imp::subsysflag2section[flag]; + } + + //Find the section belonging to the system (create a new one if + //needed - i.e. if this is the first subsystem in a given section): + Imp::SectionInfo* section(0); + found = false; + foreach(Imp::SectionInfo* sec, m_d->allSections) { + if (sec->sectionflag==sectionflag) { + //std::cout << "added section: " << sec->sectionflag << std::endl; + section = sec; + break; + } + } + + if (!section) { + section = new Imp::SectionInfo(sectionflag); + //section->sectionflag = sectionflag; + if (Imp::section2string.find(sectionflag)==Imp::section2string.end()) + section->name = "Unknown Section Flag"; + else + section->name = Imp::section2string[sectionflag]; + m_d->allSections<<section; + //We dont add it to m_d->activeSections since the subsystem (and + //thus the section since it has no other subsystems) is considered + //disabled until enabled by a call to enableSubSystem(). + } + + //Create SubSystem instance for this subsystem and give it the roothandles: + Imp::SubSystem * subsys = new Imp::SubSystem(section,flag); + //subsys->section = section; + //subsys->subsysflag = flag; + if (Imp::subsysflag2string.find(flag)==Imp::subsysflag2string.end()) + subsys->name = "Unknown subsystem flag"; + else + subsys->name = Imp::subsysflag2string[flag]; + subsys->volhandlelist = roothandles; + + //Add the subsystem pointer to the relevant maps: + section->disabledSubSystems << subsys; + m_d->flag2subsystems[flag]=subsys; +} + +//____________________________________________________________________ +void VolumeTreeModel::enableSubSystem(VP1GeoFlags::SubSystemFlag flag) +{ + beginResetModel(); // see: http://doc.qt.io/qt-5/qabstractitemmodel-obsolete.html + + //Check the subsystem was added previously: + if (m_d->flag2subsystems.find(flag)==m_d->flag2subsystems.end()) { + std::cout<<"VolumeTreeModel::enableSubSystem Error: System never added!"<<std::endl; + return; + } + Imp::SubSystem * subsys = m_d->flag2subsystems[flag]; + //Find the appropriate section: + Imp::SectionInfo* section(0); + foreach(Imp::SectionInfo* sec, m_d->allSections) { + if (sec->enabledSubSystems.contains(subsys)) { + //It is already enabled + assert(!sec->disabledSubSystems.contains(subsys)); + return; + } + if (sec->disabledSubSystems.contains(subsys)) { + assert(!sec->enabledSubSystems.contains(subsys)); + section=sec; + break; + } + } + assert(section); + if (!section) { + std::cout<<"VolumeTreeModel::enableSubSystem Error: Did not find section of subsystem!."<<std::endl; + return; + } + //Move the subsystem from the disabled to the enabled list: + section->enabledSubSystems << subsys;//Fixme: Ordering. + section->disabledSubSystems.removeAll(subsys); + //If the newly added subsystem is the only enabled subsystem, the section needs to be enabled as well: + if (section->enabledSubSystems.count()==1) { + assert(!m_d->activeSections.contains(section)); + m_d->activeSections << section;//Fixme: Ordering. + } + //Put volume handle pointers into quick subsystem access map: + foreach (VolumeHandle* volhandle, subsys->volhandlelist ) { + m_d->volhandle2subsystem[volhandle] = subsys; + } + + endResetModel(); + +} + +//____________________________________________________________________ +void VolumeTreeModel::disableSubSystem(VP1GeoFlags::SubSystemFlag flag) +{ + beginResetModel(); // see: http://doc.qt.io/qt-5/qabstractitemmodel-obsolete.html + + //If it was not even added previously we can just return: + if (m_d->flag2subsystems.find(flag)==m_d->flag2subsystems.end()) + return; + + Imp::SubSystem * subsys = m_d->flag2subsystems[flag]; + //Find the appropriate section: + Imp::SectionInfo* section(0); + foreach(Imp::SectionInfo* sec, m_d->allSections) { + if (sec->disabledSubSystems.contains(subsys)) { + //It is already disabled + assert(!sec->enabledSubSystems.contains(subsys)); + return; + } + if (sec->enabledSubSystems.contains(subsys)) { + assert(!sec->disabledSubSystems.contains(subsys)); + section=sec; + break; + } + } + assert(section); + if (!section) { + std::cout<<"VolumeTreeModel::disableSubSystem Error: Did not find section of subsystem!."<<std::endl; + return; + } + + //Move the subsystem from the enabled to the disabled list: + section->disabledSubSystems << subsys; + section->enabledSubSystems.removeAll(subsys); + //If the newly disabled subsystem was the only enabled subsystem, the section needs to be disabled as well: + if (section->enabledSubSystems.count()==0) { + assert(m_d->activeSections.contains(section)); + m_d->activeSections.removeAll(section); + } + + //Remove volume handle pointers from quick subsystem access map: + foreach (VolumeHandle* volhandle, subsys->volhandlelist ) { + Q_ASSERT(m_d->volhandle2subsystem.find(volhandle)!=m_d->volhandle2subsystem.end()); + m_d->volhandle2subsystem.erase(m_d->volhandle2subsystem.find(volhandle)); + } + + endResetModel(); +// reset();//Fixme: use proper insert rows/colums/etc. instead! +} + +//____________________________________________________________________ +void VolumeTreeModel::getRootHandles(std::vector<std::pair<VolumeHandle::VolumeHandleListItr,VolumeHandle::VolumeHandleListItr> >& out) const +{ + out.clear(); + out.reserve(m_d->flag2subsystems.size()); + std::map<VP1GeoFlags::SubSystemFlag,Imp::SubSystem*>::iterator it, itE = m_d->flag2subsystems.end(); + for (it = m_d->flag2subsystems.begin();it!=itE;++it) + out.push_back(std::pair<VolumeHandle::VolumeHandleListItr,VolumeHandle::VolumeHandleListItr> + (it->second->volhandlelist.begin(),it->second->volhandlelist.end())); + +} + +//____________________________________________________________________ +QModelIndex VolumeTreeModel::index(int row, int column, const QModelIndex &parent) const +{ + //Check that row and column are in allowed ranges (positive and within row/column count of parent): + if (!hasIndex(row, column, parent)) + return QModelIndex(); + + if (!parent.isValid()) { + //We must return the index of a section label: + Q_ASSERT(row<m_d->activeSections.count()); + return createIndex(row, column, m_d->activeSections.at(row)); + } + + VolumeHandle * parentHandle = Imp::handlePointer(parent); + + if (Imp::isRegularVolumeHandle(parentHandle)) { + if (!parentHandle->childrenAreInitialised()) + parentHandle->initialiseChildren();//Fixme: It seems that it is occasionally necessary to do this. Why?? Why not fetchMore?? + VolumeHandle * childHandle = parentHandle->child(row); + Q_ASSERT(childHandle); + return createIndex(row, column, childHandle); + } + + if (Imp::isSubSystemPointer(parentHandle)) { + //Return index of top-level volume: + Q_ASSERT(unsigned(row)<Imp::subSystemPointer(parentHandle)->volhandlelist.size()); + return createIndex(row, column, Imp::subSystemPointer(parentHandle)->volhandlelist.at(row)); + } + + //Must be SectionInfo: + Q_ASSERT(Imp::isSectionInfoPointer(parentHandle)); + Q_ASSERT(row<Imp::sectionInfoPointer(parentHandle)->enabledSubSystems.count()); + return createIndex(row, column, Imp::sectionInfoPointer(parentHandle)->enabledSubSystems.at(row)); +} + +//____________________________________________________________________ +QModelIndex VolumeTreeModel::parent(const QModelIndex& index) const +{ + if (!index.isValid()) + return QModelIndex(); + + //See if we have a volumeHandle as index: + VolumeHandle *childHandle = Imp::handlePointer(index); + + if (Imp::isRegularVolumeHandle(childHandle)) { + VolumeHandle *parentHandle = childHandle->parent(); + if (parentHandle) + return createIndex(parentHandle->childNumber(), 0, parentHandle); + + //childHandle has 0 parent pointer => parent must be a subsystem label: + Q_ASSERT(m_d->volhandle2subsystem.find(childHandle)!=m_d->volhandle2subsystem.end()); + Imp::SubSystem * subsys = m_d->volhandle2subsystem[childHandle]; + Q_ASSERT(subsys); + Q_ASSERT(subsys->section->enabledSubSystems.contains(subsys)); + return createIndex(subsys->section->enabledSubSystems.indexOf(subsys), 0, subsys); + } + + + if (Imp::isSubSystemPointer(childHandle)) { + //Index is a SubSystem => parent must be a section label: + Q_ASSERT(m_d->activeSections.contains(Imp::subSystemPointer(childHandle)->section)); + return createIndex(m_d->activeSections.indexOf(Imp::subSystemPointer(childHandle)->section), 0, Imp::subSystemPointer(childHandle)->section); + } + + //Must be SectionInfo => parent is root (i.e. invalid): + Q_ASSERT(Imp::isSectionInfoPointer(childHandle)); + return QModelIndex(); +} + +//____________________________________________________________________ +int VolumeTreeModel::rowCount(const QModelIndex& parent) const +{ + if (parent.column() > 0) + return 0; + + if (!parent.isValid()) + return m_d->activeSections.size();//Number of active sections + + VolumeHandle * parentHandle = Imp::handlePointer(parent); + + if (Imp::isRegularVolumeHandle(parentHandle)) { + return parentHandle->nChildren(); + } + + if (Imp::isSubSystemPointer(parentHandle)) { + return Imp::subSystemPointer(parentHandle)->volhandlelist.size(); + } + + //Must be SectionInfo pointer: + Q_ASSERT(Imp::isSectionInfoPointer(parentHandle)); + return Imp::sectionInfoPointer(parentHandle)->enabledSubSystems.count(); +} + +//____________________________________________________________________ +QVariant VolumeTreeModel::data(const QModelIndex& index, int role) const +{ + if ((role!=Qt::DisplayRole&&role!=Qt::TextColorRole)||!index.isValid()) + return QVariant(); + + VolumeHandle *volumeHandle = Imp::handlePointer(index); + if (Imp::isRegularVolumeHandle(volumeHandle)) { + if (role==Qt::TextColorRole) { + if (volumeHandle->isAttached()) + return QVariant(); + else + return QColor::fromRgbF( 0.5, 0.5, 0.5 ); + } + //DisplayRole: + if (volumeHandle->nChildren()>1) + return volumeHandle->getName()+" ["+QString::number(volumeHandle->nChildren())+"]"; + else + return volumeHandle->getName(); + } + + if (role==Qt::TextColorRole) + return QVariant(); + + if (Imp::isSubSystemPointer(volumeHandle)) + return Imp::subSystemPointer(volumeHandle)->name; + + Q_ASSERT(Imp::isSectionInfoPointer(volumeHandle)); + return Imp::sectionInfoPointer(volumeHandle)->name; +} + + +//____________________________________________________________________ +Qt::ItemFlags VolumeTreeModel::flags(const QModelIndex &index) const +{ + if (!index.isValid()) + return 0; + + if (Imp::isRegularVolumeHandle(Imp::handlePointer(index))) + return Qt::ItemIsEnabled | Qt::ItemIsSelectable; + else + return Qt::ItemIsEnabled; +} + +//____________________________________________________________________ +QVariant VolumeTreeModel::headerData(int /*section*/, Qt::Orientation /*orientation*/,int /*role*/) const +{ + return QVariant(); +} + +//____________________________________________________________________ +bool VolumeTreeModel::canFetchMore( const QModelIndex & parent ) const +{ + if (!parent.isValid()) + return false; + + VolumeHandle * parentHandle = Imp::handlePointer(parent); + + if (Imp::isRegularVolumeHandle(parentHandle)&&!parentHandle->childrenAreInitialised()) + return true; + + return false; +} + +//____________________________________________________________________ +void VolumeTreeModel::fetchMore( const QModelIndex & parent ) +{ + if (!parent.isValid()) + return;//should probably never happen + + VolumeHandle* parentHandle = Imp::handlePointer(parent); + + if (Imp::isRegularVolumeHandle(parentHandle)&&!parentHandle->childrenAreInitialised()) { + // beginInsertRows(parent,0,int(parentHandle->nChildren())-1); + parentHandle->initialiseChildren(); + layoutChanged();//fixme?? + // endInsertRows(); + return; + } +} + +//____________________________________________________________________ +bool VolumeTreeModel::hasChildren ( const QModelIndex & parent ) const +{ + return rowCount(parent)>0;//Our rowCount is relatively fast (no looping to count). +} diff --git a/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/ZappedVolumeListModel.cxx b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/ZappedVolumeListModel.cxx new file mode 100644 index 0000000000000000000000000000000000000000..da2dc1dde82400cfb25739e0dad83b5dfd682020 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/ZappedVolumeListModel.cxx @@ -0,0 +1,22 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#include "VTI12GeometrySystems/ZappedVolumeListModel.h" + +//____________________________________________________________________ +ZappedVolumeListModel::ZappedVolumeListModel(QObject * parent) + : QAbstractListModel(parent) +{ +} + +//____________________________________________________________________ +ZappedVolumeListModel::~ZappedVolumeListModel() +{ +} + +//____________________________________________________________________ +void ZappedVolumeListModel::activated(const QModelIndex& index) +{ + m_zappedhandles.at(index.row())->setState(VP1GeoFlags::CONTRACTED); +} diff --git a/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/geometrysystemcontroller.ui b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/geometrysystemcontroller.ui new file mode 100644 index 0000000000000000000000000000000000000000..d9bbb2b36d1aa521140b659942871bc36a6117fc --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/geometrysystemcontroller.ui @@ -0,0 +1,488 @@ +<?xml version="1.0" encoding="UTF-8"?> +<ui version="4.0"> + <class>GeometrySystemControllerForm</class> + <widget class="QWidget" name="GeometrySystemControllerForm"> + <property name="geometry"> + <rect> + <x>0</x> + <y>0</y> + <width>338</width> + <height>822</height> + </rect> + </property> + <property name="sizePolicy"> + <sizepolicy hsizetype="Expanding" vsizetype="Expanding"> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="windowTitle"> + <string>Form</string> + </property> + <layout class="QVBoxLayout" name="verticalLayout"> + <property name="leftMargin"> + <number>6</number> + </property> + <property name="topMargin"> + <number>6</number> + </property> + <property name="rightMargin"> + <number>0</number> + </property> + <property name="bottomMargin"> + <number>4</number> + </property> + <item> + <layout class="QHBoxLayout" name="horizontalLayout_2"> + <property name="spacing"> + <number>0</number> + </property> + <item> + <widget class="QWidget" name="widget_settingsButtonsPlaceholder" native="true"> + <property name="sizePolicy"> + <sizepolicy hsizetype="Fixed" vsizetype="Fixed"> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <layout class="QGridLayout" name="_19"> + <property name="leftMargin"> + <number>0</number> + </property> + <property name="topMargin"> + <number>0</number> + </property> + <property name="rightMargin"> + <number>0</number> + </property> + <property name="bottomMargin"> + <number>0</number> + </property> + <property name="spacing"> + <number>0</number> + </property> + <item row="0" column="0"> + <widget class="QPushButton" name="pushButton_settings_display"> + <property name="toolTip"> + <string>Configure overall display options such as phi-sector cutaways and transparency</string> + </property> + <property name="text"> + <string>Display</string> + </property> + </widget> + </item> + <item row="0" column="1"> + <widget class="QPushButton" name="pushButton_settings_interactions"> + <property name="toolTip"> + <string>Configure what happens when a geometry volume is clicked</string> + </property> + <property name="text"> + <string>Interactions</string> + </property> + </widget> + </item> + <item row="0" column="2"> + <widget class="QPushButton" name="pushButton_settings_iconisedvols"> + <property name="toolTip"> + <string>Show a list of iconised/zapped volumes and possible restore them.</string> + </property> + <property name="text"> + <string>Icon Box</string> + </property> + </widget> + </item> + <item row="1" column="0"> + <widget class="QPushButton" name="pushButton_settings_misc"> + <property name="toolTip"> + <string>Miscellaneous controls such as automatic actions on multiple volumes, or editing the colour of the last volume clicked.</string> + </property> + <property name="text"> + <string>Misc.</string> + </property> + </widget> + </item> + <item row="1" column="1"> + <widget class="QPushButton" name="pushButton_settings_treebrowser"> + <property name="toolTip"> + <string>Browse the detector volume in a tree-view.</string> + </property> + <property name="text"> + <string>Browser</string> + </property> + </widget> + </item> + <item row="1" column="2"> + <widget class="QPushButton" name="pushButton_settings_unused"> + <property name="toolTip"> + <string>Currently unused</string> + </property> + <property name="text"> + <string>Unused</string> + </property> + </widget> + </item> + </layout> + </widget> + </item> + <item> + <spacer name="horizontalSpacer"> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>8</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + </layout> + </item> + <item> + <layout class="QHBoxLayout" name="horizontalLayout"> + <property name="spacing"> + <number>0</number> + </property> + <item> + <layout class="QVBoxLayout" name="_2"> + <property name="spacing"> + <number>4</number> + </property> + <item> + <widget class="QGroupBox" name="groupBox_scintillator"> + <property name="title"> + <string>Scintillator</string> + </property> + <layout class="QHBoxLayout" name="_3"> + <property name="spacing"> + <number>0</number> + </property> + <property name="leftMargin"> + <number>4</number> + </property> + <property name="topMargin"> + <number>4</number> + </property> + <property name="rightMargin"> + <number>4</number> + </property> + <property name="bottomMargin"> + <number>4</number> + </property> + <item> + <layout class="QGridLayout" name="_4"> + <property name="leftMargin"> + <number>0</number> + </property> + <property name="topMargin"> + <number>0</number> + </property> + <property name="rightMargin"> + <number>0</number> + </property> + <property name="bottomMargin"> + <number>0</number> + </property> + <property name="horizontalSpacing"> + <number>6</number> + </property> + <property name="verticalSpacing"> + <number>0</number> + </property> + <item row="0" column="0"> + <widget class="QCheckBox" name="checkBox_Veto"> + <property name="text"> + <string>Veto</string> + </property> + </widget> + </item> + <item row="0" column="1"> + <widget class="QCheckBox" name="checkBox_Trigger"> + <property name="text"> + <string>Trigger</string> + </property> + </widget> + </item> + <item row="0" column="2"> + <widget class="QCheckBox" name="checkBox_Preshower"> + <property name="text"> + <string>Preshower</string> + </property> + </widget> + </item> + </layout> + </item> + <item> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>1</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + </layout> + </widget> + </item> + <item> + <widget class="QGroupBox" name="groupBox_tracker"> + <property name="title"> + <string>Tracker</string> + </property> + <layout class="QHBoxLayout" name="_5"> + <property name="spacing"> + <number>0</number> + </property> + <property name="leftMargin"> + <number>4</number> + </property> + <property name="topMargin"> + <number>4</number> + </property> + <property name="rightMargin"> + <number>4</number> + </property> + <property name="bottomMargin"> + <number>4</number> + </property> + <item> + <widget class="QCheckBox" name="checkBox_SCT"> + <property name="text"> + <string>SCT</string> + </property> + </widget> + </item> + <item> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>1</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + </layout> + </widget> + </item> + <item> + <widget class="QGroupBox" name="groupBox_calorimeter"> + <property name="title"> + <string>Calorimeter</string> + </property> + <layout class="QVBoxLayout" name="_12"> + <property name="spacing"> + <number>0</number> + </property> + <property name="leftMargin"> + <number>4</number> + </property> + <property name="topMargin"> + <number>4</number> + </property> + <property name="rightMargin"> + <number>4</number> + </property> + <property name="bottomMargin"> + <number>4</number> + </property> + <item> + <layout class="QHBoxLayout" name="_14"> + <item> + <widget class="QCheckBox" name="checkBox_Ecal"> + <property name="text"> + <string>Ecal</string> + </property> + </widget> + </item> + <item> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>1</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + </layout> + </item> + </layout> + </widget> + </item> + <item> + <widget class="QGroupBox" name="groupBox_misc"> + <property name="title"> + <string>Miscellaneous</string> + </property> + <layout class="QVBoxLayout" name="_12_2"> + <property name="spacing"> + <number>0</number> + </property> + <property name="leftMargin"> + <number>4</number> + </property> + <property name="topMargin"> + <number>4</number> + </property> + <property name="rightMargin"> + <number>4</number> + </property> + <property name="bottomMargin"> + <number>4</number> + </property> + <item> + <layout class="QHBoxLayout" name="_13"> + <item> + <widget class="QCheckBox" name="checkBox_CavernInfra"> + <property name="text"> + <string>Cavern Infrastructure</string> + </property> + </widget> + </item> + </layout> + </item> + <item> + <widget class="QCheckBox" name="checkBox_other"> + <property name="text"> + <string>Other unrecognised volumes.</string> + </property> + </widget> + </item> + </layout> + </widget> + </item> + <item> + <layout class="QHBoxLayout" name="_15"> + <property name="spacing"> + <number>0</number> + </property> + <item> + <layout class="QVBoxLayout" name="_16"> + <property name="spacing"> + <number>0</number> + </property> + <item> + <widget class="QLabel" name="label_12"> + <property name="text"> + <string>Instructions:</string> + </property> + </widget> + </item> + <item> + <layout class="QHBoxLayout" name="_17"> + <property name="spacing"> + <number>0</number> + </property> + <item> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType"> + <enum>QSizePolicy::Fixed</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>20</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item> + <layout class="QVBoxLayout" name="_18"> + <property name="spacing"> + <number>1</number> + </property> + <item> + <widget class="QLabel" name="label_9"> + <property name="text"> + <string>Crtl+click: Expand to child volumes</string> + </property> + </widget> + </item> + <item> + <widget class="QLabel" name="label_10"> + <property name="text"> + <string>Shift+click: Contract to mother volume</string> + </property> + </widget> + </item> + <item> + <widget class="QLabel" name="label_11"> + <property name="text"> + <string>Z+click: Iconify (remove) volume</string> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </item> + <item> + <spacer name="verticalSpacer"> + <property name="orientation"> + <enum>Qt::Vertical</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>20</width> + <height>1</height> + </size> + </property> + </spacer> + </item> + </layout> + </item> + <item> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>1</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + </layout> + </item> + </layout> + </item> + <item> + <spacer name="horizontalSpacer_2"> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType"> + <enum>QSizePolicy::Expanding</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>1</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + </layout> + </item> + </layout> + </widget> + <resources/> + <connections/> +</ui> diff --git a/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/settings_display_form.ui b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/settings_display_form.ui new file mode 100644 index 0000000000000000000000000000000000000000..292aef8bef4041f37f6c2f7c9cbb3cb3711130b9 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/settings_display_form.ui @@ -0,0 +1,460 @@ +<?xml version="1.0" encoding="UTF-8"?> +<ui version="4.0"> + <class>GeoSysSettingsDisplayForm</class> + <widget class="QWidget" name="GeoSysSettingsDisplayForm"> + <property name="geometry"> + <rect> + <x>0</x> + <y>0</y> + <width>397</width> + <height>562</height> + </rect> + </property> + <property name="windowTitle"> + <string>Form</string> + </property> + <layout class="QVBoxLayout" name="verticalLayout_2"> + <item> + <widget class="QGroupBox" name="groupBox"> + <property name="title"> + <string>Phi Sector Cutaways</string> + </property> + <layout class="QHBoxLayout" name="horizontalLayout_2"> + <item> + <widget class="PhiSectionWidget" name="phisectionwidget"> + <property name="sizePolicy"> + <sizepolicy hsizetype="Fixed" vsizetype="Fixed"> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="maximumSize"> + <size> + <width>60</width> + <height>60</height> + </size> + </property> + </widget> + </item> + <item> + <spacer name="horizontalSpacer"> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>70</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + </layout> + </widget> + </item> + <item> + <widget class="QGroupBox" name="groupBox_5"> + <property name="title"> + <string>Draw options</string> + </property> + <layout class="QVBoxLayout" name="verticalLayout"> + <item> + <layout class="QHBoxLayout" name="horizontalLayout"> + <item> + <widget class="QLabel" name="label"> + <property name="text"> + <string>Transparency:</string> + </property> + </widget> + </item> + <item> + <widget class="QSpinBox" name="spinBox_transp"> + <property name="alignment"> + <set>Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter</set> + </property> + <property name="suffix"> + <string> %</string> + </property> + <property name="maximum"> + <number>100</number> + </property> + <property name="singleStep"> + <number>5</number> + </property> + </widget> + </item> + </layout> + </item> + <item> + <widget class="QCheckBox" name="checkBox_showVolumeOutLines"> + <property name="toolTip"> + <string>Decorate shapes with lines at the edges (current only certain shapes such as muon chambers are supported)</string> + </property> + <property name="text"> + <string>Show outlines</string> + </property> + </widget> + </item> + <item> + <widget class="VP1DrawOptionsWidget" name="widget_drawOptions" native="true"/> + </item> + </layout> + </widget> + </item> + <item> + <widget class="QGroupBox" name="groupBox_colouring"> + <property name="title"> + <string>Custom Colouring</string> + </property> + <layout class="QGridLayout" name="gridLayout"> + <item row="0" column="0" colspan="2"> + <layout class="QHBoxLayout" name="_8"> + <item> + <widget class="QLabel" name="label_13"> + <property name="text"> + <string>Edit material of last selected volume:</string> + </property> + </widget> + </item> + <item> + <widget class="VP1MaterialButton" name="matButton_lastSel"> + <property name="toolTip"> + <string>Edit the material of the last picked volume</string> + </property> + <property name="text"> + <string/> + </property> + </widget> + </item> + </layout> + </item> + <item row="1" column="0"> + <widget class="QPushButton" name="pushButton_saveChangedMaterials"> + <property name="toolTip"> + <string>Store changed materials into a .vp1geomat file which can be loaded later (hold down CTRL while clicking to store ALL materials, rather than just the ones that do not have default values)</string> + </property> + <property name="text"> + <string>Save changed materials</string> + </property> + </widget> + </item> + <item row="1" column="1"> + <widget class="QPushButton" name="pushButton_loadMaterials"> + <property name="toolTip"> + <string>Load materials from a .vp1geomat file</string> + </property> + <property name="text"> + <string>Load materials</string> + </property> + </widget> + </item> + </layout> + </widget> + </item> + <item> + <widget class="QGroupBox" name="groupBox_labels"> + <property name="enabled"> + <bool>true</bool> + </property> + <property name="title"> + <string>Labels</string> + </property> + <property name="checkable"> + <bool>true</bool> + </property> + <property name="checked"> + <bool>false</bool> + </property> + <layout class="QHBoxLayout" name="horizontalLayout_3"> + <item> + <layout class="QVBoxLayout" name="verticalLayout_3"> + <item> + <widget class="QCheckBox" name="checkBox_labels_names"> + <property name="enabled"> + <bool>false</bool> + </property> + <property name="toolTip"> + <string>Enables the drawing of track labels</string> + </property> + <property name="text"> + <string>Chamber name</string> + </property> + </widget> + </item> + <item> + <widget class="QCheckBox" name="checkBox_labels_mooret0s"> + <property name="enabled"> + <bool>false</bool> + </property> + <property name="text"> + <string>Chamber t0s (Moore)</string> + </property> + </widget> + </item> + <item> + <widget class="QCheckBox" name="checkBox_labels_mboyt0s"> + <property name="enabled"> + <bool>false</bool> + </property> + <property name="text"> + <string>Chamber t0s (Mboy)</string> + </property> + </widget> + </item> + <item> + <widget class="QCheckBox" name="checkBox_labels_hits"> + <property name="enabled"> + <bool>false</bool> + </property> + <property name="text"> + <string>Hit counts</string> + </property> + </widget> + </item> + <item> + <spacer name="verticalSpacer"> + <property name="orientation"> + <enum>Qt::Vertical</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>20</width> + <height>17</height> + </size> + </property> + </spacer> + </item> + </layout> + </item> + <item> + <widget class="QGroupBox" name="groupBox_2"> + <property name="sizePolicy"> + <sizepolicy hsizetype="Minimum" vsizetype="Preferred"> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="minimumSize"> + <size> + <width>150</width> + <height>0</height> + </size> + </property> + <property name="title"> + <string>Offset</string> + </property> + <property name="flat"> + <bool>false</bool> + </property> + <layout class="QGridLayout" name="gridLayout_3"> + <property name="bottomMargin"> + <number>7</number> + </property> + <property name="horizontalSpacing"> + <number>-1</number> + </property> + <property name="verticalSpacing"> + <number>0</number> + </property> + <item row="0" column="0"> + <widget class="QLabel" name="label_11"> + <property name="text"> + <string>x</string> + </property> + </widget> + </item> + <item row="1" column="1"> + <widget class="QSlider" name="horizontalSlider_labels_yOffset"> + <property name="sizePolicy"> + <sizepolicy hsizetype="Expanding" vsizetype="Minimum"> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="maximumSize"> + <size> + <width>16777215</width> + <height>32</height> + </size> + </property> + <property name="minimum"> + <number>-100</number> + </property> + <property name="maximum"> + <number>100</number> + </property> + <property name="tracking"> + <bool>true</bool> + </property> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="invertedAppearance"> + <bool>false</bool> + </property> + <property name="tickPosition"> + <enum>QSlider::TicksAbove</enum> + </property> + <property name="tickInterval"> + <number>25</number> + </property> + </widget> + </item> + <item row="2" column="1"> + <widget class="QSlider" name="horizontalSlider_labels_zOffset"> + <property name="sizePolicy"> + <sizepolicy hsizetype="Expanding" vsizetype="Minimum"> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="maximumSize"> + <size> + <width>16777215</width> + <height>32</height> + </size> + </property> + <property name="minimum"> + <number>-100</number> + </property> + <property name="maximum"> + <number>100</number> + </property> + <property name="tracking"> + <bool>true</bool> + </property> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="invertedAppearance"> + <bool>false</bool> + </property> + <property name="tickPosition"> + <enum>QSlider::TicksAbove</enum> + </property> + <property name="tickInterval"> + <number>25</number> + </property> + </widget> + </item> + <item row="2" column="0"> + <widget class="QLabel" name="label_9"> + <property name="text"> + <string>z</string> + </property> + </widget> + </item> + <item row="0" column="1"> + <widget class="QSlider" name="horizontalSlider_labels_xOffset"> + <property name="sizePolicy"> + <sizepolicy hsizetype="Expanding" vsizetype="Minimum"> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="maximumSize"> + <size> + <width>16777215</width> + <height>32</height> + </size> + </property> + <property name="minimum"> + <number>-100</number> + </property> + <property name="maximum"> + <number>100</number> + </property> + <property name="tracking"> + <bool>true</bool> + </property> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="invertedAppearance"> + <bool>false</bool> + </property> + <property name="tickPosition"> + <enum>QSlider::TicksAbove</enum> + </property> + <property name="tickInterval"> + <number>25</number> + </property> + </widget> + </item> + <item row="1" column="0"> + <widget class="QLabel" name="label_3"> + <property name="text"> + <string>y</string> + </property> + </widget> + </item> + </layout> + </widget> + </item> + </layout> + </widget> + </item> + <item> + <layout class="QHBoxLayout" name="_4"> + <item> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>40</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item> + <widget class="QPushButton" name="pushButton_close"> + <property name="text"> + <string>&Close</string> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </widget> + <customwidgets> + <customwidget> + <class>VP1MaterialButton</class> + <extends>QPushButton</extends> + <header>VP1Base/VP1MaterialButton.h</header> + </customwidget> + <customwidget> + <class>VP1DrawOptionsWidget</class> + <extends>QWidget</extends> + <header>VP1Base/VP1DrawOptionsWidget.h</header> + <container>1</container> + </customwidget> + <customwidget> + <class>PhiSectionWidget</class> + <extends>QGraphicsView</extends> + <header>VP1Base/PhiSectionWidget.h</header> + </customwidget> + </customwidgets> + <resources/> + <connections> + <connection> + <sender>groupBox_labels</sender> + <signal>toggled(bool)</signal> + <receiver>checkBox_labels_names</receiver> + <slot>setEnabled(bool)</slot> + <hints> + <hint type="sourcelabel"> + <x>198</x> + <y>426</y> + </hint> + <hint type="destinationlabel"> + <x>118</x> + <y>396</y> + </hint> + </hints> + </connection> + </connections> +</ui> diff --git a/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/settings_iconisedvols_form.ui b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/settings_iconisedvols_form.ui new file mode 100644 index 0000000000000000000000000000000000000000..5b6a9b8172232ad110a0dba79ec909f26b8dffee --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/settings_iconisedvols_form.ui @@ -0,0 +1,54 @@ +<ui version="4.0" > + <class>GeoSysSettingsIconisedVolumesForm</class> + <widget class="QWidget" name="GeoSysSettingsIconisedVolumesForm" > + <property name="geometry" > + <rect> + <x>0</x> + <y>0</y> + <width>196</width> + <height>165</height> + </rect> + </property> + <property name="windowTitle" > + <string>Form</string> + </property> + <layout class="QVBoxLayout" name="verticalLayout" > + <item> + <widget class="QLabel" name="label" > + <property name="text" > + <string>Iconised volumes (click to restore):</string> + </property> + </widget> + </item> + <item> + <widget class="QListView" name="listView_iconisedvolumes" /> + </item> + <item> + <layout class="QHBoxLayout" name="_4" > + <item> + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0" > + <size> + <width>40</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item> + <widget class="QPushButton" name="pushButton_close" > + <property name="text" > + <string>&Close</string> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </widget> + <resources/> + <connections/> +</ui> diff --git a/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/settings_interactions_form.ui b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/settings_interactions_form.ui new file mode 100644 index 0000000000000000000000000000000000000000..2e2f567c3523779b7421795612f3e93aee68f4cb --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/settings_interactions_form.ui @@ -0,0 +1,147 @@ +<ui version="4.0" > + <class>GeoSysSettingsInteractionsForm</class> + <widget class="QWidget" name="GeoSysSettingsInteractionsForm" > + <property name="geometry" > + <rect> + <x>0</x> + <y>0</y> + <width>240</width> + <height>298</height> + </rect> + </property> + <property name="windowTitle" > + <string>Form</string> + </property> + <layout class="QVBoxLayout" name="verticalLayout" > + <item> + <layout class="QHBoxLayout" name="_3" > + <item> + <widget class="QCheckBox" name="checkBox_geomselectable" > + <property name="text" > + <string>Geometry is selectable</string> + </property> + <property name="checked" > + <bool>true</bool> + </property> + </widget> + </item> + <item> + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0" > + <size> + <width>16</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + </layout> + </item> + <item> + <widget class="QGroupBox" name="groupBox_printOnSelection" > + <property name="title" > + <string>Print on Selection</string> + </property> + <layout class="QGridLayout" name="blabla_2" > + <item row="0" column="0" > + <widget class="QCheckBox" name="checkBox_print_shape" > + <property name="text" > + <string>Shape</string> + </property> + </widget> + </item> + <item row="0" column="1" > + <widget class="QCheckBox" name="checkBox_print_material" > + <property name="text" > + <string>Material</string> + </property> + <property name="checked" > + <bool>true</bool> + </property> + </widget> + </item> + <item row="1" column="0" > + <widget class="QCheckBox" name="checkBox_print_transform" > + <property name="text" > + <string>Transform</string> + </property> + </widget> + </item> + <item row="1" column="1" > + <widget class="QCheckBox" name="checkBox_print_mass" > + <property name="toolTip" > + <string><html><head><meta name="qrichtext" content="1" /><style type="text/css"> +p, li { white-space: pre-wrap; } +</style></head><body style=" font-family:'Sans Serif'; font-size:9pt; font-weight:400; font-style:normal;"> +<p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">In the case where either the selected volume or one its daugthers (or daughters daughters, etc.), is defined as a boolean volume, this might not give an entirely accurate result.</p></body></html></string> + </property> + <property name="text" > + <string>Mass (unreliable)</string> + </property> + </widget> + </item> + <item row="2" column="0" > + <widget class="QCheckBox" name="checkBox_print_copyno" > + <property name="text" > + <string>Copy No</string> + </property> + </widget> + </item> + <item row="2" column="1" > + <widget class="QCheckBox" name="checkBox_print_tree" > + <property name="text" > + <string>Tree</string> + </property> + </widget> + </item> + </layout> + </widget> + </item> + <item> + <widget class="QGroupBox" name="groupBox_automaticViewReorientations" > + <property name="title" > + <string>Automatic view reorientations</string> + </property> + <layout class="QVBoxLayout" > + <item> + <widget class="QCheckBox" name="checkBox_zoomToVolumes" > + <property name="text" > + <string>Zoom to volumes</string> + </property> + </widget> + </item> + </layout> + </widget> + </item> + <item> + <layout class="QHBoxLayout" name="_4" > + <item> + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0" > + <size> + <width>40</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item> + <widget class="QPushButton" name="pushButton_close" > + <property name="text" > + <string>&Close</string> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </widget> + <resources/> + <connections/> +</ui> diff --git a/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/settings_misc_form.ui b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/settings_misc_form.ui new file mode 100644 index 0000000000000000000000000000000000000000..cde208ed6fa7f1392b0e1ccecbb87cae91387ed4 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/settings_misc_form.ui @@ -0,0 +1,245 @@ +<?xml version="1.0" encoding="UTF-8"?> +<ui version="4.0"> + <class>GeoSysSettingsMiscForm</class> + <widget class="QWidget" name="GeoSysSettingsMiscForm"> + <property name="geometry"> + <rect> + <x>0</x> + <y>0</y> + <width>370</width> + <height>360</height> + </rect> + </property> + <property name="windowTitle"> + <string>Form</string> + </property> + <layout class="QVBoxLayout" name="verticalLayout_2"> + <item> + <widget class="QGroupBox" name="groupBox_trackeractivemodules"> + <property name="title"> + <string>Tracker active stations (not implemented)</string> + </property> + <layout class="QHBoxLayout" name="_3"> + <property name="leftMargin"> + <number>4</number> + </property> + <property name="topMargin"> + <number>4</number> + </property> + <property name="rightMargin"> + <number>4</number> + </property> + <property name="bottomMargin"> + <number>4</number> + </property> + <item> + <layout class="QVBoxLayout" name="_4"> + <item> + <widget class="QCheckBox" name="checkBox_sctmod_upstream"> + <property name="text"> + <string>Upstream</string> + </property> + <property name="checked"> + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="QCheckBox" name="checkBox_sctmod_central"> + <property name="text"> + <string>Central</string> + </property> + <property name="checked"> + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="QCheckBox" name="checkBox_sctmod_downstream"> + <property name="text"> + <string>Downstream</string> + </property> + <property name="checked"> + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="QToolButton" name="toolButton_sctmod_adapt"> + <property name="text"> + <string>Adapt</string> + </property> + </widget> + </item> + <item> + <widget class="QToolButton" name="toolButton_sctmod_reset"> + <property name="text"> + <string>Reset</string> + </property> + </widget> + </item> + </layout> + </item> + <item> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>1</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + </layout> + </widget> + </item> + <item> + <widget class="QGroupBox" name="groupBox"> + <property name="title"> + <string>Actions on visible volumes</string> + </property> + <layout class="QGridLayout" name="_5"> + <property name="leftMargin"> + <number>4</number> + </property> + <property name="topMargin"> + <number>4</number> + </property> + <property name="rightMargin"> + <number>4</number> + </property> + <property name="bottomMargin"> + <number>4</number> + </property> + <property name="horizontalSpacing"> + <number>2</number> + </property> + <item row="0" column="0" colspan="2"> + <widget class="QLabel" name="label_7"> + <property name="text"> + <string>Vols. with mat:</string> + </property> + </widget> + </item> + <item row="0" column="2"> + <widget class="QLineEdit" name="lineEdit_expand_vols_matname"> + <property name="minimumSize"> + <size> + <width>50</width> + <height>0</height> + </size> + </property> + <property name="toolTip"> + <string><html><head><meta name="qrichtext" content="1" /><style type="text/css"> +p, li { white-space: pre-wrap; } +</style></head><body style=" font-family:'Sans Serif'; font-size:9pt; font-weight:400; font-style:normal;"> +<p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Matching is case-sensitive and wildcards are allowed.</p></body></html></string> + </property> + <property name="text"> + <string>Air</string> + </property> + </widget> + </item> + <item row="0" column="3"> + <widget class="QPushButton" name="pushButton_expand_vols_matname"> + <property name="text"> + <string>Expand</string> + </property> + </widget> + </item> + <item row="1" column="0"> + <widget class="QLabel" name="label_8"> + <property name="text"> + <string>Vols. named:</string> + </property> + </widget> + </item> + <item row="1" column="1" colspan="2"> + <widget class="QLineEdit" name="lineEdit_expand_vols_volname"> + <property name="toolTip"> + <string><html><head><meta name="qrichtext" content="1" /><style type="text/css"> +p, li { white-space: pre-wrap; } +</style></head><body style=" font-family:'Sans Serif'; font-size:9pt; font-weight:400; font-style:normal;"> +<p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Matching is case-insensitive and wildcards are allowed.</p></body></html></string> + </property> + <property name="text"> + <string/> + </property> + </widget> + </item> + <item row="1" column="3"> + <widget class="QPushButton" name="pushButton_expand_vols_volname"> + <property name="text"> + <string>Expand</string> + </property> + </widget> + </item> + <item row="2" column="0"> + <widget class="QLabel" name="label"> + <property name="toolTip"> + <string>Actions on all shapes with 3D representations that are not standard VRML. Useful if you intend to dump the scene to a portable file.</string> + </property> + <property name="text"> + <string>Non-standard shapes:</string> + </property> + </widget> + </item> + <item row="2" column="2" colspan="2"> + <layout class="QHBoxLayout" name="horizontalLayout"> + <item> + <widget class="QPushButton" name="pushButton_nonStandardShapes_Iconify"> + <property name="toolTip"> + <string>Actions on all shapes with 3D representations that are not standard VRML. Useful if you intend to dump the scene to a portable file.</string> + </property> + <property name="text"> + <string>Iconify</string> + </property> + </widget> + </item> + <item> + <widget class="QPushButton" name="pushButton_nonStandardShapes_Expand"> + <property name="toolTip"> + <string>Actions on all shapes with 3D representations that are not standard VRML. Useful if you intend to dump the scene to a portable file.</string> + </property> + <property name="text"> + <string>Expand</string> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </widget> + </item> + <item> + <layout class="QHBoxLayout" name="_10"> + <item> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>40</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item> + <widget class="QPushButton" name="pushButton_close"> + <property name="text"> + <string>&Close</string> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </widget> + <resources/> + <connections/> +</ui> diff --git a/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/settings_treebrowser_form.ui b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/settings_treebrowser_form.ui new file mode 100644 index 0000000000000000000000000000000000000000..10a405c1dc0260f110517d0f424da4b31c7b0234 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GeometrySystems/src/settings_treebrowser_form.ui @@ -0,0 +1,61 @@ +<ui version="4.0" > + <class>GeoSysSettingsTreeBrowserForm</class> + <widget class="QWidget" name="GeoSysSettingsTreeBrowserForm" > + <property name="geometry" > + <rect> + <x>0</x> + <y>0</y> + <width>214</width> + <height>165</height> + </rect> + </property> + <property name="windowTitle" > + <string>Form</string> + </property> + <layout class="QVBoxLayout" name="verticalLayout" > + <item> + <widget class="QLabel" name="label" > + <property name="text" > + <string>GeoModel volume hierachy:</string> + </property> + </widget> + </item> + <item> + <widget class="VP1GeoTreeView" name="treeView_volumebrowser" /> + </item> + <item> + <layout class="QHBoxLayout" name="_4" > + <item> + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0" > + <size> + <width>40</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item> + <widget class="QPushButton" name="pushButton_close" > + <property name="text" > + <string>&Close</string> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </widget> + <customwidgets> + <customwidget> + <class>VP1GeoTreeView</class> + <extends>QTreeView</extends> + <header>VTI12GeometrySystems/VP1GeoTreeView.h</header> + </customwidget> + </customwidgets> + <resources/> + <connections/> +</ui> diff --git a/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/CMakeLists.txt b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/CMakeLists.txt new file mode 100644 index 0000000000000000000000000000000000000000..09c90e47a61c79ba070fdae0559318b18a59c1ee --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/CMakeLists.txt @@ -0,0 +1,35 @@ +# $Id: CMakeLists.txt 728676 2016-03-09 15:11:49Z krasznaa $ +################################################################################ +# Package: VTI12GuideLineSystems +################################################################################ + +# Declare the package name: +atlas_subdir( VTI12GuideLineSystems ) + +# Declare the package's dependencies: +atlas_depends_on_subdirs( + PUBLIC + DetectorDescription/GeoPrimitives + graphics/VP1/VP1Base + graphics/VTI12/VTI12Utils + PRIVATE + GaudiKernel + graphics/VP1/VP1HEPVis ) + +# External dependencies: +find_package( Coin3D ) +find_package( Qt5 COMPONENTS Core Gui Widgets ) + +# Generate UI files automatically: +set( CMAKE_AUTOUIC TRUE ) +# Generate MOC files automatically: +set( CMAKE_AUTOMOC TRUE ) + +# Component(s) in the package: +atlas_add_library( VTI12GuideLineSystems VTI12GuideLineSystems/*.h src/*.cxx + PUBLIC_HEADERS VP1GuideLineSystems + INCLUDE_DIRS ${COIN3D_INCLUDE_DIRS} + LINK_LIBRARIES ${COIN3D_LIBRARIES} GeoPrimitives VP1Base VTI12Utils + Qt5::Core Qt5::Gui + PRIVATE_INCLUDE_DIRS ${CMAKE_CURRENT_BINARY_DIR} + PRIVATE_LINK_LIBRARIES GaudiKernel VP1HEPVis ) diff --git a/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/GuideSysController.h b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/GuideSysController.h new file mode 100644 index 0000000000000000000000000000000000000000..ddef1cb10bac50ffa4525e591226df62f39faf1e --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/GuideSysController.h @@ -0,0 +1,208 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class GuideSysController // +// // +// Description: Guide system controller. // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: July 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef GUIDESYSCONTROLLER_H +#define GUIDESYSCONTROLLER_H + +#include "VP1Base/VP1Controller.h" +#include "VTI12Utils/InDetProjFlags.h" +#include <Inventor/C/errors/debugerror.h> +#include <Inventor/SbColor4f.h> +class SoMaterial; + +class GuideSysController : public VP1Controller { + + Q_OBJECT + +public: + + GuideSysController(IVP1System * sys); + virtual ~GuideSysController(); + + void actualRestoreSettings(VP1Deserialise&); + int currentSettingsVersion() const; + void actualSaveSettings(VP1Serialise&) const; + + /////////////////////////////////// + // Access Methods for settings // + /////////////////////////////////// + + //Fixme: SoGroup * drawOptions() const; + + //Various materials: + SoMaterial * lettersMaterial() const; + SoMaterial * xAxisMaterial() const; + SoMaterial * yAxisMaterial() const; + SoMaterial * zAxisMaterial() const; + SoMaterial * etaCone1Material() const; + SoMaterial * etaCone2Material() const; + SoMaterial * etaCone3Material() const; + SoMaterial * pixelProjSurfMaterial() const; + SoMaterial * sctProjSurfMaterial() const; + SoMaterial * trtProjSurfMaterial() const; + SoMaterial * idTrkVolumesMaterial() const; + SoMaterial * caloTrkVolumesMaterial() const; + SoMaterial * msTrkVolumesMaterial() const; + + //Floor: + bool showFloor() const; + SbColor4f floorColourAndTransp() const; + double floorExtent() const; + double floorSpacing() const; + double floorHeight() const; + + //Letters: + bool showLetters() const; + double lettersZPos() const; + double lettersVerticalPos() const; + + //Coordinate axis + bool showAxes() const; + double axesLength() const;//A negative value means that negative parts will be shown as well + SbVec3f axesPosition() const; + double relAxesThickness() const; + + //Grid: + bool showCartesianGrid() const; + bool showCylindricalGrid() const; + SbColor4f gridColourAndTransp() const; + double gridSpacing() const; + double gridExtent() const; + + //Eta cones: + bool showEtaCone1() const; + bool showEtaCone2() const; + bool showEtaCone3() const; + double etaConeValue1() const; + double etaConeValue2() const; + double etaConeValue3() const; + double etaExtent() const;//>0: extent means to a given radius, <0: extent means to a given z. + + //TrackingVolumes + bool showTrackingVolumes() const; + bool showInnerDetector() const; + bool showCalorimeters() const; + bool showMuonSpectrometer() const; + + // Lines + bool showLines() const; + double lineLength() const; + SbVec3f lineDirection() const; + + //ID Proj surfs: + + //This is the surfaces the data systems should project their data to: + InDetProjFlags::InDetProjPartsFlags applicablePixelProjParts() const; + InDetProjFlags::InDetProjPartsFlags applicableSCTProjParts() const; + InDetProjFlags::InDetProjPartsFlags applicableTRTProjParts() const; + //This is the surfaces the guideline system should draw surfaces: + InDetProjFlags::InDetProjPartsFlags shownPixelProjSurfaces() const; + InDetProjFlags::InDetProjPartsFlags shownSCTProjSurfaces() const; + InDetProjFlags::InDetProjPartsFlags shownTRTProjSurfaces() const; + + //Info arriving from other systems: + void setInDetDetTypesUsingProjections(InDetProjFlags::DetTypeFlags); + + /////////////////////////////////////// + // Signals for changes in settings // + /////////////////////////////////////// +signals: + void showFloorChanged(bool); + void floorColourAndTranspChanged( const SbColor4f& ); + void floorExtentChanged(const double&); + void floorSpacingChanged(const double&); + void floorHeightChanged(const double&); + void showLettersChanged(bool); + void lettersZPosChanged(const double&); + void lettersVerticalPosChanged(const double&); + void showAxesChanged(bool); + void axesLengthChanged(const double&); + void axesPositionChanged(const SbVec3f&); + void relAxesThicknessChanged(const double&); + void showCartesianGridChanged(bool); + void showCylindricalGridChanged(bool); + void gridColourAndTranspChanged( const SbColor4f& ); + void gridSpacingChanged(const double&); + void gridExtentChanged(const double&); + void showEtaCone1Changed(bool); + void showEtaCone2Changed(bool); + void showEtaCone3Changed(bool); + void etaConeValue1Changed(const double&); + void etaConeValue2Changed(const double&); + void etaConeValue3Changed(const double&); + void etaExtentChanged(const double&); + void applicablePixelProjPartsChanged(InDetProjFlags::InDetProjPartsFlags); + void applicableSCTProjPartsChanged(InDetProjFlags::InDetProjPartsFlags); + void applicableTRTProjPartsChanged(InDetProjFlags::InDetProjPartsFlags); + void shownPixelProjSurfacesChanged(InDetProjFlags::InDetProjPartsFlags); + void shownSCTProjSurfacesChanged(InDetProjFlags::InDetProjPartsFlags); + void shownTRTProjSurfacesChanged(InDetProjFlags::InDetProjPartsFlags); + void showTrackingVolumesChanged(bool); + void showInnerDetectorChanged(bool); + void showCalorimetersChanged(bool); + void showMuonSpectrometerChanged(bool); + void showLinesChanged(bool); + void lineDirectionChanged(const SbVec3f&); + +private: + + class Imp; + Imp * m_d; + +private slots: + void updateProjPartsCheckboxStates_Pixel(); + void updateProjPartsCheckboxStates_SCT(); + void updateProjPartsCheckboxStates_TRT(); + void possibleChange_showFloor(); + void possibleChange_floorColourAndTransp(); + void possibleChange_floorExtent(); + void possibleChange_floorSpacing(); + void possibleChange_floorHeight(); + void possibleChange_showLetters(); + void possibleChange_lettersZPos(); + void possibleChange_lettersVerticalPos(); + void possibleChange_showAxes(); + void possibleChange_axesLength(); + void possibleChange_axesPosition(); + void possibleChange_relAxesThickness(); + void possibleChange_showCartesianGrid(); + void possibleChange_showCylindricalGrid(); + void possibleChange_gridColourAndTransp(); + void possibleChange_gridSpacing(); + void possibleChange_gridExtent(); + void possibleChange_showEtaCone1(); + void possibleChange_showEtaCone2(); + void possibleChange_showEtaCone3(); + void possibleChange_etaConeValue1(); + void possibleChange_etaConeValue2(); + void possibleChange_etaConeValue3(); + void possibleChange_etaExtent(); + void possibleChange_applicablePixelProjParts(); + void possibleChange_applicableSCTProjParts(); + void possibleChange_applicableTRTProjParts(); + void possibleChange_shownPixelProjSurfaces(); + void possibleChange_shownSCTProjSurfaces(); + void possibleChange_shownTRTProjSurfaces(); + void possibleChange_showTrackingVolumes(); + void possibleChange_showInnerDetector(); + void possibleChange_showCalorimeters(); + void possibleChange_showMuonSpectrometer(); + void possibleChange_showLines(); + void possibleChange_lineDirection(); +}; + + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/InDetProjHelper.h b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/InDetProjHelper.h new file mode 100644 index 0000000000000000000000000000000000000000..5450d0ace74c05807e1c4776df675f5e98d753b8 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/InDetProjHelper.h @@ -0,0 +1,103 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class InDetProjHelper // +// // +// Description: Helper class for calculating projections // +// of data to inner detector surfaces. // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: February 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef INDETPROJHELPER_H +#define INDETPROJHELPER_H + +#include "VP1Base/VP1HelperClassBase.h" +#include "VTI12Utils/InDetProjFlags.h" + +#include "GeoPrimitives/GeoPrimitives.h" +#include "GeoPrimitives/GeoPrimitivesHelpers.h" + + +#include <vector> +#include <set> + + + + +class InDetProjHelper : public VP1HelperClassBase { +public: + + //Use one of the following to create an appropriate helper: + static InDetProjHelper * createPixelHelper(IVP1System* sys = 0); + static InDetProjHelper * createSCTHelper(IVP1System* sys = 0); + static InDetProjHelper * createTRTHelper(IVP1System* sys = 0); + //(non-zero system pointers to let error messages appear in gui) + + virtual ~InDetProjHelper(); + + InDetProjFlags::InDetProjPartsFlags setParts(InDetProjFlags::InDetProjPartsFlags);//returns old value + InDetProjFlags::InDetProjPartsFlags parts() const; + + //Clip path to volumes of the enabled detector parts, as given by the parts flag. + void clipPath( const std::vector<Amg::Vector3D >& path, Amg::SetVectorVector3D& resulting_subpaths ) const; + + void clipPath( const std::vector<Amg::Vector3D >& path, + Amg::SetVectorVector3D& resulting_subpaths_barrelA, + Amg::SetVectorVector3D& resulting_subpaths_barrelC, + Amg::SetVectorVector3D& resulting_subpaths_endcapA, + Amg::SetVectorVector3D& resulting_subpaths_endcapC ) const; + + //Clip path as above, and then project the resulting subpaths to surfaces as given by the current parts flag. + void projectPath( const std::vector<Amg::Vector3D >& path, Amg::SetVectorVector3D& resulting_projections ) const; + void projectPath( const std::vector<Amg::Vector3D >& path, + Amg::SetVectorVector3D& resulting_projections_barrelA, + Amg::SetVectorVector3D& resulting_projections_barrelC, + Amg::SetVectorVector3D& resulting_projections_endcapA, + Amg::SetVectorVector3D& resulting_projections_endcapC ) const; + + //To figure out which parts a given track crosses (this does NOT depend on the current InDetProjPartsFlags setting). + enum PartsFlag { NoParts = 0x00, BarrelA = 0x01, BarrelC = 0x02, EndCapA = 0x04, EndCapC = 0x08 }; + Q_DECLARE_FLAGS(PartsFlags, PartsFlag) + PartsFlags touchedParts( const std::vector<Amg::Vector3D >& path ) const; + + //Fixme: Projection of points? Projection of driftcircle (get normal and point? Or just get transform?) + + static void transformECPointToZPlane_specialZtoR(Amg::Vector3D& p, + const double& planeZ, + const double& planeRBegin, + const double& endcapZBegin, + const double& squeezeFactor ); + +private: + + InDetProjHelper( double surfacethickness, + double data_disttosurface_epsilon, + double barrel_inner_radius, + double barrel_outer_radius, + double barrel_posneg_z, + double endcap_surface_z, + double endcap_surface_length, + double endcap_inner_radius, + double endcap_outer_radius, + double endcap_zasr_innerradius, + double endcap_zasr_endcapz_begin, + double endcap_zasr_squeezefact, + IVP1System* sys ); + + + + class Imp; + Imp * m_d; + +}; + +Q_DECLARE_OPERATORS_FOR_FLAGS(InDetProjHelper::PartsFlags) + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/InDetProjParams.h b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/InDetProjParams.h new file mode 100644 index 0000000000000000000000000000000000000000..fa33c3edac1942223eea9221a94dc8cc074e4371 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/InDetProjParams.h @@ -0,0 +1,89 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +//////////////////////////////////////////////////////////////// +// // +// Header file for class InDetProjParams // +// // +// Description: This is our "database" of parameters for the // +// inner detector surfaces". In the future we // +// might wish to get this information from // +// geomodel instead. // +// // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: February 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef INDETPROJPARAMS_H +#define INDETPROJPARAMS_H + +class InDetProjParams { +public: + + static double surfacethickness() { return 0.3; } + + //Fixme: The pixel/sct parameters are not used at the moment, and + // are simply set to some silly values! + + static double pixel_barrel_inner_radius() { return 10; } + static double pixel_barrel_outer_radius() { return 20; } + static double pixel_barrel_posneg_z() { return 10; } + static double pixel_endcap_surface_z() { return 100; } + static double pixel_endcap_surface_length() { return 50; } + static double pixel_endcap_inner_radius() { return 20; } + static double pixel_endcap_outer_radius() { return 40; } + static double pixel_endcap_zasr_disttobarrelcyl() { return 10; }//Not used + static double pixel_endcap_zasr_squeezefact() { return 2.5; }//Not used + static double pixel_data_disttosurface_epsilon() { return 0.5; } + + static double sct_barrel_inner_radius() { return 20; } + static double sct_barrel_outer_radius() { return 40; } + static double sct_barrel_posneg_z() { return 20; } + static double sct_endcap_surface_z() { return 200; } + static double sct_endcap_surface_length() { return 100; } + static double sct_endcap_inner_radius() { return 40; } + static double sct_endcap_outer_radius() { return 80; } + static double sct_endcap_zasr_disttobarrelcyl() { return 20; }//Not used + static double sct_endcap_zasr_squeezefact() { return 2.5; }//Not used + static double sct_data_disttosurface_epsilon() { return 0.5; } + + static double trt_barrel_inner_radius() { return 540; } + static double trt_barrel_outer_radius() { return 1100; } + static double trt_barrel_posneg_z() { return 712.5+6; } + static double trt_endcap_surface_z() { return 1778.5; } + static double trt_endcap_surface_length() { return 2.0*(936.25+10); } + static double trt_endcap_inner_radius() { return 643.7-4; } + static double trt_endcap_outer_radius() { return 1004-9; } + static double trt_endcap_zasr_disttobarrelcyl() { return 20.0; } + static double trt_endcap_zasr_squeezefact() { return 2.5; } + static double trt_data_disttosurface_epsilon() { return 11.0; } + + + //Convenience: + static double pixel_endcap_zasr_innerradius() + { + return pixel_barrel_outer_radius()+pixel_endcap_zasr_disttobarrelcyl(); + } + static double sct_endcap_zasr_innerradius() + { + return sct_barrel_outer_radius()+sct_endcap_zasr_disttobarrelcyl(); + } + static double trt_endcap_zasr_innerradius() + { + return trt_barrel_outer_radius()+trt_endcap_zasr_disttobarrelcyl(); + } + + static double pixel_endcap_zasr_endcapz_begin() { return pixel_endcap_surface_z()-0.5*pixel_endcap_surface_length(); } + static double sct_endcap_zasr_endcapz_begin() { return sct_endcap_surface_z()-0.5*sct_endcap_surface_length(); } + static double trt_endcap_zasr_endcapz_begin() { return trt_endcap_surface_z()-0.5*trt_endcap_surface_length(); } + +private: + InDetProjParams(); + ~InDetProjParams(); +}; + +#endif + diff --git a/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/ProjectionSurfacesHelper.h b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/ProjectionSurfacesHelper.h new file mode 100644 index 0000000000000000000000000000000000000000..b0fe3c760a3c242d79f50846316e7686b576f206 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/ProjectionSurfacesHelper.h @@ -0,0 +1,73 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class ProjectionSurfacesHelper // +// // +// Description: Helper class used to display surfaces for // +// either pixel, sct or trt. // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: February 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef PROJECTIONSURFACESHELPER_H +#define PROJECTIONSURFACESHELPER_H + +class SoSeparator; +class SoMaterial; + +#include <QObject> +#include "VP1Base/VP1HelperClassBase.h" +#include "VTI12Utils/InDetProjFlags.h" + +class ProjectionSurfacesHelper : public QObject, public VP1HelperClassBase { + + Q_OBJECT + +public: + + + //Use one of the following to create an appropriate helper + //(projection surfaces will be put under a second internal separator + //under attachsep): + static ProjectionSurfacesHelper * createPixelHelper(SoMaterial*,SoSeparator * attachsep,QObject*parent=0,IVP1System* sys = 0); + static ProjectionSurfacesHelper * createSCTHelper(SoMaterial*,SoSeparator * attachsep,QObject*parent=0,IVP1System* sys = 0); + static ProjectionSurfacesHelper * createTRTHelper(SoMaterial*,SoSeparator * attachsep,QObject*parent=0,IVP1System* sys = 0); + //(non-zero system pointers to let error messages appear in gui) + + virtual ~ProjectionSurfacesHelper(); + + //To see what parts are shown or to access (e.g. to edit) the + //material of the projection surfaces, use these two methods: + InDetProjFlags::InDetProjPartsFlags shownParts() const; + SoMaterial * material(); + +public slots: + //Use this slot to control what parts are shown (default is none): + void setSurfaces(InDetProjFlags::InDetProjPartsFlags); + +private: + + ProjectionSurfacesHelper( double surfacethickness, + double barrel_inner_radius, + double barrel_outer_radius, + double barrel_posneg_z, + double endcap_surface_z, + double endcap_surface_length, + double endcap_inner_radius, + double endcap_outer_radius, + double endcap_zasr_disttobarrelcyl, + double endcap_zasr_squeezefact, + SoMaterial*, SoSeparator * attachsep, QObject * parent, IVP1System*sys ); + + class Imp; + Imp * m_d; + +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/VP1CartesianGrid.h b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/VP1CartesianGrid.h new file mode 100644 index 0000000000000000000000000000000000000000..3dbeb5bce4c72dfb3b59916f026868f1abb3cbb2 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/VP1CartesianGrid.h @@ -0,0 +1,49 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class VP1CartesianGrid // +// // +// Description: Helper class providing a cartesian grid. // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: July 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef VP1CARTESIANGRID_H +#define VP1CARTESIANGRID_H + +#include "VP1Base/VP1HelperClassBase.h" +#include <QObject> +#include <Inventor/C/errors/debugerror.h> +#include <Inventor/SbColor4f.h> +class SoSeparator; + +class VP1CartesianGrid : public QObject, public VP1HelperClassBase { + + Q_OBJECT + +public: + + VP1CartesianGrid( SoSeparator * attachsep,//where the grid separator will attach itself when visible + IVP1System * sys,QObject * parent = 0); + virtual ~VP1CartesianGrid(); + +public slots: + + void setShown(bool);//will attach/detach itself from attachsep depending on this + void setColourAndTransp(const SbColor4f&); + void setExtent(const double&);//A negative value means that negative parts will be shown as well + void setSpacing(const double&); + +private: + class Imp; + Imp * m_d; + +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/VP1CoordinateAxes.h b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/VP1CoordinateAxes.h new file mode 100644 index 0000000000000000000000000000000000000000..3a4cbe19d4341db25845fdc27a47332c565732e3 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/VP1CoordinateAxes.h @@ -0,0 +1,49 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class VP1CoordinateAxes // +// // +// Description: Helper class providing coordinate axes // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: April 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef VP1COORDINATEAXES_H +#define VP1COORDINATEAXES_H + +#include "VP1Base/VP1HelperClassBase.h" +#include <QObject> + +class SoMaterial; +class SoSeparator; + +class VP1CoordinateAxes : public QObject, public VP1HelperClassBase { + + Q_OBJECT + +public: + + VP1CoordinateAxes( SoMaterial * xmat,SoMaterial * ymat,SoMaterial * zmat, + SoSeparator * attachsep,//where the axis + //separator will attach + //itself when visible + IVP1System * sys,QObject * parent = 0); + virtual ~VP1CoordinateAxes(); + +public slots: + void setShown(bool);//will attach/detach itself from attachsep depending on this + void setLength(const double&);//A negative value means that negative parts will be shown as well + void setPosition(const SbVec3f&); + void setRelativeAxisThickness(const double&); +private: + class Imp; + Imp * m_d; +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/VP1CylindricalGrid.h b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/VP1CylindricalGrid.h new file mode 100644 index 0000000000000000000000000000000000000000..b4b0410fe91eeee190f5a8bd51cf7b57406baf15 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/VP1CylindricalGrid.h @@ -0,0 +1,49 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class VP1CylindricalGrid // +// // +// Description: Helper class providing a cylindrical grid. // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: July 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef VP1CYLINDRICALGRID_H +#define VP1CYLINDRICALGRID_H + +#include "VP1Base/VP1HelperClassBase.h" +#include <QObject> +#include <Inventor/C/errors/debugerror.h> +#include <Inventor/SbColor4f.h> +class SoSeparator; + +class VP1CylindricalGrid : public QObject, public VP1HelperClassBase { + + Q_OBJECT + +public: + + VP1CylindricalGrid( SoSeparator * attachsep,//where the grid separator will attach itself when visible + IVP1System * sys,QObject * parent = 0); + virtual ~VP1CylindricalGrid(); + +public slots: + + void setShown(bool);//will attach/detach itself from attachsep depending on this + void setColourAndTransp(const SbColor4f&); + void setExtent(const double&);//A negative value means that negative parts will be shown as well + void setSpacing(const double&); + +private: + class Imp; + Imp * m_d; + +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/VP1EtaCone.h b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/VP1EtaCone.h new file mode 100644 index 0000000000000000000000000000000000000000..446dfb101c587fee2ca24e9f3c5b85933d9bc866 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/VP1EtaCone.h @@ -0,0 +1,53 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class VP1EtaCone // +// // +// Description: Helper class providing an eta cone. // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: July 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef VP1ETACONE_H +#define VP1ETACONE_H + +#include "VP1Base/VP1HelperClassBase.h" +#include <QObject> + +class SoMaterial; +class SoSeparator; + +class VP1EtaCone : public QObject, public VP1HelperClassBase { + + Q_OBJECT + +public: + + //Used in various places. Put it here to avoid copying code: + static bool calcParsFromExtentAndSpacing( VP1HelperClassBase*,const double& extent, const double& spacing, + const int& nmaxlimit, int& nmax, double& distmax ); + + VP1EtaCone( SoMaterial * mat, + SoSeparator * attachsep,//where the cone separator will attach itself when visible + IVP1System * sys,QObject * parent = 0); + virtual ~VP1EtaCone(); + +public slots: + + void setShown(bool);//will attach/detach itself from attachsep depending on this + void setExtent(const double&);//>0: extent means to a given radius, <0: extent means to a given z. + void setEtaValue(const double&); + +private: + class Imp; + Imp * m_d; + +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/VP1Floor.h b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/VP1Floor.h new file mode 100644 index 0000000000000000000000000000000000000000..1921d6f8ea757650260a3e47d2627aa86e3e33e6 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/VP1Floor.h @@ -0,0 +1,55 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class VP1Floor // +// // +// Description: Helper class providing a floor. // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: July 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef VP1FLOOR_H +#define VP1FLOOR_H + +#include "VP1Base/VP1HelperClassBase.h" +#include <QObject> +#include <Inventor/C/errors/debugerror.h> +#include <Inventor/SbColor4f.h> +class SoSeparator; + +class VP1Floor : public QObject, public VP1HelperClassBase { + + Q_OBJECT + +public: + + //Static methods used in various places. Put it here to avoid copying code: + static int nMax() { return 400; } + static bool calcParsFromExtentAndSpacing( VP1HelperClassBase*,const double& extent, const double& spacing, + const int& nmaxlimit, int& nmax, double& distmax ); + + VP1Floor( SoSeparator * attachsep,//where the floor separator will attach itself when visible + IVP1System * sys,QObject * parent = 0); + virtual ~VP1Floor(); + +public slots: + + void setShown(bool);//will attach/detach itself from attachsep depending on this + void setColourAndTransp(const SbColor4f&); + void setExtent(const double&);//A negative value means that negative parts will be shown as well + void setSpacing(const double&); + void setVerticalPosition(const double&); + +private: + class Imp; + Imp * m_d; + +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/VP1GuideLineSystem.h b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/VP1GuideLineSystem.h new file mode 100644 index 0000000000000000000000000000000000000000..15e99042d55d1606ce023302dd5c0b45d84fef2c --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/VP1GuideLineSystem.h @@ -0,0 +1,78 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef VP1GUIDELINESYSTEM_H +#define VP1GUIDELINESYSTEM_H + +///////////////////////////////////////////////////////////////////////// +// // +// Header file for class VP1GuideLineSystem // +// // +// Author: Thomas Kittelmann <Thomas.Kittelmann@cern.ch> // +// // +// Initial version: July 2007 // +// // +///////////////////////////////////////////////////////////////////////// + +#include "VP1Base/IVP13DSystemSimple.h" +#include "VTI12Utils/InDetProjFlags.h" +#include <QColor>//Fixme obsolete + +class VP1GuideLineSystem : public IVP13DSystemSimple { + + Q_OBJECT + +public: + + /////////////////// + // Constructor // + /////////////////// + + VP1GuideLineSystem(); + + ////////////////////////////////////////// + // Reimplementations from base class: // + ////////////////////////////////////////// + + virtual ~VP1GuideLineSystem(); + void buildPermanentSceneGraph(StoreGateSvc* detstore, SoSeparator *root); + void buildEventSceneGraph(StoreGateSvc*, SoSeparator *); + void systemuncreate(); + QWidget * buildController(); + QByteArray saveState(); + void restoreFromState(QByteArray ba); + + //////////////////////////////////////////// + // Signals/slots for InDet Projections: // + //////////////////////////////////////////// + +public slots: + + //To automatically show projection surfaces depending on data + //projected to those (NB: Several senders can connect to this slot, + //and the final result will be a union of the requested parts): + // + //As elsewhere, it is important that senders emit signals with + //InDetProjFlags::NoDet in their systemerase(). + void setIDDetTypesUsingProjections( InDetProjFlags::DetTypeFlags ); + + //Channel should explicitly call this after making all connections to other systems. + void possiblyEmit_ApplicableProjectionsChanged(); + +signals: + + //So data systems can automatically project to the correct surfaces + //(of course, when the surfaces are "off" in the guide line system, + //they will not be rendered, but they will still be the ones used + //for projections: + void applicableProjectionsChanged( InDetProjFlags::InDetProjPartsFlags pixel, + InDetProjFlags::InDetProjPartsFlags sct, + InDetProjFlags::InDetProjPartsFlags trt ); + +private: + class Imp; + Imp * m_d; +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/VP1Letters.h b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/VP1Letters.h new file mode 100644 index 0000000000000000000000000000000000000000..20171a8a3328239d2fe85733cbf9165edaf83468 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/VP1Letters.h @@ -0,0 +1,48 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class VP1Letters // +// // +// Description: Helper class providing a letters. // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: July 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef VP1LETTERS_H +#define VP1LETTERS_H + +#include "VP1Base/VP1HelperClassBase.h" +#include <QObject> + +class SoMaterial; +class SoSeparator; + +class VP1Letters : public QObject, public VP1HelperClassBase { + + Q_OBJECT + +public: + + VP1Letters( SoMaterial * mat, + SoSeparator * attachsep,//where the letters separator will attach itself when visible + IVP1System * sys,QObject * parent = 0); + virtual ~VP1Letters(); + +public slots: + void setShown(bool);//will attach/detach itself from attachsep depending on this + void setZPos(const double&); + void setVerticalPosition(const double&); + +private: + class Imp; + Imp * m_d; + +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/VP1Lines.h b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/VP1Lines.h new file mode 100644 index 0000000000000000000000000000000000000000..d351946135700f73988cec1252bbfb1915919e17 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/VP1Lines.h @@ -0,0 +1,35 @@ +/* + Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef VP1LINES_H +#define VP1LINES_H + +#include "VP1Base/VP1HelperClassBase.h" +#include <QObject> +#include <Inventor/C/errors/debugerror.h> +#include <Inventor/SbColor4f.h> +class SoSeparator; + +class VP1Lines : public QObject, public VP1HelperClassBase { + + Q_OBJECT + +public: + + VP1Lines( SoSeparator * attachsep,//where the grid separator will attach itself when visible + IVP1System * sys,QObject * parent = 0); + virtual ~VP1Lines(); + +public slots: + + void setShown(bool);//will attach/detach itself from attachsep depending on this + void setColourAndTransp(const SbColor4f&); + void setDirection(const SbVec3f&); + +private: + class Imp; + Imp * m_d; +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/VP1TrackingVolumes.h b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/VP1TrackingVolumes.h new file mode 100644 index 0000000000000000000000000000000000000000..bcbbc96dda65dce575ee0c2de0740b5c367db1fd --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/VTI12GuideLineSystems/VP1TrackingVolumes.h @@ -0,0 +1,51 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class VP1TrackingVolumes // +// // +// Description: Helper class providing coordinate axes // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: April 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef VP1TRACKINGVOLUMES_H +#define VP1TRACKINGVOLUMES_H + +#include "VP1Base/VP1HelperClassBase.h" +#include <QObject> + +class SoMaterial; +class SoSeparator; + +class VP1TrackingVolumes : public QObject, public VP1HelperClassBase { + + Q_OBJECT + +public: + + VP1TrackingVolumes( SoMaterial * materialID,SoMaterial * materialCalo,SoMaterial * materialMS, + bool showID, bool showCalo, bool showMS, + SoSeparator * attachsep,//where the vol + //separator will attach + //itself when visible + IVP1System * sys,QObject * parent = 0); + virtual ~VP1TrackingVolumes(); + +public slots: + void setShown(bool);//!< will attach/detach itself from attachsep depending on this + void setShownID(bool);//!< will attach/detach ID from sep depending on this + void setShownCalo(bool);//!< will attach/detach Calo from sep depending on this + void setShownMS(bool);//!< will attach/detach MS from sep depending on this + +private: + class Imp; + Imp * m_d; +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/GuideSysController.cxx b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/GuideSysController.cxx new file mode 100644 index 0000000000000000000000000000000000000000..641b5b598138bf4aa7d9ed8b5b37cb29793acb67 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/GuideSysController.cxx @@ -0,0 +1,1072 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class GuideSysController // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: July 2008 // +// // +//////////////////////////////////////////////////////////////// + +#define VP1IMPVARNAME m_d + +#include "VTI12GuideLineSystems/GuideSysController.h" +#include "VTI12GuideLineSystems/VP1Floor.h" +#include "ui_guidelinescontrollerform.h" +#include "ui_guides_settings_coordinateaxes_form.h" +#include "ui_guides_settings_etacones_form.h" +#include "ui_guides_settings_floorandletters_form.h" +#include "ui_guides_settings_grid_form.h" +#include "ui_guides_settings_idprojsurfs_form.h" +#include "ui_guides_settings_trkvolumes_form.h" +#include "ui_guides_settings_lines_form.h" +#include "VP1Base/VP1Serialise.h" +#include "VP1Base/VP1Deserialise.h" + +// System of units +#ifdef BUILDVP1LIGHT + #include "GeoModelKernel/Units.h" + #define SYSTEM_OF_UNITS GeoModelKernelUnits // --> 'GeoModelKernelUnits::cm' +#else + #include "GaudiKernel/SystemOfUnits.h" + #define SYSTEM_OF_UNITS Gaudi::Units // --> 'Gaudi::Units::cm' +#endif + +#include <cmath> + +//____________________________________________________________________ +class GuideSysController::Imp { +public: + GuideSysController * theclass; + Ui::VP1GuidesControllerForm ui; + Ui::VP1GuidesSysSettingsCoordinateAxesForm ui_axes; + Ui::VP1GuidesSysSettingsEtaConeForm ui_etacones; + Ui::VP1GuidesSysSettingsFloorAndLettersForm ui_floorandletters; + Ui::VP1GuidesSysSettingsGridForm ui_grid; + Ui::VP1GuidesSysSettingsIDProjSurfsForm ui_idprojsurfs; + Ui::VP1TrackingVolumesForm ui_trkvolumes; + Ui::VP1LinesForm ui_lines; + + static SbColor4f color4f(const QColor& col, int transp_int) { + return SbColor4f(std::max<float>(0.0f,std::min<float>(1.0f,col.redF())), + std::max<float>(0.0f,std::min<float>(1.0f,col.greenF())), + std::max<float>(0.0f,std::min<float>(1.0f,col.blueF())), + std::max<float>(0.0f,std::min<float>(1.0f,1.0-transp_int/100.0))); + } + + InDetProjFlags::DetTypeFlags inDetDetTypesUsingProjections; + + bool last_showFloor; + SbColor4f last_floorColourAndTransp; + double last_floorExtent; + double last_floorSpacing; + double last_floorHeight; + bool last_showLetters; + double last_lettersZPos; + double last_lettersVerticalPos; + bool last_showAxes; + double last_axesLength; + SbVec3f last_axesPosition; + double last_relAxesThickness; + bool last_showCartesianGrid; + bool last_showCylindricalGrid; + SbColor4f last_gridColourAndTransp; + double last_gridSpacing; + double last_gridExtent; + bool last_showEtaCone1; + bool last_showEtaCone2; + bool last_showEtaCone3; + double last_etaConeValue1; + double last_etaConeValue2; + double last_etaConeValue3; + double last_etaExtent; + bool last_showTrackingVolumes; + bool last_showInnerDetector; + bool last_showCalorimeters; + bool last_showMuonSpectrometer; + bool last_showLines; + SbVec3f last_lineDirection; + double last_line_eta; // This is needed to update the display in possibleChange_lineDirection + + InDetProjFlags::InDetProjPartsFlags last_applicablePixelProjParts; + InDetProjFlags::InDetProjPartsFlags last_applicableSCTProjParts; + InDetProjFlags::InDetProjPartsFlags last_applicableTRTProjParts; + InDetProjFlags::InDetProjPartsFlags last_shownPixelProjSurfaces; + InDetProjFlags::InDetProjPartsFlags last_shownSCTProjSurfaces; + InDetProjFlags::InDetProjPartsFlags last_shownTRTProjSurfaces; + + static InDetProjFlags::InDetProjPartsFlags projPartsFlag( bool barrelinner, bool barrelouter, + bool endcapinner, bool endcapouter, + bool endcap_hidenormalcyls_when_zasr = false, + bool endcap_zasr = false ); + InDetProjFlags::DetTypeFlags pixelPartsEnabledByGUIOrDataUsage() const; + InDetProjFlags::DetTypeFlags sctPartsEnabledByGUIOrDataUsage() const; + InDetProjFlags::DetTypeFlags trtPartsEnabledByGUIOrDataUsage() const; +}; + +//____________________________________________________________________ +GuideSysController::GuideSysController(IVP1System * sys) + : VP1Controller(sys,"GuideSysController"), m_d(new Imp) +{ + m_d->theclass = this; + m_d->ui.setupUi(this); + + initDialog(m_d->ui_axes, m_d->ui.pushButton_settings_coordinateAxes,m_d->ui.checkBox_coordinateAxes); + initDialog(m_d->ui_etacones, m_d->ui.pushButton_settings_etaCones,m_d->ui.checkBox_etaCones); + initDialog(m_d->ui_floorandletters, m_d->ui.pushButton_settings_floorAndLetters,m_d->ui.checkBox_floorAndLetters); + initDialog(m_d->ui_grid, m_d->ui.pushButton_settings_grid,m_d->ui.checkBox_grid); + initDialog(m_d->ui_idprojsurfs, m_d->ui.pushButton_settings_inDetProjSurfs,m_d->ui.checkBox_inDetProjSurfs); + initDialog(m_d->ui_trkvolumes, m_d->ui.pushButton_settings_trkVolumes,m_d->ui.checkBox_trkVolumes); + initDialog(m_d->ui_lines, m_d->ui.pushButton_settings_lines,m_d->ui.checkBox_lines); + + //Hide SCT/Pixel projection surface controls for now: + m_d->ui_idprojsurfs.groupBox_pixelproj->setVisible(false); + m_d->ui_idprojsurfs.groupBox_sctproj->setVisible(false); + + //Since we have different logical groups of radio buttons inside + //same groupboxes, we make sure they are coordinated correctly: + + QButtonGroup * pixelproj_barrel_radiogroup = defineRadioButtonGroup(m_d->ui_idprojsurfs.radioButton_pixelprojsurf_barrel_inner, + m_d->ui_idprojsurfs.radioButton_pixelprojsurf_barrel_outer, + m_d->ui_idprojsurfs.radioButton_pixelprojsurf_barrel_both); + m_d->ui_idprojsurfs.radioButton_pixelprojsurf_barrel_inner->setChecked(true); + QButtonGroup * pixelproj_endcap_radiogroup = defineRadioButtonGroup(m_d->ui_idprojsurfs.radioButton_pixelprojsurf_endcap_inner, + m_d->ui_idprojsurfs.radioButton_pixelprojsurf_endcap_outer, + m_d->ui_idprojsurfs.radioButton_pixelprojsurf_endcap_both); + m_d->ui_idprojsurfs.radioButton_pixelprojsurf_endcap_inner->setChecked(true); + + + QButtonGroup * sctproj_barrel_radiogroup = defineRadioButtonGroup(m_d->ui_idprojsurfs.radioButton_sctprojsurf_barrel_inner, + m_d->ui_idprojsurfs.radioButton_sctprojsurf_barrel_outer, + m_d->ui_idprojsurfs.radioButton_sctprojsurf_barrel_both); + m_d->ui_idprojsurfs.radioButton_sctprojsurf_barrel_inner->setChecked(true); + QButtonGroup * sctproj_endcap_radiogroup = defineRadioButtonGroup(m_d->ui_idprojsurfs.radioButton_sctprojsurf_endcap_inner, + m_d->ui_idprojsurfs.radioButton_sctprojsurf_endcap_outer, + m_d->ui_idprojsurfs.radioButton_sctprojsurf_endcap_both); + m_d->ui_idprojsurfs.radioButton_sctprojsurf_endcap_inner->setChecked(true); + + + QButtonGroup * trtproj_barrel_radiogroup = defineRadioButtonGroup(m_d->ui_idprojsurfs.radioButton_trtprojsurf_barrel_inner, + m_d->ui_idprojsurfs.radioButton_trtprojsurf_barrel_outer, + m_d->ui_idprojsurfs.radioButton_trtprojsurf_barrel_both); + m_d->ui_idprojsurfs.radioButton_trtprojsurf_barrel_inner->setChecked(true); + QButtonGroup * trtproj_endcap_radiogroup = defineRadioButtonGroup(m_d->ui_idprojsurfs.radioButton_trtprojsurf_endcap_inner, + m_d->ui_idprojsurfs.radioButton_trtprojsurf_endcap_outer, + m_d->ui_idprojsurfs.radioButton_trtprojsurf_endcap_both); + m_d->ui_idprojsurfs.radioButton_trtprojsurf_endcap_inner->setChecked(true); + + //Setup material buttons: + m_d->ui_floorandletters.colorButton_floor->setColor(QColor::fromRgbF(0.5,0.5,0.5)); + m_d->ui_grid.colorButton_grid->setColor(QColor::fromRgbF(1.0,1.0,1.0)); + m_d->ui_floorandletters.matButton_letters->setMaterial(VP1MaterialButton::createMaterial(0.5,0.5,0.5,0.1)); + m_d->ui_axes.matButton_axes_x->setMaterial(VP1MaterialButton::createMaterial(1,0,0,0.15)); + m_d->ui_axes.matButton_axes_y->setMaterial(VP1MaterialButton::createMaterial(0,1,0,0.15)); + m_d->ui_axes.matButton_axes_z->setMaterial(VP1MaterialButton::createMaterial(0,0,2,0.15)); + m_d->ui_etacones.matButton_etaCone1->setMaterial(VP1MaterialButton::createMaterial(1,1,0,0.2,0.5)); + m_d->ui_etacones.matButton_etaCone2->setMaterial(VP1MaterialButton::createMaterial(1,0.56471,0.20784,0.2,0.5)); + m_d->ui_etacones.matButton_etaCone3->setMaterial(VP1MaterialButton::createMaterial(1,0.15686,0.08235,0.2,0.5)); + m_d->ui_idprojsurfs.pushButton_projsurfmaterial_pixel->setMaterial(VP1MaterialButton::createMaterial(126/255.0, 194/255.0, 204/255.0,0.05,0.35)); + m_d->ui_idprojsurfs.pushButton_projsurfmaterial_sct->setMaterial(VP1MaterialButton::createMaterial(126/255.0, 194/255.0, 204/255.0,0.05,0.35)); + m_d->ui_idprojsurfs.pushButton_projsurfmaterial_trt->setMaterial(VP1MaterialButton::createMaterial(126/255.0, 194/255.0, 204/255.0,0.05,0.35)); + m_d->ui_trkvolumes.matButton_ID->setMaterial(VP1MaterialButton::createMaterial(1,0,0,0.15)); + m_d->ui_trkvolumes.matButton_Calo->setMaterial(VP1MaterialButton::createMaterial(0,1,0,0.15)); + m_d->ui_trkvolumes.matButton_MS->setMaterial(VP1MaterialButton::createMaterial(0,0,2,0.15)); + + ///////////////////////////////////////////////////////////////////////////////////////////////////////////// + // Setup connections which monitor changes in the controller so that we may emit signals as appropriate: // + ///////////////////////////////////////////////////////////////////////////////////////////////////////////// + + addUpdateSlot(SLOT(possibleChange_showFloor())); + connectToLastUpdateSlot(m_d->ui.checkBox_floorAndLetters); + connectToLastUpdateSlot(m_d->ui_floorandletters.checkBox_floorenabled); + + addUpdateSlot(SLOT(possibleChange_floorColourAndTransp())); + connectToLastUpdateSlot(m_d->ui_floorandletters.colorButton_floor); + connectToLastUpdateSlot(m_d->ui_floorandletters.spinBox_floortransp); + + addUpdateSlot(SLOT(possibleChange_floorExtent())); + connectToLastUpdateSlot(m_d->ui_floorandletters.doubleSpinBox_floorextent); + + addUpdateSlot(SLOT(possibleChange_floorSpacing())); + connectToLastUpdateSlot(m_d->ui_floorandletters.doubleSpinBox_floorspacing); + + addUpdateSlot(SLOT(possibleChange_floorHeight())); + connectToLastUpdateSlot(m_d->ui_floorandletters.doubleSpinBox_floorheight); + + addUpdateSlot(SLOT(possibleChange_showLetters())); + connectToLastUpdateSlot(m_d->ui.checkBox_floorAndLetters); + connectToLastUpdateSlot(m_d->ui_floorandletters.checkBox_acdesignations); + + addUpdateSlot(SLOT(possibleChange_lettersZPos())); + connectToLastUpdateSlot(this,SIGNAL(floorExtentChanged(const double&))); + connectToLastUpdateSlot(this,SIGNAL(floorSpacingChanged(const double&))); + + addUpdateSlot(SLOT(possibleChange_lettersVerticalPos())); + connectToLastUpdateSlot(this,SIGNAL(floorHeightChanged(const double&))); + + addUpdateSlot(SLOT(possibleChange_showAxes())); + connectToLastUpdateSlot(m_d->ui.checkBox_coordinateAxes); + + addUpdateSlot(SLOT(possibleChange_axesLength())); + connectToLastUpdateSlot(m_d->ui_axes.checkBox_axes_shownegativeparts); + connectToLastUpdateSlot(m_d->ui_axes.doubleSpinBox_axes_lengths_m); + + addUpdateSlot(SLOT(possibleChange_axesPosition())); + connectToLastUpdateSlot(m_d->ui_axes.doubleSpinBox_axes_xpos_m); + connectToLastUpdateSlot(m_d->ui_axes.doubleSpinBox_axes_ypos_m); + connectToLastUpdateSlot(m_d->ui_axes.doubleSpinBox_axes_zpos_m); + + addUpdateSlot(SLOT(possibleChange_relAxesThickness())); + connectToLastUpdateSlot(m_d->ui_axes.doubleSpinBox_axes_relthickness); + + addUpdateSlot(SLOT(possibleChange_showCartesianGrid())); + connectToLastUpdateSlot(m_d->ui.checkBox_grid); + connectToLastUpdateSlot(m_d->ui_grid.radioButton_grid_cartesian); + + addUpdateSlot(SLOT(possibleChange_showCylindricalGrid())); + connectToLastUpdateSlot(m_d->ui.checkBox_grid); + connectToLastUpdateSlot(m_d->ui_grid.radioButton_grid_cylindrical); + + addUpdateSlot(SLOT(possibleChange_gridColourAndTransp())); + connectToLastUpdateSlot(m_d->ui_grid.colorButton_grid); + connectToLastUpdateSlot(m_d->ui_grid.spinBox_gridtransp); + + addUpdateSlot(SLOT(possibleChange_gridSpacing())); + connectToLastUpdateSlot(m_d->ui_grid.doubleSpinBox_gridspacing); + + addUpdateSlot(SLOT(possibleChange_gridExtent())); + connectToLastUpdateSlot(m_d->ui_grid.doubleSpinBox_gridextent); + + addUpdateSlot(SLOT(possibleChange_showEtaCone1())); + connectToLastUpdateSlot(m_d->ui.checkBox_etaCones); + connectToLastUpdateSlot(m_d->ui_etacones.checkBox_etacone1); + + addUpdateSlot(SLOT(possibleChange_showEtaCone2())); + connectToLastUpdateSlot(m_d->ui.checkBox_etaCones); + connectToLastUpdateSlot(m_d->ui_etacones.checkBox_etacone2); + + addUpdateSlot(SLOT(possibleChange_showEtaCone3())); + connectToLastUpdateSlot(m_d->ui.checkBox_etaCones); + connectToLastUpdateSlot(m_d->ui_etacones.checkBox_etacone3); + + addUpdateSlot(SLOT(possibleChange_etaConeValue1())); + connectToLastUpdateSlot(m_d->ui_etacones.doubleSpinBox_etaval1); + + addUpdateSlot(SLOT(possibleChange_etaConeValue2())); + connectToLastUpdateSlot(m_d->ui_etacones.doubleSpinBox_etaval2); + + addUpdateSlot(SLOT(possibleChange_etaConeValue3())); + connectToLastUpdateSlot(m_d->ui_etacones.doubleSpinBox_etaval3); + + addUpdateSlot(SLOT(possibleChange_etaExtent())); + connectToLastUpdateSlot(m_d->ui_etacones.doubleSpinBox_etaconeextent); + connectToLastUpdateSlot(m_d->ui_etacones.radioButton_etaconeextentisr); + + addUpdateSlot(SLOT(possibleChange_applicablePixelProjParts())); + connectToLastUpdateSlot(pixelproj_barrel_radiogroup); + connectToLastUpdateSlot(pixelproj_endcap_radiogroup); + + addUpdateSlot(SLOT(possibleChange_applicableSCTProjParts())); + connectToLastUpdateSlot(sctproj_barrel_radiogroup); + connectToLastUpdateSlot(sctproj_endcap_radiogroup); + + addUpdateSlot(SLOT(possibleChange_applicableTRTProjParts())); + connectToLastUpdateSlot(trtproj_barrel_radiogroup); + connectToLastUpdateSlot(trtproj_endcap_radiogroup); + connectToLastUpdateSlot(m_d->ui_idprojsurfs.checkBox_trtprojsurf_z2r); + + addUpdateSlot(SLOT(possibleChange_shownPixelProjSurfaces())); + connectToLastUpdateSlot(m_d->ui.checkBox_inDetProjSurfs); + connectToLastUpdateSlot(this,SIGNAL(applicablePixelProjPartsChanged(InDetProjFlags::InDetProjPartsFlags))); + connectToLastUpdateSlot(m_d->ui_idprojsurfs.groupBox_pixelproj); + connectToLastUpdateSlot(m_d->ui_idprojsurfs.checkBox_pixelprojsurf_parts_asneeded); + connectToLastUpdateSlot(m_d->ui_idprojsurfs.checkBox_pixelprojsurf_parts_barrelA); + connectToLastUpdateSlot(m_d->ui_idprojsurfs.checkBox_pixelprojsurf_parts_barrelC); + connectToLastUpdateSlot(m_d->ui_idprojsurfs.checkBox_pixelprojsurf_parts_endcapA); + connectToLastUpdateSlot(m_d->ui_idprojsurfs.checkBox_pixelprojsurf_parts_endcapC); + + addUpdateSlot(SLOT(possibleChange_shownSCTProjSurfaces())); + connectToLastUpdateSlot(m_d->ui.checkBox_inDetProjSurfs); + connectToLastUpdateSlot(this,SIGNAL(applicableSCTProjPartsChanged(InDetProjFlags::InDetProjPartsFlags))); + connectToLastUpdateSlot(m_d->ui_idprojsurfs.groupBox_sctproj); + connectToLastUpdateSlot(m_d->ui_idprojsurfs.checkBox_sctprojsurf_parts_asneeded); + connectToLastUpdateSlot(m_d->ui_idprojsurfs.checkBox_sctprojsurf_parts_barrelA); + connectToLastUpdateSlot(m_d->ui_idprojsurfs.checkBox_sctprojsurf_parts_barrelC); + connectToLastUpdateSlot(m_d->ui_idprojsurfs.checkBox_sctprojsurf_parts_endcapA); + connectToLastUpdateSlot(m_d->ui_idprojsurfs.checkBox_sctprojsurf_parts_endcapC); + + addUpdateSlot(SLOT(possibleChange_shownTRTProjSurfaces())); + connectToLastUpdateSlot(m_d->ui.checkBox_inDetProjSurfs); + connectToLastUpdateSlot(this,SIGNAL(applicableTRTProjPartsChanged(InDetProjFlags::InDetProjPartsFlags))); + connectToLastUpdateSlot(m_d->ui_idprojsurfs.groupBox_trtproj); + connectToLastUpdateSlot(m_d->ui_idprojsurfs.checkBox_trtprojsurf_parts_asneeded); + connectToLastUpdateSlot(m_d->ui_idprojsurfs.checkBox_trtprojsurf_parts_barrelA); + connectToLastUpdateSlot(m_d->ui_idprojsurfs.checkBox_trtprojsurf_parts_barrelC); + connectToLastUpdateSlot(m_d->ui_idprojsurfs.checkBox_trtprojsurf_parts_endcapA); + connectToLastUpdateSlot(m_d->ui_idprojsurfs.checkBox_trtprojsurf_parts_endcapC); + + addUpdateSlot(SLOT(updateProjPartsCheckboxStates_Pixel())); + connectToLastUpdateSlot(m_d->ui_idprojsurfs.checkBox_pixelprojsurf_parts_asneeded); + + addUpdateSlot(SLOT(updateProjPartsCheckboxStates_SCT())); + connectToLastUpdateSlot(m_d->ui_idprojsurfs.checkBox_sctprojsurf_parts_asneeded); + + addUpdateSlot(SLOT(updateProjPartsCheckboxStates_TRT())); + connectToLastUpdateSlot(m_d->ui_idprojsurfs.checkBox_trtprojsurf_parts_asneeded); + + addUpdateSlot(SLOT(possibleChange_showTrackingVolumes())); + connectToLastUpdateSlot(m_d->ui.checkBox_trkVolumes); + + addUpdateSlot(SLOT(possibleChange_showInnerDetector())); + connectToLastUpdateSlot(m_d->ui_trkvolumes.checkBox_ID); + addUpdateSlot(SLOT(possibleChange_showCalorimeters())); + connectToLastUpdateSlot(m_d->ui_trkvolumes.checkBox_Calo); + addUpdateSlot(SLOT(possibleChange_showMuonSpectrometer())); + connectToLastUpdateSlot(m_d->ui_trkvolumes.checkBox_MS); + + addUpdateSlot(SLOT(possibleChange_showLines())); + connectToLastUpdateSlot(m_d->ui.checkBox_lines); + + addUpdateSlot(SLOT(possibleChange_lineDirection())); + connectToLastUpdateSlot(m_d->ui_lines.doubleSpinBox_phi); + connectToLastUpdateSlot(m_d->ui_lines.doubleSpinBox_theta); + connectToLastUpdateSlot(m_d->ui_lines.doubleSpinBox_eta); + connectToLastUpdateSlot(m_d->ui_lines.doubleSpinBox_length); + + + initLastVars(); +} + +//____________________________________________________________________ +GuideSysController::~GuideSysController() +{ + delete m_d; +} + +//____________________________________________________________________ +//Material access methods: +SoMaterial * GuideSysController::lettersMaterial() const { return m_d->ui_floorandletters.matButton_letters->handledMaterials().at(0); } +SoMaterial * GuideSysController::xAxisMaterial() const { return m_d->ui_axes.matButton_axes_x->handledMaterials().at(0); } +SoMaterial * GuideSysController::yAxisMaterial() const { return m_d->ui_axes.matButton_axes_y->handledMaterials().at(0); } +SoMaterial * GuideSysController::zAxisMaterial() const { return m_d->ui_axes.matButton_axes_z->handledMaterials().at(0); } +SoMaterial * GuideSysController::etaCone1Material() const { return m_d->ui_etacones.matButton_etaCone1->handledMaterials().at(0); } +SoMaterial * GuideSysController::etaCone2Material() const { return m_d->ui_etacones.matButton_etaCone2->handledMaterials().at(0); } +SoMaterial * GuideSysController::etaCone3Material() const { return m_d->ui_etacones.matButton_etaCone3->handledMaterials().at(0); } +SoMaterial * GuideSysController::pixelProjSurfMaterial() const { return m_d->ui_idprojsurfs.pushButton_projsurfmaterial_pixel->handledMaterials().at(0); } +SoMaterial * GuideSysController::sctProjSurfMaterial() const { return m_d->ui_idprojsurfs.pushButton_projsurfmaterial_sct->handledMaterials().at(0); } +SoMaterial * GuideSysController::trtProjSurfMaterial() const { return m_d->ui_idprojsurfs.pushButton_projsurfmaterial_trt->handledMaterials().at(0); } +SoMaterial * GuideSysController::idTrkVolumesMaterial() const { return m_d->ui_trkvolumes.matButton_ID->handledMaterials().at(0); } +SoMaterial * GuideSysController::caloTrkVolumesMaterial() const { return m_d->ui_trkvolumes.matButton_Calo->handledMaterials().at(0); } +SoMaterial * GuideSysController::msTrkVolumesMaterial() const { return m_d->ui_trkvolumes.matButton_MS->handledMaterials().at(0); } + +//____________________________________________________________________ +bool GuideSysController::showFloor() const +{ + return m_d->ui.checkBox_floorAndLetters->isChecked() && + m_d->ui_floorandletters.checkBox_floorenabled->isChecked(); +} + +//____________________________________________________________________ +SbColor4f GuideSysController::floorColourAndTransp() const +{ + return Imp::color4f(m_d->ui_floorandletters.colorButton_floor->color(),m_d->ui_floorandletters.spinBox_floortransp->value()); +} + +//____________________________________________________________________ +double GuideSysController::floorExtent() const +{ + return m_d->ui_floorandletters.doubleSpinBox_floorextent->value()*SYSTEM_OF_UNITS::m; +} + +//____________________________________________________________________ +double GuideSysController::floorSpacing() const +{ + return m_d->ui_floorandletters.doubleSpinBox_floorspacing->value()*SYSTEM_OF_UNITS::m; +} + +//____________________________________________________________________ +double GuideSysController::floorHeight() const +{ + return m_d->ui_floorandletters.doubleSpinBox_floorheight->value()*SYSTEM_OF_UNITS::m; +} + +//____________________________________________________________________ +bool GuideSysController::showLetters() const +{ + return m_d->ui.checkBox_floorAndLetters->isChecked() && + m_d->ui_floorandletters.checkBox_acdesignations->isChecked(); +} + +//____________________________________________________________________ +double GuideSysController::lettersZPos() const +{ + + int nmax; double distmax; + if (!VP1Floor::calcParsFromExtentAndSpacing( (VP1HelperClassBase*)this, floorExtent(), floorSpacing(), VP1Floor::nMax(), nmax, distmax )) { + nmax = 10; + distmax = 10*SYSTEM_OF_UNITS::m; + message("lettersZPos ERROR: Problems calculating floor nmax/distmax."); + } + return distmax*1.1; +} + +//____________________________________________________________________ +double GuideSysController::lettersVerticalPos() const +{ + return floorHeight()+1.5*SYSTEM_OF_UNITS::m; +} + +//____________________________________________________________________ +bool GuideSysController::showAxes() const +{ + return m_d->ui.checkBox_coordinateAxes->isChecked(); +} + +//____________________________________________________________________ +double GuideSysController::axesLength() const +{ + return m_d->ui_axes.doubleSpinBox_axes_lengths_m->value()*SYSTEM_OF_UNITS::m * + (m_d->ui_axes.checkBox_axes_shownegativeparts->isChecked()?-1.0:1.0); +} + +//____________________________________________________________________ +SbVec3f GuideSysController::axesPosition() const +{ + return SbVec3f(m_d->ui_axes.doubleSpinBox_axes_xpos_m->value()*SYSTEM_OF_UNITS::m, + m_d->ui_axes.doubleSpinBox_axes_ypos_m->value()*SYSTEM_OF_UNITS::m, + m_d->ui_axes.doubleSpinBox_axes_zpos_m->value()*SYSTEM_OF_UNITS::m); +} + +//____________________________________________________________________ +double GuideSysController::relAxesThickness() const +{ + return m_d->ui_axes.doubleSpinBox_axes_relthickness->value(); +} + +//____________________________________________________________________ +bool GuideSysController::showCartesianGrid() const +{ + return m_d->ui.checkBox_grid->isChecked() && + m_d->ui_grid.radioButton_grid_cartesian->isChecked(); +} + +//____________________________________________________________________ +bool GuideSysController::showCylindricalGrid() const +{ + return m_d->ui.checkBox_grid->isChecked() && + m_d->ui_grid.radioButton_grid_cylindrical->isChecked(); +} + +//____________________________________________________________________ +SbColor4f GuideSysController::gridColourAndTransp() const +{ + return Imp::color4f(m_d->ui_grid.colorButton_grid->color(),m_d->ui_grid.spinBox_gridtransp->value()); +} + +//____________________________________________________________________ +double GuideSysController::gridSpacing() const +{ + return m_d->ui_grid.doubleSpinBox_gridspacing->value()*SYSTEM_OF_UNITS::m; +} + +//____________________________________________________________________ +double GuideSysController::gridExtent() const +{ + return m_d->ui_grid.doubleSpinBox_gridextent->value()*SYSTEM_OF_UNITS::m; +} + +//____________________________________________________________________ +bool GuideSysController::showEtaCone1() const +{ + return m_d->ui.checkBox_etaCones->isChecked() && + m_d->ui_etacones.checkBox_etacone1->isChecked(); +} + +//____________________________________________________________________ +bool GuideSysController::showEtaCone2() const +{ + return m_d->ui.checkBox_etaCones->isChecked() && + m_d->ui_etacones.checkBox_etacone2->isChecked(); +} + +//____________________________________________________________________ +bool GuideSysController::showEtaCone3() const +{ + return m_d->ui.checkBox_etaCones->isChecked() && + m_d->ui_etacones.checkBox_etacone3->isChecked(); +} + +//____________________________________________________________________ +double GuideSysController::etaConeValue1() const +{ + return std::max(1.0e-5,m_d->ui_etacones.doubleSpinBox_etaval1->value()); +} + +//____________________________________________________________________ +double GuideSysController::etaConeValue2() const +{ + return std::max(1.0e-5,m_d->ui_etacones.doubleSpinBox_etaval2->value()); +} + +//____________________________________________________________________ +double GuideSysController::etaConeValue3() const +{ + return std::max(1.0e-5,m_d->ui_etacones.doubleSpinBox_etaval3->value()); +} + +//____________________________________________________________________ +double GuideSysController::etaExtent() const +{ + return m_d->ui_etacones.doubleSpinBox_etaconeextent->value() * SYSTEM_OF_UNITS::m + * (m_d->ui_etacones.radioButton_etaconeextentisr->isChecked() ? 1.0 : -1.0); +} + +//____________________________________________________________________ +bool GuideSysController::showLines() const +{ + return m_d->ui.checkBox_lines->isChecked(); +} + + +//____________________________________________________________________ +SbVec3f GuideSysController::lineDirection() const +{ + double r = lineLength(); + double phi = m_d->ui_lines.doubleSpinBox_phi->value(); + double theta = m_d->ui_lines.doubleSpinBox_theta->value(); + SbVec3f direction(r*sin(theta)*cos(phi),r*sin(theta)*sin(phi), r*cos(theta)); + return direction; +} + +//____________________________________________________________________ +double GuideSysController::lineLength() const +{ + return m_d->ui_lines.doubleSpinBox_length->value() * SYSTEM_OF_UNITS::m; +} + +//_____________________________________________________________________________________ +InDetProjFlags::InDetProjPartsFlags GuideSysController::Imp::projPartsFlag( bool barrelinner, bool barrelouter, + bool endcapinner, bool endcapouter, + bool endcap_hidenormalcyls_when_zasr, + bool endcap_zasr ) +{ + InDetProjFlags::InDetProjPartsFlags parts(InDetProjFlags::NoProjections); + //Given the general parts needed, what specific surfaces do we need: + if ( barrelinner ) + parts |= InDetProjFlags::BarrelCentral; + if ( barrelouter ) { + parts |= InDetProjFlags::BarrelPositive; + parts |= InDetProjFlags::BarrelNegative; + } + + if ( !( endcap_zasr && endcap_hidenormalcyls_when_zasr ) ) { + if ( endcapinner ) { + //Inner: + parts |= InDetProjFlags::EndCapInnerPositive; + parts |= InDetProjFlags::EndCapInnerNegative; + } + if ( endcapouter ) { + //Outer: + parts |= InDetProjFlags::EndCapOuterPositive; + parts |= InDetProjFlags::EndCapOuterNegative; + } + } + //Special ZasR surfaces for the endcaps, placed in the barrel positions: + if (endcap_zasr) { + if ( barrelinner ) + parts |= InDetProjFlags::TRT_EndCapZToRCentral; + if ( barrelouter ) { + parts |= InDetProjFlags::TRT_EndCapZToRPositive; + parts |= InDetProjFlags::TRT_EndCapZToRNegative; + } + } + return parts; +} + +//____________________________________________________________________ +InDetProjFlags::InDetProjPartsFlags GuideSysController::applicablePixelProjParts() const +{ + return Imp::projPartsFlag( m_d->ui_idprojsurfs.radioButton_pixelprojsurf_barrel_inner->isChecked() || m_d->ui_idprojsurfs.radioButton_pixelprojsurf_barrel_both->isChecked(), + m_d->ui_idprojsurfs.radioButton_pixelprojsurf_barrel_outer->isChecked() || m_d->ui_idprojsurfs.radioButton_pixelprojsurf_barrel_both->isChecked(), + m_d->ui_idprojsurfs.radioButton_pixelprojsurf_endcap_inner->isChecked() || m_d->ui_idprojsurfs.radioButton_pixelprojsurf_endcap_both->isChecked(), + m_d->ui_idprojsurfs.radioButton_pixelprojsurf_endcap_outer->isChecked() || m_d->ui_idprojsurfs.radioButton_pixelprojsurf_endcap_both->isChecked() ); +} + +//____________________________________________________________________ +InDetProjFlags::InDetProjPartsFlags GuideSysController::applicableSCTProjParts() const +{ + return Imp::projPartsFlag( m_d->ui_idprojsurfs.radioButton_sctprojsurf_barrel_inner->isChecked() || m_d->ui_idprojsurfs.radioButton_sctprojsurf_barrel_both->isChecked(), + m_d->ui_idprojsurfs.radioButton_sctprojsurf_barrel_outer->isChecked() || m_d->ui_idprojsurfs.radioButton_sctprojsurf_barrel_both->isChecked(), + m_d->ui_idprojsurfs.radioButton_sctprojsurf_endcap_inner->isChecked() || m_d->ui_idprojsurfs.radioButton_sctprojsurf_endcap_both->isChecked(), + m_d->ui_idprojsurfs.radioButton_sctprojsurf_endcap_outer->isChecked() || m_d->ui_idprojsurfs.radioButton_sctprojsurf_endcap_both->isChecked() ); +} + +//____________________________________________________________________ +InDetProjFlags::InDetProjPartsFlags GuideSysController::applicableTRTProjParts() const +{ + return Imp::projPartsFlag( m_d->ui_idprojsurfs.radioButton_trtprojsurf_barrel_inner->isChecked() || m_d->ui_idprojsurfs.radioButton_trtprojsurf_barrel_both->isChecked(), + m_d->ui_idprojsurfs.radioButton_trtprojsurf_barrel_outer->isChecked() || m_d->ui_idprojsurfs.radioButton_trtprojsurf_barrel_both->isChecked(), + m_d->ui_idprojsurfs.radioButton_trtprojsurf_endcap_inner->isChecked() || m_d->ui_idprojsurfs.radioButton_trtprojsurf_endcap_both->isChecked(), + m_d->ui_idprojsurfs.radioButton_trtprojsurf_endcap_outer->isChecked() || m_d->ui_idprojsurfs.radioButton_trtprojsurf_endcap_both->isChecked(), + true, m_d->ui_idprojsurfs.checkBox_trtprojsurf_z2r->isChecked() ); +} + +//_____________________________________________________________________________________ +InDetProjFlags::DetTypeFlags GuideSysController::Imp::trtPartsEnabledByGUIOrDataUsage() const +{ + InDetProjFlags::DetTypeFlags f(InDetProjFlags::NoDet); + if (ui_idprojsurfs.groupBox_trtproj->isChecked()) { + if (ui_idprojsurfs.checkBox_trtprojsurf_parts_asneeded->isChecked()) { + f |= (inDetDetTypesUsingProjections&InDetProjFlags::TRT_all); + } else { + if (ui_idprojsurfs.checkBox_trtprojsurf_parts_barrelA->isChecked()) f |= InDetProjFlags::TRT_brlpos; + if (ui_idprojsurfs.checkBox_trtprojsurf_parts_barrelC->isChecked()) f |= InDetProjFlags::TRT_brlneg; + if (ui_idprojsurfs.checkBox_trtprojsurf_parts_endcapA->isChecked()) f |= InDetProjFlags::TRT_ecpos; + if (ui_idprojsurfs.checkBox_trtprojsurf_parts_endcapC->isChecked()) f |= InDetProjFlags::TRT_ecneg; + } + } + return f; +} + +//_____________________________________________________________________________________ +InDetProjFlags::DetTypeFlags GuideSysController::Imp::sctPartsEnabledByGUIOrDataUsage() const +{ + InDetProjFlags::DetTypeFlags f(InDetProjFlags::NoDet); + if (ui_idprojsurfs.groupBox_sctproj->isChecked()) { + if (ui_idprojsurfs.checkBox_sctprojsurf_parts_asneeded->isChecked()) { + f |= (inDetDetTypesUsingProjections&InDetProjFlags::SCT_all); + } else { + if (ui_idprojsurfs.checkBox_sctprojsurf_parts_barrelA->isChecked()) f |= InDetProjFlags::SCT_brlpos; + if (ui_idprojsurfs.checkBox_sctprojsurf_parts_barrelC->isChecked()) f |= InDetProjFlags::SCT_brlneg; + if (ui_idprojsurfs.checkBox_sctprojsurf_parts_endcapA->isChecked()) f |= InDetProjFlags::SCT_ecpos; + if (ui_idprojsurfs.checkBox_sctprojsurf_parts_endcapC->isChecked()) f |= InDetProjFlags::SCT_ecneg; + } + } + return f; +} + +//_____________________________________________________________________________________ +InDetProjFlags::DetTypeFlags GuideSysController::Imp::pixelPartsEnabledByGUIOrDataUsage() const +{ + InDetProjFlags::DetTypeFlags f(InDetProjFlags::NoDet); + if (ui_idprojsurfs.groupBox_pixelproj->isChecked()) { + if (ui_idprojsurfs.checkBox_pixelprojsurf_parts_asneeded->isChecked()) { + f |= (inDetDetTypesUsingProjections&InDetProjFlags::Pixel_all); + } else { + if (ui_idprojsurfs.checkBox_pixelprojsurf_parts_barrelA->isChecked()) f |= InDetProjFlags::Pixel_brlpos; + if (ui_idprojsurfs.checkBox_pixelprojsurf_parts_barrelC->isChecked()) f |= InDetProjFlags::Pixel_brlneg; + if (ui_idprojsurfs.checkBox_pixelprojsurf_parts_endcapA->isChecked()) f |= InDetProjFlags::Pixel_ecpos; + if (ui_idprojsurfs.checkBox_pixelprojsurf_parts_endcapC->isChecked()) f |= InDetProjFlags::Pixel_ecneg; + } + } + return f; +} + +//____________________________________________________________________ +InDetProjFlags::InDetProjPartsFlags GuideSysController::shownPixelProjSurfaces() const +{ + InDetProjFlags::DetTypeFlags enabledDetRegions = m_d->pixelPartsEnabledByGUIOrDataUsage(); + if (!(InDetProjFlags::Pixel_all&enabledDetRegions)||!m_d->ui.checkBox_inDetProjSurfs->isChecked()) + return InDetProjFlags::NoProjections; + InDetProjFlags::InDetProjPartsFlags pixelProjParts(applicablePixelProjParts()); + if (pixelProjParts==InDetProjFlags::NoProjections) + return InDetProjFlags::NoProjections; + InDetProjFlags::InDetProjPartsFlags dummy_sct(InDetProjFlags::NoProjections), dummy_trt(InDetProjFlags::NoProjections); + InDetProjFlags::projectionPartsGivenUsedDetectors( pixelProjParts, dummy_sct, dummy_trt, enabledDetRegions ); + return pixelProjParts; +} + +//____________________________________________________________________ +InDetProjFlags::InDetProjPartsFlags GuideSysController::shownSCTProjSurfaces() const +{ + InDetProjFlags::DetTypeFlags enabledDetRegions = m_d->sctPartsEnabledByGUIOrDataUsage(); + if (!(InDetProjFlags::SCT_all&enabledDetRegions)||!m_d->ui.checkBox_inDetProjSurfs->isChecked()) + return InDetProjFlags::NoProjections; + InDetProjFlags::InDetProjPartsFlags sctProjParts(applicableSCTProjParts()); + if (sctProjParts==InDetProjFlags::NoProjections) + return InDetProjFlags::NoProjections; + InDetProjFlags::InDetProjPartsFlags dummy_pixel(InDetProjFlags::NoProjections), dummy_trt(InDetProjFlags::NoProjections); + InDetProjFlags::projectionPartsGivenUsedDetectors( dummy_pixel, sctProjParts, dummy_trt, enabledDetRegions ); + return sctProjParts; +} + +//____________________________________________________________________ +InDetProjFlags::InDetProjPartsFlags GuideSysController::shownTRTProjSurfaces() const +{ + InDetProjFlags::DetTypeFlags enabledDetRegions = m_d->trtPartsEnabledByGUIOrDataUsage(); + if (!(InDetProjFlags::TRT_all&enabledDetRegions)||!m_d->ui.checkBox_inDetProjSurfs->isChecked()) + return InDetProjFlags::NoProjections; + InDetProjFlags::InDetProjPartsFlags trtProjParts(applicableTRTProjParts()); + if (trtProjParts==InDetProjFlags::NoProjections) + return InDetProjFlags::NoProjections; + InDetProjFlags::InDetProjPartsFlags dummy_pixel(InDetProjFlags::NoProjections), dummy_sct(InDetProjFlags::NoProjections); + InDetProjFlags::projectionPartsGivenUsedDetectors( dummy_pixel, dummy_sct, trtProjParts,enabledDetRegions ); + return trtProjParts; +} + +//____________________________________________________________________ +void GuideSysController::setInDetDetTypesUsingProjections(InDetProjFlags::DetTypeFlags f) +{ + if (m_d->inDetDetTypesUsingProjections==f) + return; + m_d->inDetDetTypesUsingProjections=f; + possibleChange_shownPixelProjSurfaces(); + possibleChange_shownSCTProjSurfaces(); + possibleChange_shownTRTProjSurfaces(); +} + +//____________________________________________________________________ +void GuideSysController::updateProjPartsCheckboxStates_Pixel() +{ + const bool e(!m_d->ui_idprojsurfs.checkBox_pixelprojsurf_parts_asneeded->isChecked()); + m_d->ui_idprojsurfs.checkBox_pixelprojsurf_parts_barrelA->setEnabled(e); + m_d->ui_idprojsurfs.checkBox_pixelprojsurf_parts_barrelC->setEnabled(e); + m_d->ui_idprojsurfs.checkBox_pixelprojsurf_parts_endcapA->setEnabled(e); + m_d->ui_idprojsurfs.checkBox_pixelprojsurf_parts_endcapC->setEnabled(e); +} + +//____________________________________________________________________ +void GuideSysController::updateProjPartsCheckboxStates_SCT() +{ + const bool e(!m_d->ui_idprojsurfs.checkBox_sctprojsurf_parts_asneeded->isChecked()); + m_d->ui_idprojsurfs.checkBox_sctprojsurf_parts_barrelA->setEnabled(e); + m_d->ui_idprojsurfs.checkBox_sctprojsurf_parts_barrelC->setEnabled(e); + m_d->ui_idprojsurfs.checkBox_sctprojsurf_parts_endcapA->setEnabled(e); + m_d->ui_idprojsurfs.checkBox_sctprojsurf_parts_endcapC->setEnabled(e); +} + +//____________________________________________________________________ +void GuideSysController::updateProjPartsCheckboxStates_TRT() +{ + const bool e(!m_d->ui_idprojsurfs.checkBox_trtprojsurf_parts_asneeded->isChecked()); + m_d->ui_idprojsurfs.checkBox_trtprojsurf_parts_barrelA->setEnabled(e); + m_d->ui_idprojsurfs.checkBox_trtprojsurf_parts_barrelC->setEnabled(e); + m_d->ui_idprojsurfs.checkBox_trtprojsurf_parts_endcapA->setEnabled(e); + m_d->ui_idprojsurfs.checkBox_trtprojsurf_parts_endcapC->setEnabled(e); +} + +bool GuideSysController::showTrackingVolumes() const +{ + return m_d->ui.checkBox_trkVolumes->isChecked(); +} + +bool GuideSysController::showInnerDetector() const +{ + return m_d->ui_trkvolumes.checkBox_ID->isChecked(); +} + +bool GuideSysController::showCalorimeters() const +{ + return m_d->ui_trkvolumes.checkBox_Calo->isChecked(); +} + +bool GuideSysController::showMuonSpectrometer() const +{ + return m_d->ui_trkvolumes.checkBox_MS->isChecked(); +} + +//____________________________________________________________________ +int GuideSysController::currentSettingsVersion() const +{ + return 3; +} + +//____________________________________________________________________ +void GuideSysController::actualSaveSettings(VP1Serialise&s) const +{ + + //version 0 output an integer here. + + //Materials + s.save(m_d->ui_floorandletters.matButton_letters); + s.save(m_d->ui_axes.matButton_axes_x); + s.save(m_d->ui_axes.matButton_axes_y); + s.save(m_d->ui_axes.matButton_axes_z); + s.save(m_d->ui_etacones.matButton_etaCone1); + s.save(m_d->ui_etacones.matButton_etaCone2); + s.save(m_d->ui_etacones.matButton_etaCone3); + s.save(m_d->ui_idprojsurfs.pushButton_projsurfmaterial_pixel); + s.save(m_d->ui_idprojsurfs.pushButton_projsurfmaterial_sct); + s.save(m_d->ui_idprojsurfs.pushButton_projsurfmaterial_trt); + + //Everything apart from projection surfaces: + s.save(m_d->ui_grid.colorButton_grid); + s.save(m_d->ui_grid.spinBox_gridtransp); + s.save(m_d->ui_floorandletters.colorButton_floor); + s.save(m_d->ui_floorandletters.spinBox_floortransp); + s.save(m_d->ui_floorandletters.doubleSpinBox_floorheight); + s.save(m_d->ui_floorandletters.checkBox_floorenabled); + s.save(m_d->ui_floorandletters.doubleSpinBox_floorspacing); + s.save(m_d->ui_floorandletters.doubleSpinBox_floorextent); + s.save(m_d->ui_floorandletters.checkBox_acdesignations); + //Version 0 output bool here + s.save(m_d->ui_axes.checkBox_axes_shownegativeparts); + s.save(m_d->ui_axes.doubleSpinBox_axes_lengths_m); + s.save(m_d->ui_axes.doubleSpinBox_axes_relthickness); + s.save(m_d->ui_axes.doubleSpinBox_axes_xpos_m); + s.save(m_d->ui_axes.doubleSpinBox_axes_ypos_m); + s.save(m_d->ui_axes.doubleSpinBox_axes_zpos_m); + s.save(0/*backwards compat*/,m_d->ui_grid.radioButton_grid_cartesian,m_d->ui_grid.radioButton_grid_cylindrical); + s.save(m_d->ui_grid.doubleSpinBox_gridspacing); + s.save(m_d->ui_grid.doubleSpinBox_gridextent); + s.save(m_d->ui_etacones.checkBox_etacone1); + s.save(m_d->ui_etacones.doubleSpinBox_etaval1); + s.save(m_d->ui_etacones.checkBox_etacone2); + s.save(m_d->ui_etacones.doubleSpinBox_etaval2); + s.save(m_d->ui_etacones.checkBox_etacone3); + s.save(m_d->ui_etacones.doubleSpinBox_etaval3); + s.save(m_d->ui_etacones.doubleSpinBox_etaconeextent); + s.save(m_d->ui_etacones.radioButton_etaconeextentisr,m_d->ui_etacones.radioButton_etaconeextentisz); + + //Projection surfaces: + + s.save(m_d->ui_idprojsurfs.groupBox_pixelproj); + s.save(m_d->ui_idprojsurfs.checkBox_pixelprojsurf_parts_asneeded); + s.save(m_d->ui_idprojsurfs.checkBox_pixelprojsurf_parts_barrelA); + s.save(m_d->ui_idprojsurfs.checkBox_pixelprojsurf_parts_barrelC); + s.save(m_d->ui_idprojsurfs.checkBox_pixelprojsurf_parts_endcapA); + s.save(m_d->ui_idprojsurfs.checkBox_pixelprojsurf_parts_endcapC); + s.save(m_d->ui_idprojsurfs.radioButton_pixelprojsurf_barrel_inner, + m_d->ui_idprojsurfs.radioButton_pixelprojsurf_barrel_outer, + m_d->ui_idprojsurfs.radioButton_pixelprojsurf_barrel_both); + s.save(m_d->ui_idprojsurfs.radioButton_pixelprojsurf_endcap_inner, + m_d->ui_idprojsurfs.radioButton_pixelprojsurf_endcap_outer, + m_d->ui_idprojsurfs.radioButton_pixelprojsurf_endcap_both); + s.save(m_d->ui_idprojsurfs.groupBox_sctproj); + s.save(m_d->ui_idprojsurfs.checkBox_sctprojsurf_parts_asneeded); + s.save(m_d->ui_idprojsurfs.checkBox_sctprojsurf_parts_barrelA); + s.save(m_d->ui_idprojsurfs.checkBox_sctprojsurf_parts_barrelC); + s.save(m_d->ui_idprojsurfs.checkBox_sctprojsurf_parts_endcapA); + s.save(m_d->ui_idprojsurfs.checkBox_sctprojsurf_parts_endcapC); + s.save(m_d->ui_idprojsurfs.radioButton_sctprojsurf_barrel_inner, + m_d->ui_idprojsurfs.radioButton_sctprojsurf_barrel_outer, + m_d->ui_idprojsurfs.radioButton_sctprojsurf_barrel_both); + s.save(m_d->ui_idprojsurfs.radioButton_sctprojsurf_endcap_inner, + m_d->ui_idprojsurfs.radioButton_sctprojsurf_endcap_outer, + m_d->ui_idprojsurfs.radioButton_sctprojsurf_endcap_both); + s.save(m_d->ui_idprojsurfs.groupBox_trtproj); + s.save(m_d->ui_idprojsurfs.checkBox_trtprojsurf_parts_asneeded); + s.save(m_d->ui_idprojsurfs.checkBox_trtprojsurf_parts_barrelA); + s.save(m_d->ui_idprojsurfs.checkBox_trtprojsurf_parts_barrelC); + s.save(m_d->ui_idprojsurfs.checkBox_trtprojsurf_parts_endcapA); + s.save(m_d->ui_idprojsurfs.checkBox_trtprojsurf_parts_endcapC); + s.save(m_d->ui_idprojsurfs.radioButton_trtprojsurf_barrel_inner, + m_d->ui_idprojsurfs.radioButton_trtprojsurf_barrel_outer, + m_d->ui_idprojsurfs.radioButton_trtprojsurf_barrel_both); + s.save(m_d->ui_idprojsurfs.radioButton_trtprojsurf_endcap_inner, + m_d->ui_idprojsurfs.radioButton_trtprojsurf_endcap_outer, + m_d->ui_idprojsurfs.radioButton_trtprojsurf_endcap_both); + s.save(m_d->ui_idprojsurfs.checkBox_trtprojsurf_z2r); + + s.save(m_d->ui.checkBox_coordinateAxes);//version 1+ + s.save(m_d->ui.checkBox_etaCones); + s.save(m_d->ui.checkBox_floorAndLetters);//version 1+ + s.save(m_d->ui.checkBox_grid);//version 1+ + s.save(m_d->ui.checkBox_inDetProjSurfs);//version 1+ + + //Tracking volumes: + // All version 2+ + s.save(m_d->ui.checkBox_trkVolumes); + + //material + s.save(m_d->ui_trkvolumes.matButton_ID); + s.save(m_d->ui_trkvolumes.matButton_Calo); + s.save(m_d->ui_trkvolumes.matButton_MS); + s.save(m_d->ui_trkvolumes.checkBox_ID); + s.save(m_d->ui_trkvolumes.checkBox_Calo); + s.save(m_d->ui_trkvolumes.checkBox_MS); + + // Line from origin + s.save(m_d->ui.checkBox_lines); + s.save(m_d->ui_lines.doubleSpinBox_phi); + s.save(m_d->ui_lines.doubleSpinBox_phi); + s.save(m_d->ui_lines.doubleSpinBox_eta); + s.save(m_d->ui_lines.doubleSpinBox_length); +} + +//____________________________________________________________________ +void GuideSysController::actualRestoreSettings(VP1Deserialise& s) +{ + if (s.version()<0||s.version()>2) { + message("Warning: State data in .vp1 file has unsupported version ("+str(s.version())+")"); + return; + } + + if (s.version()==0) + s.ignoreInt(); + + //Materials + s.restore(m_d->ui_floorandletters.matButton_letters); + s.restore(m_d->ui_axes.matButton_axes_x); + s.restore(m_d->ui_axes.matButton_axes_y); + s.restore(m_d->ui_axes.matButton_axes_z); + s.restore(m_d->ui_etacones.matButton_etaCone1); + s.restore(m_d->ui_etacones.matButton_etaCone2); + s.restore(m_d->ui_etacones.matButton_etaCone3); + s.restore(m_d->ui_idprojsurfs.pushButton_projsurfmaterial_pixel); + s.restore(m_d->ui_idprojsurfs.pushButton_projsurfmaterial_sct); + s.restore(m_d->ui_idprojsurfs.pushButton_projsurfmaterial_trt); + + + //Everything apart from projection surfaces: + s.restore(m_d->ui_grid.colorButton_grid); + s.restore(m_d->ui_grid.spinBox_gridtransp); + s.restore(m_d->ui_floorandletters.colorButton_floor); + s.restore(m_d->ui_floorandletters.spinBox_floortransp); + s.restore(m_d->ui_floorandletters.doubleSpinBox_floorheight); + s.restore(m_d->ui_floorandletters.checkBox_floorenabled); + s.restore(m_d->ui_floorandletters.doubleSpinBox_floorspacing); + s.restore(m_d->ui_floorandletters.doubleSpinBox_floorextent); + s.restore(m_d->ui_floorandletters.checkBox_acdesignations); + if (s.version()==0) + s.ignoreBool(); + s.restore(m_d->ui_axes.checkBox_axes_shownegativeparts); + s.restore(m_d->ui_axes.doubleSpinBox_axes_lengths_m); + s.restore(m_d->ui_axes.doubleSpinBox_axes_relthickness); + s.restore(m_d->ui_axes.doubleSpinBox_axes_xpos_m); + s.restore(m_d->ui_axes.doubleSpinBox_axes_ypos_m); + s.restore(m_d->ui_axes.doubleSpinBox_axes_zpos_m); + s.restore(0/*backwards compat*/,m_d->ui_grid.radioButton_grid_cartesian,m_d->ui_grid.radioButton_grid_cylindrical); + s.restore(m_d->ui_grid.doubleSpinBox_gridspacing); + s.restore(m_d->ui_grid.doubleSpinBox_gridextent); + s.restore(m_d->ui_etacones.checkBox_etacone1); + s.restore(m_d->ui_etacones.doubleSpinBox_etaval1); + s.restore(m_d->ui_etacones.checkBox_etacone2); + s.restore(m_d->ui_etacones.doubleSpinBox_etaval2); + s.restore(m_d->ui_etacones.checkBox_etacone3); + s.restore(m_d->ui_etacones.doubleSpinBox_etaval3); + s.restore(m_d->ui_etacones.doubleSpinBox_etaconeextent); + s.restore(m_d->ui_etacones.radioButton_etaconeextentisr,m_d->ui_etacones.radioButton_etaconeextentisz); + + //Projection surfaces: + + s.restore(m_d->ui_idprojsurfs.groupBox_pixelproj); + s.restore(m_d->ui_idprojsurfs.checkBox_pixelprojsurf_parts_asneeded); + s.restore(m_d->ui_idprojsurfs.checkBox_pixelprojsurf_parts_barrelA); + s.restore(m_d->ui_idprojsurfs.checkBox_pixelprojsurf_parts_barrelC); + s.restore(m_d->ui_idprojsurfs.checkBox_pixelprojsurf_parts_endcapA); + s.restore(m_d->ui_idprojsurfs.checkBox_pixelprojsurf_parts_endcapC); + s.restore(m_d->ui_idprojsurfs.radioButton_pixelprojsurf_barrel_inner, + m_d->ui_idprojsurfs.radioButton_pixelprojsurf_barrel_outer, + m_d->ui_idprojsurfs.radioButton_pixelprojsurf_barrel_both); + s.restore(m_d->ui_idprojsurfs.radioButton_pixelprojsurf_endcap_inner, + m_d->ui_idprojsurfs.radioButton_pixelprojsurf_endcap_outer, + m_d->ui_idprojsurfs.radioButton_pixelprojsurf_endcap_both); + s.restore(m_d->ui_idprojsurfs.groupBox_sctproj); + s.restore(m_d->ui_idprojsurfs.checkBox_sctprojsurf_parts_asneeded); + s.restore(m_d->ui_idprojsurfs.checkBox_sctprojsurf_parts_barrelA); + s.restore(m_d->ui_idprojsurfs.checkBox_sctprojsurf_parts_barrelC); + s.restore(m_d->ui_idprojsurfs.checkBox_sctprojsurf_parts_endcapA); + s.restore(m_d->ui_idprojsurfs.checkBox_sctprojsurf_parts_endcapC); + s.restore(m_d->ui_idprojsurfs.radioButton_sctprojsurf_barrel_inner, + m_d->ui_idprojsurfs.radioButton_sctprojsurf_barrel_outer, + m_d->ui_idprojsurfs.radioButton_sctprojsurf_barrel_both); + s.restore(m_d->ui_idprojsurfs.radioButton_sctprojsurf_endcap_inner, + m_d->ui_idprojsurfs.radioButton_sctprojsurf_endcap_outer, + m_d->ui_idprojsurfs.radioButton_sctprojsurf_endcap_both); + s.restore(m_d->ui_idprojsurfs.groupBox_trtproj); + s.restore(m_d->ui_idprojsurfs.checkBox_trtprojsurf_parts_asneeded); + s.restore(m_d->ui_idprojsurfs.checkBox_trtprojsurf_parts_barrelA); + s.restore(m_d->ui_idprojsurfs.checkBox_trtprojsurf_parts_barrelC); + s.restore(m_d->ui_idprojsurfs.checkBox_trtprojsurf_parts_endcapA); + s.restore(m_d->ui_idprojsurfs.checkBox_trtprojsurf_parts_endcapC); + s.restore(m_d->ui_idprojsurfs.radioButton_trtprojsurf_barrel_inner, + m_d->ui_idprojsurfs.radioButton_trtprojsurf_barrel_outer, + m_d->ui_idprojsurfs.radioButton_trtprojsurf_barrel_both); + s.restore(m_d->ui_idprojsurfs.radioButton_trtprojsurf_endcap_inner, + m_d->ui_idprojsurfs.radioButton_trtprojsurf_endcap_outer, + m_d->ui_idprojsurfs.radioButton_trtprojsurf_endcap_both); + s.restore(m_d->ui_idprojsurfs.checkBox_trtprojsurf_z2r); + + if (s.version()>=1) { + s.restore(m_d->ui.checkBox_coordinateAxes); + s.restore(m_d->ui.checkBox_etaCones); + s.restore(m_d->ui.checkBox_floorAndLetters); + s.restore(m_d->ui.checkBox_grid); + s.restore(m_d->ui.checkBox_inDetProjSurfs); + } + + if (s.version()>=2) { + s.restore(m_d->ui.checkBox_trkVolumes); + s.restore(m_d->ui_trkvolumes.matButton_ID); + s.restore(m_d->ui_trkvolumes.matButton_Calo); + s.restore(m_d->ui_trkvolumes.matButton_MS); + s.restore(m_d->ui_trkvolumes.checkBox_ID); + s.restore(m_d->ui_trkvolumes.checkBox_Calo); + s.restore(m_d->ui_trkvolumes.checkBox_MS); + } + if (s.version()>=3) { + s.restore(m_d->ui.checkBox_lines); + s.restore(m_d->ui_lines.doubleSpinBox_phi); + s.restore(m_d->ui_lines.doubleSpinBox_phi); + s.restore(m_d->ui_lines.doubleSpinBox_eta); + s.restore(m_d->ui_lines.doubleSpinBox_length); + } +} + +void GuideSysController::possibleChange_lineDirection() { + // Bit of a hack possibly to do this here, but I want to be able to update the direction by changing either theta or eta + double eta = m_d->ui_lines.doubleSpinBox_eta->value(); + double theta = m_d->ui_lines.doubleSpinBox_theta->value(); + + if (m_d->last_line_eta != eta){ + // eta has changed, so update theta in the UI + theta = 2*std::atan(std::exp(-1.0 * eta)); + m_d->ui_lines.doubleSpinBox_theta->setValue(theta); + } else if ( theta!= std::acos(m_d->last_lineDirection[2] / lineLength() ) ){ + eta = -1.0 * std::log(std::tan(theta/2.0)); + m_d->ui_lines.doubleSpinBox_eta->setValue(eta); + } + m_d->last_line_eta = m_d->ui_lines.doubleSpinBox_eta->value(); + if (changed( m_d->last_lineDirection , lineDirection() ) ) { + if (verbose()&&!initVarsMode()) messageVerbose("Emitting "+QString()+"( lineDirectionChanged"+toString(m_d->last_lineDirection)+" )"); + emit lineDirectionChanged(m_d->last_lineDirection); + } +} + + +/////////////////////////////////////////////////////////////////////////// +// Test for possible changes in values and emit signals as appropriate: +// (possibleChange_XXX() slots code provided by macros) +#define VP1CONTROLLERCLASSNAME GuideSysController +#include "VP1Base/VP1ControllerMacros.h" +POSSIBLECHANGE_IMP(showFloor) +POSSIBLECHANGE_IMP(floorColourAndTransp) +POSSIBLECHANGE_IMP(floorExtent) +POSSIBLECHANGE_IMP(floorSpacing) +POSSIBLECHANGE_IMP(floorHeight) +POSSIBLECHANGE_IMP(showLetters) +POSSIBLECHANGE_IMP(lettersZPos) +POSSIBLECHANGE_IMP(lettersVerticalPos) +POSSIBLECHANGE_IMP(showAxes) +POSSIBLECHANGE_IMP(axesLength) +POSSIBLECHANGE_IMP(axesPosition) +POSSIBLECHANGE_IMP(relAxesThickness) +POSSIBLECHANGE_IMP(showCartesianGrid) +POSSIBLECHANGE_IMP(showCylindricalGrid) +POSSIBLECHANGE_IMP(gridColourAndTransp) +POSSIBLECHANGE_IMP(gridSpacing) +POSSIBLECHANGE_IMP(gridExtent) +POSSIBLECHANGE_IMP(showEtaCone1) +POSSIBLECHANGE_IMP(showEtaCone2) +POSSIBLECHANGE_IMP(showEtaCone3) +POSSIBLECHANGE_IMP(etaConeValue1) +POSSIBLECHANGE_IMP(etaConeValue2) +POSSIBLECHANGE_IMP(etaConeValue3) +POSSIBLECHANGE_IMP(etaExtent) +POSSIBLECHANGE_IMP(applicablePixelProjParts) +POSSIBLECHANGE_IMP(applicableSCTProjParts) +POSSIBLECHANGE_IMP(applicableTRTProjParts) +POSSIBLECHANGE_IMP(shownPixelProjSurfaces) +POSSIBLECHANGE_IMP(shownSCTProjSurfaces) +POSSIBLECHANGE_IMP(shownTRTProjSurfaces) +POSSIBLECHANGE_IMP(showTrackingVolumes) +POSSIBLECHANGE_IMP(showInnerDetector) +POSSIBLECHANGE_IMP(showCalorimeters) +POSSIBLECHANGE_IMP(showMuonSpectrometer) +POSSIBLECHANGE_IMP(showLines) +//POSSIBLECHANGE_IMP(lineDirection) Implemented this manually so we can update eta/theta diff --git a/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/InDetProjHelper.cxx b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/InDetProjHelper.cxx new file mode 100644 index 0000000000000000000000000000000000000000..1a01f22c24ddb1e8cfcdff5c0698e3e54b501c8e --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/InDetProjHelper.cxx @@ -0,0 +1,964 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class InDetProjHelper // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: February 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12GuideLineSystems/InDetProjHelper.h" +#include "VTI12GuideLineSystems/InDetProjParams.h" +#include "VP1Base/VP1Msg.h" + +#include "GeoPrimitives/GeoPrimitives.h" + +#ifdef BUILDVP1LIGHT + #include "CLHEP/Units/SystemOfUnits.h" + #define SYSTEM_OF_UNITS CLHEP +#else + #include "GaudiKernel/SystemOfUnits.h" + #define SYSTEM_OF_UNITS Gaudi::Units +#endif + +//Fixme: Epsilon in projections! (at least take surface thickness into account!) + +//____________________________________________________________________ +InDetProjHelper * InDetProjHelper::createPixelHelper( IVP1System* system ) +{ + return new InDetProjHelper( InDetProjParams::surfacethickness(), + InDetProjParams::pixel_data_disttosurface_epsilon(), + InDetProjParams::pixel_barrel_inner_radius(), + InDetProjParams::pixel_barrel_outer_radius(), + InDetProjParams::pixel_barrel_posneg_z(), + InDetProjParams::pixel_endcap_surface_z(), + InDetProjParams::pixel_endcap_surface_length(), + InDetProjParams::pixel_endcap_inner_radius(), + InDetProjParams::pixel_endcap_outer_radius(), + InDetProjParams::pixel_endcap_zasr_innerradius(), + InDetProjParams::pixel_endcap_zasr_endcapz_begin(), + InDetProjParams::pixel_endcap_zasr_squeezefact(), + system ); +} + +//____________________________________________________________________ +InDetProjHelper * InDetProjHelper::createSCTHelper(IVP1System* system ) +{ + return new InDetProjHelper( InDetProjParams::surfacethickness(), + InDetProjParams::sct_data_disttosurface_epsilon(), + InDetProjParams::sct_barrel_inner_radius(), + InDetProjParams::sct_barrel_outer_radius(), + InDetProjParams::sct_barrel_posneg_z(), + InDetProjParams::sct_endcap_surface_z(), + InDetProjParams::sct_endcap_surface_length(), + InDetProjParams::sct_endcap_inner_radius(), + InDetProjParams::sct_endcap_outer_radius(), + InDetProjParams::sct_endcap_zasr_innerradius(), + InDetProjParams::sct_endcap_zasr_endcapz_begin(), + InDetProjParams::sct_endcap_zasr_squeezefact(), + system ); +} + +//____________________________________________________________________ +InDetProjHelper * InDetProjHelper::createTRTHelper(IVP1System* system ) +{ + return new InDetProjHelper( InDetProjParams::surfacethickness(), + InDetProjParams::trt_data_disttosurface_epsilon(), + InDetProjParams::trt_barrel_inner_radius(), + InDetProjParams::trt_barrel_outer_radius(), + InDetProjParams::trt_barrel_posneg_z(), + InDetProjParams::trt_endcap_surface_z(), + InDetProjParams::trt_endcap_surface_length(), + InDetProjParams::trt_endcap_inner_radius(), + InDetProjParams::trt_endcap_outer_radius(), + InDetProjParams::trt_endcap_zasr_innerradius(), + InDetProjParams::trt_endcap_zasr_endcapz_begin(), + InDetProjParams::trt_endcap_zasr_squeezefact(), + system ); +} + +//____________________________________________________________________ +class InDetProjHelper::Imp { +public: + InDetProjHelper * theclass; + + //Applicable projections: + InDetProjFlags::InDetProjPartsFlags parts; + + //The parameters: + double surfacethickness; + double data_disttosurface_epsilon; + double barrel_inner_radius; + double barrel_outer_radius; + double barrel_posneg_z; + double endcap_surface_z; + double endcap_surface_length; + double endcap_inner_radius; + double endcap_outer_radius; + double endcap_zasr_innerradius; + double endcap_zasr_endcapz_begin; + double endcap_zasr_squeezefact; + + //Parameters of maximal cylinder covering all enabled parts of + //detector: + double covercyl_zmin; + double covercyl_zmax; + double covercyl_rmin; + double covercyl_rmax; + +// //Helper methods: + void lineCircleIntersection( const Amg::Vector3D&a, const Amg::Vector3D&b,const double& r, + double & u1, double& u2 ) const; + + //Clip segments to cylinders and planes: + void movePoint1ToZPlaneAndPoint2( Amg::Vector3D& p1, const Amg::Vector3D& p2, const double& z ) const; + bool clipSegmentToZInterval( Amg::Vector3D&a, Amg::Vector3D&b, const double& zmin, const double& zmax ) const; + void movePoint1ToInfiniteCylinderAndPoint2( Amg::Vector3D&p1, const Amg::Vector3D&p2, const double& r ) const; + bool clipSegmentToInfiniteHollowCylinder( Amg::Vector3D&a, Amg::Vector3D&b, + const double& rmin, const double& rmax, + Amg::Vector3D&seg2_a, Amg::Vector3D&seg2_b ) const; + + bool clipSegmentToHollowCylinder( Amg::Vector3D&a, Amg::Vector3D&b, + const double& rmin, const double& rmax, + const double& zmin, const double& zmax, + Amg::Vector3D&seg2_a, Amg::Vector3D&seg2_b ) const; + + void clipPathToHollowCylinder( const std::vector<Amg::Vector3D >& in, +// Amg::SetVectorVector3D& out,//<- where clipped pieces of the paths will be appended. + Amg::SetVectorVector3D& out,//<- where clipped pieces of the paths will be appended. + const double& rmin, const double& rmax, + const double& zmin, const double& zmax ) const; + + bool touchesHollowCylinder( const std::vector<Amg::Vector3D >& path, + const double& rmin, const double& rmax, + const double& zmin, const double& zmax ) const; + //Project points to cylinders and planes: + void projectPathToInfiniteCylinder( const std::vector<Amg::Vector3D >& in, + Amg::SetVectorVector3D& outset, const double& r ) const; + void projectPathToZPlane( const std::vector<Amg::Vector3D >& in, + Amg::SetVectorVector3D& outset, const double& z ) const; + void projectPathToZPlane_specialZtoR( const std::vector<Amg::Vector3D >& in, + Amg::SetVectorVector3D& outset, const double& z ) const; + +}; + +//____________________________________________________________________ +InDetProjHelper::InDetProjHelper( double surfacethickness, + double data_disttosurface_epsilon, + double barrel_inner_radius, + double barrel_outer_radius, + double barrel_posneg_z, + double endcap_surface_z, + double endcap_surface_length, + double endcap_inner_radius, + double endcap_outer_radius, + double endcap_zasr_innerradius, + double endcap_zasr_endcapz_begin, + double endcap_zasr_squeezefact, + IVP1System* sys ) + : VP1HelperClassBase(sys,"InDetProjHelper"), m_d(new Imp) +{ + m_d->theclass = this; + + m_d->surfacethickness = surfacethickness; + m_d->data_disttosurface_epsilon = data_disttosurface_epsilon; + m_d->barrel_inner_radius = barrel_inner_radius; + m_d->barrel_outer_radius = barrel_outer_radius; + m_d->barrel_posneg_z = barrel_posneg_z; + m_d->endcap_surface_z = endcap_surface_z; + m_d->endcap_surface_length = endcap_surface_length; + m_d->endcap_inner_radius = endcap_inner_radius; + m_d->endcap_outer_radius = endcap_outer_radius; + m_d->endcap_zasr_innerradius = endcap_zasr_innerradius; + m_d->endcap_zasr_endcapz_begin = endcap_zasr_endcapz_begin; + m_d->endcap_zasr_squeezefact = endcap_zasr_squeezefact; + + m_d->parts = InDetProjFlags::NoProjections; + m_d->covercyl_zmin = 0.0; + m_d->covercyl_zmax = 0.0; + m_d->covercyl_rmin = 0.0; + m_d->covercyl_rmax = 0.0; + +} + +//____________________________________________________________________ +InDetProjHelper::~InDetProjHelper() +{ + delete m_d; +} + +//____________________________________________________________________ +InDetProjFlags::InDetProjPartsFlags InDetProjHelper::setParts( InDetProjFlags::InDetProjPartsFlags newparts ) +{ + if ( m_d->parts==newparts ) + return m_d->parts; + InDetProjFlags::InDetProjPartsFlags oldparts = m_d->parts; + m_d->parts = newparts; + + //Update parameters of smallest cylinder covering all enabled clip volumes. + if (m_d->parts == InDetProjFlags::NoProjections) { + m_d->covercyl_zmin = 0.0; + m_d->covercyl_zmax = 0.0; + m_d->covercyl_rmin = 0.0; + m_d->covercyl_rmax = 0.0; + return oldparts; + } + + bool no_ec_neg = !( m_d->parts & InDetProjFlags::EndCap_AllNeg ); + bool no_ec_pos = !( m_d->parts & InDetProjFlags::EndCap_AllPos ); + bool no_brl_neg = !( m_d->parts & InDetProjFlags::Barrel_AllNeg ); + bool no_brl_pos = !( m_d->parts & InDetProjFlags::Barrel_AllPos ); + bool barrel = m_d->parts & InDetProjFlags::Barrel_All; + bool endcap = m_d->parts & InDetProjFlags::EndCap_All; + + m_d->covercyl_zmin = - m_d->endcap_surface_z - 0.5*m_d->endcap_surface_length; + if ( no_ec_neg ) { + m_d->covercyl_zmin = - m_d->barrel_posneg_z; + if ( no_brl_neg ) { + m_d->covercyl_zmin = 0.0; + if ( no_brl_pos ) { + m_d->covercyl_zmin = m_d->barrel_posneg_z; + if ( no_ec_pos ) + m_d->covercyl_zmin = m_d->endcap_surface_z + 0.5*m_d->endcap_surface_length + 1.0e99; + } + } + } + m_d->covercyl_zmax = m_d->endcap_surface_z + 0.5*m_d->endcap_surface_length; + if ( no_ec_pos ) { + m_d->covercyl_zmax = m_d->barrel_posneg_z; + if ( no_brl_pos ) { + m_d->covercyl_zmax = 0.0; + if ( no_brl_neg ) { + m_d->covercyl_zmax = - m_d->barrel_posneg_z; + if ( no_ec_neg ) + m_d->covercyl_zmax = - m_d->endcap_surface_z - 0.5*m_d->endcap_surface_length - 1.0e99; + } + } + } + if ( m_d->covercyl_zmin >= m_d->covercyl_zmax ) + m_d->covercyl_zmin = m_d->covercyl_zmax = 0; + + if ( barrel && endcap ) { + m_d->covercyl_rmin = std::min(m_d->barrel_inner_radius,m_d->endcap_inner_radius); + m_d->covercyl_rmax = std::max(m_d->barrel_outer_radius,m_d->endcap_outer_radius); + } else { + if (barrel) { + m_d->covercyl_rmin = m_d->barrel_inner_radius; + m_d->covercyl_rmax = m_d->barrel_outer_radius; + } else if (endcap) { + m_d->covercyl_rmin = m_d->endcap_inner_radius; + m_d->covercyl_rmax = m_d->endcap_outer_radius; + } else { + message("Unforeseen execution path encountered."); + m_d->covercyl_rmin = 0; + m_d->covercyl_rmax = 0; + } + } + if ( m_d->covercyl_rmin >= m_d->covercyl_rmax ) + m_d->covercyl_rmin = m_d->covercyl_rmax = 0; + return oldparts; +} + +//____________________________________________________________________ +InDetProjFlags::InDetProjPartsFlags InDetProjHelper::parts() const +{ + return m_d->parts; +} + +//____________________________________________________________________ +void InDetProjHelper::clipPath( const std::vector<Amg::Vector3D >& path, + Amg::SetVectorVector3D& resulting_subpaths ) const +{ + clipPath(path,resulting_subpaths,resulting_subpaths,resulting_subpaths,resulting_subpaths); +} + +//____________________________________________________________________ +void InDetProjHelper::clipPath( const std::vector<Amg::Vector3D >& path, + Amg::SetVectorVector3D& resulting_subpaths_barrelA, + Amg::SetVectorVector3D& resulting_subpaths_barrelC, + Amg::SetVectorVector3D& resulting_subpaths_endcapA, + Amg::SetVectorVector3D& resulting_subpaths_endcapC ) const +{ + if (VP1Msg::verbose()) + messageVerbose("clipPath(..) called. Input path has "+QString::number(path.size())+" points."); + + resulting_subpaths_barrelA.clear(); + resulting_subpaths_barrelC.clear(); + resulting_subpaths_endcapA.clear(); + resulting_subpaths_endcapC.clear(); + + //Fixme: If verbose - perform sanity check of input data (check for NAN's). + if (m_d->parts == InDetProjFlags::NoProjections ) { + if (VP1Msg::verbose()) + messageVerbose("All projections currently off."); + return; + } + if ( path.size()<2 ) { + if (VP1Msg::verbose()) + messageVerbose("Input path too short."); + return; + } + + // Find the clipped path's in all of the enabled detector parts. + + //For efficiency, we first clip the path to the smallest + //axis-aligned cylinder containing all of the projective volumes + Amg::SetVectorVector3D paths_clipped; + m_d->clipPathToHollowCylinder( path, paths_clipped, + m_d->covercyl_rmin, m_d->covercyl_rmax, + m_d->covercyl_zmin, m_d->covercyl_zmax ); + + if (paths_clipped.empty()) { + if (VP1Msg::verbose()) + messageVerbose("Path entirely outside clip volumes."); + return; + } + + const bool enabled_brlA = m_d->parts & InDetProjFlags::Barrel_AllPos; + const bool enabled_brlC = m_d->parts & InDetProjFlags::Barrel_AllNeg; + const bool enabled_ecA = m_d->parts & InDetProjFlags::EndCap_AllPos; + const bool enabled_ecC = m_d->parts & InDetProjFlags::EndCap_AllNeg; + + //Special case: If exactly one of the four parts is enabled, we already have our result: + if ( ( (enabled_brlA?1:0) + (enabled_brlC?1:0) + (enabled_ecA?1:0) + (enabled_ecC?1:0) ) == 1 ) { + if (enabled_brlA) { + resulting_subpaths_barrelA = paths_clipped; + if (VP1Msg::verbose()) + messageVerbose("clipPath(..) only brlA enabled. Returning."); + return; + } + if (enabled_brlC) { + resulting_subpaths_barrelC = paths_clipped; + if (VP1Msg::verbose()) + messageVerbose("clipPath(..) only brlC enabled. Returning."); + return; + } + if (enabled_ecA) { + resulting_subpaths_endcapA = paths_clipped; + if (VP1Msg::verbose()) + messageVerbose("clipPath(..) only ecA enabled. Returning."); + return; + } + if (enabled_ecC) { + resulting_subpaths_endcapC = paths_clipped; + if (VP1Msg::verbose()) + messageVerbose("clipPath(..) only ecC enabled. Returning."); + return; + } + } + + + //For each of the segments, we then find its clipped parts inside + //the four detector volumes: BarrelA, BarrelC, EndCapA, EndCapC. + // Amg::SetVectorVector3D paths_brlA, paths_brlC, paths_ecA,paths_ecC; + Amg::SetVectorVector3D::const_iterator it, itE(paths_clipped.end()); + for (it = paths_clipped.begin();it!=itE;++it) { + if ( enabled_brlA ) + m_d->clipPathToHollowCylinder( *it, resulting_subpaths_barrelA, m_d->barrel_inner_radius, m_d->barrel_outer_radius, 0, m_d->barrel_posneg_z ); + if ( enabled_brlC ) + m_d->clipPathToHollowCylinder( *it, resulting_subpaths_barrelC, m_d->barrel_inner_radius, m_d->barrel_outer_radius, - m_d->barrel_posneg_z, 0 ); + if ( enabled_ecA ) + m_d->clipPathToHollowCylinder( *it, resulting_subpaths_endcapA, m_d->endcap_inner_radius, m_d->endcap_outer_radius, + m_d->endcap_surface_z - m_d->endcap_surface_length * 0.5, m_d->endcap_surface_z + m_d->endcap_surface_length * 0.5 ); + if ( enabled_ecC ) + m_d->clipPathToHollowCylinder( *it, resulting_subpaths_endcapC, m_d->endcap_inner_radius, m_d->endcap_outer_radius, + - m_d->endcap_surface_z - m_d->endcap_surface_length * 0.5, - m_d->endcap_surface_z + m_d->endcap_surface_length * 0.5 ); + } + + messageVerbose("clipPath(..) end."); + //Fixme: If verbose: sanity check on output! +} + +//____________________________________________________________________ +void InDetProjHelper::Imp::movePoint1ToZPlaneAndPoint2( Amg::Vector3D& p1, const Amg::Vector3D& p2, const double& z ) const +{ + double dx(p2.x()-p1.x()), dy(p2.y()-p1.y()), dz(p2.z()-p1.z()); + if (dz==0.0) { + theclass->message("movePoint1ToZPlaneAndPoint2 Error: Points have same z!!"); + return; + } + double s( (z-p1.z())/dz ); +// p1.set( p1.x()+dx*s, p1.y()+dy*s, z ); + Amg::setVector3DCartesian( p1, p1.x()+dx*s, p1.y()+dy*s, z ); +} + +//____________________________________________________________________ +bool InDetProjHelper::Imp::clipSegmentToZInterval( Amg::Vector3D&a, Amg::Vector3D&b, + const double& zmin, const double& zmax ) const +{ + if (a.z()<zmin) { + if (b.z()<zmin)//both <zmin + return false; + //a<zmin, b>=zmin: + movePoint1ToZPlaneAndPoint2(a,b,zmin); + if (b.z()>zmax) + movePoint1ToZPlaneAndPoint2(b,a,zmax); + return true; + } else { + if (b.z()<zmin) { + //a>=zmin, b<zmin + movePoint1ToZPlaneAndPoint2(b,a,zmin); + if (a.z()>zmax) + movePoint1ToZPlaneAndPoint2(a,b,zmax); + return true; + } else { + //Both are > zmin + if (a.z()>zmax) { + if (b.z()>zmax) + return false; + movePoint1ToZPlaneAndPoint2(a,b,zmax); + return true; + } else { + //zmin<=a<=zmax, b>=zmin + if (b.z()>zmax) + movePoint1ToZPlaneAndPoint2(b,a,zmax); + return true; + } + } + } +} + +//____________________________________________________________________ +void InDetProjHelper::Imp::movePoint1ToInfiniteCylinderAndPoint2( Amg::Vector3D&p1, const Amg::Vector3D&p2,const double& r ) const +{ + //Fixme: what happens here if we don't cross? And how can we be sure + //that we don't move FURTHER than the other point? (i.e. if the + //infinite line with p1 and p2 crosses, but the segment p1p2 does + //not!? + +// double p1r(p1.r()); +// double dr(p2.r()-p1r); + double p1r( Amg::rVector3D(p1) ); + double dr( Amg::rVector3D(p2)-p1r ); + + if (dr==0.0) { + theclass->message("movePoint1ToInfiniteCylinderAndPoint2 Error: Points have same r!!"); + return; + } + double s((r-p1r)/dr); + double t(1.0-s); + Amg::setVector3DCartesian( p1, p1.x()*t + p2.x()*s, p1.y()*t + p2.y()*s, p1.z()*t + p2.z()*s ); + +} + +//____________________________________________________________________ +void InDetProjHelper::Imp::lineCircleIntersection( const Amg::Vector3D&a, const Amg::Vector3D&b,const double& r, + double & u1, double& u2 ) const +{ + const double dx = b.x()-a.x(); + const double dy = b.y()-a.y(); + double A = dx*dx+dy*dy; + if (A==0.0) { + //That's not a line => no intersections unless points are exactly on circumference! + u1 = u2 = ( a.x()*a.x()+a.y()*a.y() == r*r ? 0.0 : 1.0e99 ); + return; + } + double B = 2.0*( a.x()*dx + a.y()*dy ); + double C = a.x()*a.x()+a.y()*a.y() - r*r; + double D = B*B-4*A*C; + + if (D>0.0) { + //Intersections + double sqrtD = sqrt(D); + u1 = 0.5 * ( -B - sqrtD) / A; + u2 = 0.5 * ( -B + sqrtD) / A; + } else if (D<0.0) { + //No intersections: + u1 = u2 = -1.0e99; + } else { + //intersection in one point + u1 = u2 = -0.5*B/A; + } + +} + +//____________________________________________________________________ +bool InDetProjHelper::Imp::clipSegmentToInfiniteHollowCylinder( Amg::Vector3D&a, Amg::Vector3D&b, + const double& rmin, const double& rmax, + Amg::Vector3D&seg2_a, Amg::Vector3D&seg2_b ) const +{ + //* if returns false: segment does not intersect hollow cylinder - do + // NOT use returned points for anything. + //* if returns true and seg2_a==seg2_b: Use "a" and "b" for the clipped segment. + //* if returns true and seg2_a!=seg2_b: The clip resulting in TWO new segments + // (it was cut in two by the inner wall). + + //Fixme: Stuff like the following!: + // if (VP1SanityCheck::enabled()) { + // VP1SanityCheck::beginGroup("InDetProjHelper::Imp::clipSegmentToInfiniteHollowCylinder"); + // VP1SanityCheck::positiveParameter("rmin",rmin); + // VP1SanityCheck::positiveParameter("rmax",rmax); + // VP1SanityCheck::parameter("point a",a); + // VP1SanityCheck::parameter("point b",b); + // VP1SanityCheck::endGroup(); + // } + const double ar2 = a.x()*a.x()+a.y()*a.y(); + const double br2 = b.x()*b.x()+b.y()*b.y(); + const double rmin2 = rmin*rmin; + //We might be inside inner wall: + if (ar2 <= rmin2 && br2 <= rmin2 ) { + // seg2_a=seg2_b; +// if (VP1Msg::verbose()) +// theclass->messageVerbose("clipSegmentToInfiniteHollowCylinder Segment entirely inside rmin."); + return false; + } + //Some fast checks for being outside: + if ( (a.x()<=-rmax&&b.x()<=-rmax) || (a.x()>=rmax&&b.x()>=rmax) || (a.y()<=-rmax&&b.y()<=-rmax)|| (a.y()>=rmax&&b.y()>=rmax) ) { +// if (VP1Msg::verbose()) +// theclass->messageVerbose("clipSegmentToInfiniteHollowCylinder Segment clearly entirely outside outside rmax."); +// seg2_a=seg2_b; + return false; + } + + //If a==b (apart from perhaps z coord), the check is simple: + const double dx = b.x()-a.x(); + const double dy = b.y()-a.y(); + const double rmax2 = rmax*rmax; + if (dx==0.0&&dy==0.0) { + //Apparently a==b (apart from perhaps z coord). +// if (VP1Msg::verbose()) +// theclass->messageVerbose("clipSegmentToInfiniteHollowCylinder a==b."); + return ar2<=rmax2; + } + //Find point which is closest to the z-axis and on the segment: + const double u = - (a.y()*dy+a.x()*dx)/(dx*dx+dy*dy); + const double px = ( u <= 0 ? a.x() : ( u >= 1 ? b.x() : a.x()+u*dx ) ); + const double py = ( u <= 0 ? a.y() : ( u >= 1 ? b.y() : a.y()+u*dy ) ); + const double pr2 = px*px+py*py; + if (pr2>=rmax2) { +// if (VP1Msg::verbose()) +// theclass->messageVerbose("clipSegmentToInfiniteHollowCylinder segment entirely outside rmax."); +// seg2_a=seg2_b; + return false; + + + } + //We now know that the segment does indeed intersect the clip volume. + seg2_a=seg2_b;//signature of just one segment: + + if (pr2>=rmin2&&ar2<=rmax2&&br2<=rmax2) { + //We are actually already entirely inside the clip volume. +// if (VP1Msg::verbose()) +// theclass->messageVerbose("clipSegmentToInfiniteHollowCylinder segment entirely inside clip volume." +// " (pr="+QString::number(sqrt(pr2))+", ar="+QString::number(sqrt(ar2)) +// +", br="+QString::number(sqrt(br2))+")"); + return true; + } + + //First we simply clip to the outer cylinder: + if (ar2>rmax2||br2>rmax2) { + //We need to clip a-b to be inside the outer cylinder. + //Find intersections: + double u1, u2; + lineCircleIntersection(a,b,rmax,u1,u2);//u1<=u2 ! + if (u1==u2) { + //We are just touching - but we already tested against this! + theclass->message("This should never happen(1)."); + // seg2_a=seg2_b; + return false; + } + Amg::Vector3D asave(a); + if (u1>0&&u1<1) { + //move a to a+u1*(b-a) + a = a+u1*(b-a); +// if (VP1Msg::verbose()) +// theclass->messageVerbose("clipSegmentToInfiniteHollowCylinder sliding a towards b, at the rmax circle."); + } + if (u2>0&&u2<1) { + //move b to a+u2*(b-a) + b = asave+u2*(b-asave); +// if (VP1Msg::verbose()) +// theclass->messageVerbose("clipSegmentToInfiniteHollowCylinder sliding b towards a, at the rmax circle."); + } + } + + if (pr2>=rmin2) { +// if (VP1Msg::verbose()) +// theclass->messageVerbose("clipSegmentToInfiniteHollowCylinder remaining segment is now entirely inside."); + return true; + } + //Ok, we know that we intersect the inner cylinder + double u1, u2; + lineCircleIntersection(a,b,rmin,u1,u2);//u1<=u2 ! + + if (u1>0&&u1<1) { + if (u2>0&&u2<1) { + //We intersect twice. Thus, two line segments: + //a to "a+u1*(b-a)" and "a+u2*(b-a)" to b + //a=a; + seg2_b = b; + b = a+u1*(seg2_b-a); + seg2_a=a+u2*(seg2_b-a); +// if (VP1Msg::verbose()) +// theclass->messageVerbose("clipSegmentToInfiniteHollowCylinder Two resulting segments!."); + return true; + } + b = a+u1*(b-a); +// theclass->messageVerbose("clipSegmentToInfiniteHollowCylinder One resulting segment (b->a)!."); + return true; + } + if (u2>0&&u2<1) + a = a+u2*(b-a); +// theclass->messageVerbose("clipSegmentToInfiniteHollowCylinder One resulting segment (a->b)!."); + return true; +} + + + +//____________________________________________________________________ +bool InDetProjHelper::Imp::clipSegmentToHollowCylinder( Amg::Vector3D&a, Amg::Vector3D&b, + const double& rmin, const double& rmax, + const double& zmin, const double& zmax, + Amg::Vector3D&seg2_a, Amg::Vector3D&seg2_b ) const +{ + // seg2_a = seg2_b;//test +// if (VP1Msg::verbose()) { +// theclass->messageVerbose("clipSegmentToHollowCylinder called with:"); +// theclass->messageVerbose(" rmin = "+QString::number(rmin)); +// theclass->messageVerbose(" rmax = "+QString::number(rmax)); +// theclass->messageVerbose(" zmin = "+QString::number(zmin)); +// theclass->messageVerbose(" zmax = "+QString::number(zmax)); +// theclass->messageVerbose(" a = ("+QString::number(a.x())+", "+QString::number(a.y())+", "+QString::number(a.z())+")"); +// theclass->messageVerbose(" b = ("+QString::number(b.x())+", "+QString::number(b.y())+", "+QString::number(b.z())+")"); +// } + if (!clipSegmentToZInterval(a,b,zmin,zmax)) { + // seg2_a = seg2_b; +// if (VP1Msg::verbose()) +// theclass->messageVerbose("clipSegmentToHollowCylinder segment outside z-interval."); + return false; + } +// if (VP1Msg::verbose()) { +// theclass->messageVerbose("clipSegmentToHollowCylinder parameters after clipSegmentToZInterval:"); +// if (a.z()<zmin||a.z()>zmax) +// theclass->messageVerbose("clipSegmentToHollowCylinder ERROR in clipSegmentToZInterval call (a_z wrong)."); +// if (b.z()<zmin||b.z()>zmax) +// theclass->messageVerbose("clipSegmentToHollowCylinder ERROR in clipSegmentToZInterval call (b_z wrong)."); +// theclass->messageVerbose(" a = ("+QString::number(a.x())+", "+QString::number(a.y())+", "+QString::number(a.z())+")"); +// theclass->messageVerbose(" b = ("+QString::number(b.x())+", "+QString::number(b.y())+", "+QString::number(b.z())+")"); +// } + if (!clipSegmentToInfiniteHollowCylinder(a,b,rmin,rmax,seg2_a,seg2_b)) { + // seg2_a = seg2_b; +// if (VP1Msg::verbose()) +// theclass->messageVerbose("clipSegmentToHollowCylinder segment outside infinite hollow cylinder."); + return false; + } +// if (VP1Msg::verbose()) { +// theclass->messageVerbose("clipSegmentToHollowCylinder parameters after clipSegmentToInfiniteHollowCylinder:"); +// theclass->messageVerbose(" a = ("+QString::number(a.x())+", "+QString::number(a.y())+", "+QString::number(a.z())+")"); +// theclass->messageVerbose(" b = ("+QString::number(b.x())+", "+QString::number(b.y())+", "+QString::number(b.z())+")"); +// const double ar2 = a.x()*a.x()+a.y()*a.y(); +// const double br2 = b.x()*b.x()+b.y()*b.y(); +// if (ar2<rmin*rmin||ar2>rmax*rmax) +// theclass->messageVerbose("clipSegmentToHollowCylinder ERROR in clipSegmentToInfiniteHollowCylinder call (a wrong)."); +// if (br2<rmin*rmin||br2>rmax*rmax) +// theclass->messageVerbose("clipSegmentToHollowCylinder ERROR in clipSegmentToInfiniteHollowCylinder call (b wrong)."); +// theclass->messageVerbose("clipSegmentToHollowCylinder returning."); +// } + + return true; +} + +//____________________________________________________________________ +void InDetProjHelper::Imp::clipPathToHollowCylinder( const std::vector<Amg::Vector3D >& in, +// Amg::SetVectorVector3D& out, + Amg::SetVectorVector3D& out, + const double& rmin, const double& rmax, + const double& zmin, const double& zmax ) const +{ +// if (VP1Msg::verbose()) { +// theclass->messageVerbose("clipPathToHollowCylinder called"); +// theclass->messageVerbose(" ===> rmin = "+QString::number(rmin)); +// theclass->messageVerbose(" ===> rmax = "+QString::number(rmax)); +// theclass->messageVerbose(" ===> zmin = "+QString::number(zmin)); +// theclass->messageVerbose(" ===> zmax = "+QString::number(zmax)); +// } + + out.clear(); + if (rmin>=rmax||rmin<0||zmin>=zmax) { + theclass->message("clipPathToHollowCylinder Error: Non-sensical cylinder parameters!"); + return; + } + const unsigned n=in.size(); + if (n<2) + return; + + Amg::Vector3D a,b; + Amg::Vector3D seg2_a,seg2_b; + std::vector<Amg::Vector3D > v; + for (unsigned i = 1; i<n; ++i) { + // theclass->messageVerbose("clipPathToHollowCylinder -> dealing with segment "+QString::number(i-1)+"->"+QString::number(i)); + + a = in.at(i-1);//fixme: .at()->[] + b = in.at(i); + if ( clipSegmentToHollowCylinder( a,b,rmin,rmax,zmin,zmax,seg2_a,seg2_b ) ) { + if (v.empty()) { + v.push_back(a); + v.push_back(b); + if (seg2_a!=seg2_b) { + out.insert(v); + v.clear(); + v.push_back(seg2_a); + v.push_back(seg2_b); + } + } else { + //We know that previous segment was also touching. Therefore + //it must necessarily be true that v.back()==a. + if ( v.back() != a ) { + theclass->messageDebug("ERROR: Inconsistency found while building clip part");//Fixme: downgrade to messageDebug for now, but need to understand this! + out.insert(v); + v.clear(); + v.push_back(a); + } + v.push_back(b); + if (seg2_a!=seg2_b) { + out.insert(v); + v.clear(); + v.push_back(seg2_a); + v.push_back(seg2_b); + } + } + } else { +// theclass->messageVerbose("Segment does not touch"); + //Segment doesn't touch cylinder volume - flush part currently building if any. + if (!v.empty()) { + out.insert(v); + v.clear(); + } + } + } + if (!v.empty()) { +// theclass->messageDebug("v not empty"); + out.insert(v); + } +} + +//____________________________________________________________________ +void InDetProjHelper::Imp::projectPathToInfiniteCylinder( const std::vector<Amg::Vector3D >& in, + Amg::SetVectorVector3D& outset, const double& r ) const +{ + std::vector<Amg::Vector3D > out(in); + std::vector<Amg::Vector3D >::iterator it(out.begin()), itE(out.end()); + double s; + for (;it!=itE;++it) { + if ( it->x()==0.0 && it->y()==0.0 ) { + theclass->message("ERROR: Point has x==0 and y==0. Ambiguous projection of point."); + +// it->setX(1.0); + it->x() = 1.0; + } + s = r / sqrt( it->x()*it->x()+it->y()*it->y() ); + +// it->setX(it->x()*s); +// it->setY(it->y()*s); + it->x() = it->x()*s; + it->y() = it->y()*s; + + } + outset.insert(out); +} + +//____________________________________________________________________ +void InDetProjHelper::Imp::projectPathToZPlane( const std::vector<Amg::Vector3D >& in, + Amg::SetVectorVector3D& outset, const double& z ) const +{ + std::vector<Amg::Vector3D > out(in); + std::vector<Amg::Vector3D >::iterator it(out.begin()), itE(out.end()); + for (;it!=itE;++it) { +// it->setZ(z); + it->z() = z; + } + outset.insert(out); +} + + +//____________________________________________________________________ +void InDetProjHelper::transformECPointToZPlane_specialZtoR( Amg::Vector3D& p, + const double& planeZ, + const double& planeRBegin, + const double& endcapZBegin, + const double& squeezeFactor ) +{ + if ( p.x()==0.0 && p.y()==0.0 ) { + VP1Msg::message("InDetProjHelper::transformECPointToZPlane_specialZtoR ERROR: " + "Point has x==0 and y==0. Ambiguous projection of point."); +// p.setX(1.0); + p.x() = 1.0; + } + const double r = planeRBegin + (fabs(p.z())-endcapZBegin)/squeezeFactor; + const double s = r / sqrt( p.x()*p.x()+p.y()*p.y() ); +// p.setX(p.x()*s); +// p.setY(p.y()*s); +// p.setZ(planeZ); + p.x() = p.x()*s; + p.y() = p.y()*s; + p.z() = planeZ; +} + +//____________________________________________________________________ +void InDetProjHelper::Imp::projectPathToZPlane_specialZtoR( const std::vector<Amg::Vector3D >& in, + Amg::SetVectorVector3D& outset, + const double& z ) const +{ + std::vector<Amg::Vector3D > out(in); + std::vector<Amg::Vector3D >::iterator it(out.begin()), itE(out.end()); + for (;it!=itE;++it) + InDetProjHelper::transformECPointToZPlane_specialZtoR(*it, + z, + endcap_zasr_innerradius, + endcap_zasr_endcapz_begin, + endcap_zasr_squeezefact); + outset.insert(out); +} + +//____________________________________________________________________ +void InDetProjHelper::projectPath( const std::vector<Amg::Vector3D >& path, + Amg::SetVectorVector3D& resulting_projs ) const +{ + projectPath(path,resulting_projs,resulting_projs,resulting_projs,resulting_projs); +} + +//____________________________________________________________________ +void InDetProjHelper::projectPath( const std::vector<Amg::Vector3D >& path, + Amg::SetVectorVector3D& resulting_projections_barrelA, + Amg::SetVectorVector3D& resulting_projections_barrelC, + Amg::SetVectorVector3D& resulting_projections_endcapA, + Amg::SetVectorVector3D& resulting_projections_endcapC ) const +{ + if (VP1Msg::verbose()) + messageVerbose("projectPath(..) called. Input path has "+QString::number(path.size())+" points."); + + resulting_projections_barrelA.clear(); + resulting_projections_barrelC.clear(); + resulting_projections_endcapA.clear(); + resulting_projections_endcapC.clear(); + + //Fixme: If verbose - perform sanity check of input data (check for NAN's). + if (m_d->parts == InDetProjFlags::NoProjections ) { + if (VP1Msg::verbose()) + messageVerbose("All projections currently off."); + return; + } + if ( path.size()<2 ) { + if (VP1Msg::verbose()) + messageVerbose("Input path too short."); + return; + } + + // ===> First we must find the clipped path's in all of the enabled detector parts. + + Amg::SetVectorVector3D paths_brlA, paths_brlC, paths_ecA,paths_ecC; + clipPath( path,paths_brlA, paths_brlC, paths_ecA,paths_ecC); + + // ===> Then we project those. + + //Fixme: The dependence on surface thickness and epsilon below is very preliminary. + + const double eps = m_d->data_disttosurface_epsilon; + const double endcapeps(-5*SYSTEM_OF_UNITS::mm);//fixme hardcoding.. + + Amg::SetVectorVector3D::const_iterator it,itE; + + if (m_d->parts & InDetProjFlags::Barrel_AllPos) { + itE = paths_brlA.end(); + if ( m_d->parts & InDetProjFlags::BarrelCentral ) + for ( it = paths_brlA.begin(); it!=itE; ++it ) + m_d->projectPathToZPlane( *it, resulting_projections_barrelA, 0.5*m_d->surfacethickness+eps ); + if ( m_d->parts & InDetProjFlags::BarrelPositive ) + for ( it = paths_brlA.begin(); it!=itE; ++it ) + m_d->projectPathToZPlane( *it, resulting_projections_barrelA, m_d->barrel_posneg_z - eps ); + } + if ( m_d->parts & InDetProjFlags::Barrel_AllNeg ) { + itE = paths_brlC.end(); + if ( m_d->parts & InDetProjFlags::BarrelCentral ) + for ( it = paths_brlC.begin(); it!=itE; ++it ) + m_d->projectPathToZPlane( *it, resulting_projections_barrelC, - 0.5*m_d->surfacethickness - eps); + if ( m_d->parts & InDetProjFlags::BarrelNegative ) + for ( it = paths_brlC.begin(); it!=itE; ++it ) + m_d->projectPathToZPlane( *it, resulting_projections_barrelC, - m_d->barrel_posneg_z ); + } + if ( m_d->parts & InDetProjFlags::EndCap_AllPos ) { + itE = paths_ecA.end(); + if ( m_d->parts & InDetProjFlags::EndCapInnerPositive ) + for ( it = paths_ecA.begin(); it!=itE; ++it ) + m_d->projectPathToInfiniteCylinder( *it, resulting_projections_endcapA, m_d->endcap_inner_radius + eps+endcapeps ); + if ( m_d->parts & InDetProjFlags::EndCapOuterPositive ) + for ( it = paths_ecA.begin(); it!=itE; ++it ) + m_d->projectPathToInfiniteCylinder( *it, resulting_projections_endcapA, m_d->endcap_outer_radius + eps+endcapeps ); + //Fixme: Make sure to use the same parameters here as in PRDHandle_TRT.cxx: + if ( m_d->parts & InDetProjFlags::TRT_EndCapZToRCentral ) + for ( it = paths_ecA.begin(); it!=itE; ++it ) + m_d->projectPathToZPlane_specialZtoR( *it, resulting_projections_endcapA, + 0.5*m_d->surfacethickness + eps ); + //Fixme: Make sure to use the same parameters here as in PRDHandle_TRT.cxx: + if ( m_d->parts & InDetProjFlags::TRT_EndCapZToRPositive ) + for ( it = paths_ecA.begin(); it!=itE; ++it ) + m_d->projectPathToZPlane_specialZtoR( *it, resulting_projections_endcapA, + m_d->barrel_posneg_z - 0.5*m_d->surfacethickness - eps /*fixme: +- epsilon??*/ ); + } + if ( m_d->parts & InDetProjFlags::EndCap_AllNeg ) { + itE = paths_ecC.end(); + if ( m_d->parts & InDetProjFlags::EndCapInnerNegative ) + for ( it = paths_ecC.begin(); it!=itE; ++it ) + m_d->projectPathToInfiniteCylinder( *it, resulting_projections_endcapC, m_d->endcap_inner_radius + eps+endcapeps ); + if ( m_d->parts & InDetProjFlags::EndCapOuterNegative ) + for ( it = paths_ecC.begin(); it!=itE; ++it ) + m_d->projectPathToInfiniteCylinder( *it, resulting_projections_endcapC, m_d->endcap_outer_radius + eps+endcapeps ); + //Fixme: Make sure to use the same parameters here as in PRDHandle_TRT.cxx: + if ( m_d->parts & InDetProjFlags::TRT_EndCapZToRCentral ) + for ( it = paths_ecC.begin(); it!=itE; ++it ) + m_d->projectPathToZPlane_specialZtoR( *it, resulting_projections_endcapC, + - 0.5*m_d->surfacethickness - eps ); + //Fixme: Make sure to use the same parameters here as in PRDHandle_TRT.cxx: + if ( m_d->parts & InDetProjFlags::TRT_EndCapZToRNegative ) + for ( it = paths_ecC.begin(); it!=itE; ++it ) + m_d->projectPathToZPlane_specialZtoR( *it, resulting_projections_endcapC, + - m_d->barrel_posneg_z + 0.5*m_d->surfacethickness + eps/*fixme: +- epsilon??*/ ); + } + +} + +//____________________________________________________________________ +InDetProjHelper::PartsFlags InDetProjHelper::touchedParts( const std::vector<Amg::Vector3D >& path ) const +{ + if (VP1Msg::verbose()) + messageVerbose("touchedParts(..) called. Input path has "+QString::number(path.size())+" points."); + PartsFlags touchedparts = NoParts; + if ( m_d->touchesHollowCylinder(path,m_d->barrel_inner_radius, m_d->barrel_outer_radius, 0, m_d->barrel_posneg_z) ) + touchedparts |= BarrelA; + if ( m_d->touchesHollowCylinder(path,m_d->barrel_inner_radius, m_d->barrel_outer_radius, - m_d->barrel_posneg_z, 0) ) + touchedparts |= BarrelC; + if ( m_d->touchesHollowCylinder(path,m_d->endcap_inner_radius, m_d->endcap_outer_radius, + m_d->endcap_surface_z - m_d->endcap_surface_length * 0.5, m_d->endcap_surface_z + m_d->endcap_surface_length * 0.5 ) ) + touchedparts |= EndCapA; + if ( m_d->touchesHollowCylinder(path, m_d->endcap_inner_radius, m_d->endcap_outer_radius, + - m_d->endcap_surface_z - m_d->endcap_surface_length * 0.5, - m_d->endcap_surface_z + m_d->endcap_surface_length * 0.5) ) + touchedparts |= EndCapC; + return touchedparts; +} + +//____________________________________________________________________ +bool InDetProjHelper::Imp::touchesHollowCylinder( const std::vector<Amg::Vector3D >& path, + const double& rmin, const double& rmax, + const double& zmin, const double& zmax ) const +{ + const double rmin2(rmin*rmin), rmax2(rmax*rmax); + double r2; + std::vector<Amg::Vector3D >::const_iterator it(path.begin()), itE(path.end()); + for (;it!=itE;++it) { + if (it->z()<zmin) + continue; + if (it->z()>zmax) + continue; + r2 = it->x()*it->x()+it->y()*it->y(); + if (r2<rmin2) + continue; + if (r2<=rmax2) + return true; + } + return false; +} diff --git a/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/ProjectionSurfacesHelper.cxx b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/ProjectionSurfacesHelper.cxx new file mode 100644 index 0000000000000000000000000000000000000000..e468cabf11f79bdf79a5106b2b03bebec880370c --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/ProjectionSurfacesHelper.cxx @@ -0,0 +1,481 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#include "VTI12GuideLineSystems/ProjectionSurfacesHelper.h" +#include "VTI12GuideLineSystems/InDetProjParams.h" +#include "VP1HEPVis/nodes/SoTubs.h" +#include "VP1Base/VP1Msg.h" + +#include <Inventor/nodes/SoMaterial.h> +#include <Inventor/nodes/SoSeparator.h> +#include <Inventor/nodes/SoTranslation.h> +#include <Inventor/nodes/SoPickStyle.h> + +//____________________________________________________________________ +ProjectionSurfacesHelper * ProjectionSurfacesHelper::createPixelHelper( SoMaterial* mat, + SoSeparator * attachsep, + QObject*parent, + IVP1System* sys ) +{ + return new ProjectionSurfacesHelper( InDetProjParams::surfacethickness(), + InDetProjParams::pixel_barrel_inner_radius(), + InDetProjParams::pixel_barrel_outer_radius(), + InDetProjParams::pixel_barrel_posneg_z(), + InDetProjParams::pixel_endcap_surface_z(), + InDetProjParams::pixel_endcap_surface_length(), + InDetProjParams::pixel_endcap_inner_radius(), + InDetProjParams::pixel_endcap_outer_radius(), + InDetProjParams::pixel_endcap_zasr_disttobarrelcyl(), + InDetProjParams::pixel_endcap_zasr_squeezefact(), + mat, attachsep, parent,sys ); +} + +//____________________________________________________________________ +ProjectionSurfacesHelper * ProjectionSurfacesHelper::createSCTHelper( SoMaterial* mat, + SoSeparator * attachsep, + QObject*parent, + IVP1System* sys ) +{ + return new ProjectionSurfacesHelper( InDetProjParams::surfacethickness(), + InDetProjParams::sct_barrel_inner_radius(), + InDetProjParams::sct_barrel_outer_radius(), + InDetProjParams::sct_barrel_posneg_z(), + InDetProjParams::sct_endcap_surface_z(), + InDetProjParams::sct_endcap_surface_length(), + InDetProjParams::sct_endcap_inner_radius(), + InDetProjParams::sct_endcap_outer_radius(), + InDetProjParams::sct_endcap_zasr_disttobarrelcyl(), + InDetProjParams::sct_endcap_zasr_squeezefact(), + mat, attachsep, parent,sys ); +} + +//____________________________________________________________________ +ProjectionSurfacesHelper * ProjectionSurfacesHelper::createTRTHelper( SoMaterial* mat, + SoSeparator * attachsep, + QObject*parent, + IVP1System* sys ) +{ + return new ProjectionSurfacesHelper( InDetProjParams::surfacethickness(), + InDetProjParams::trt_barrel_inner_radius(), + InDetProjParams::trt_barrel_outer_radius(), + InDetProjParams::trt_barrel_posneg_z(), + InDetProjParams::trt_endcap_surface_z(), + InDetProjParams::trt_endcap_surface_length(), + InDetProjParams::trt_endcap_inner_radius(), + InDetProjParams::trt_endcap_outer_radius(), + InDetProjParams::trt_endcap_zasr_disttobarrelcyl(), + InDetProjParams::trt_endcap_zasr_squeezefact(), + mat, attachsep, parent,sys ); +} + +//____________________________________________________________________ +class ProjectionSurfacesHelper::Imp { +public: + Imp(ProjectionSurfacesHelper*tc,SoSeparator * as) : theclass(tc), + attachsep(as), + parts(InDetProjFlags::NoProjections), + material(0), + sep(0), + barrelcylshape(0), + endcapinnershape(0), + endcapoutershape(0), + endcapzasrcylshape(0), + sep_barrel_central(0), + sep_barrel_pos(0), + sep_barrel_neg(0), + sep_endcap_inner_pos(0), + sep_endcap_outer_pos(0), + sep_endcap_inner_neg(0), + sep_endcap_outer_neg(0), + sep_endcap_zasr_central(0), + sep_endcap_zasr_pos(0), + sep_endcap_zasr_neg(0), + surfacethickness(0), + barrel_inner_radius(0), + barrel_outer_radius(0), + barrel_posneg_z(0), + endcap_surface_z(0), + endcap_surface_length(0), + endcap_inner_radius(0), + endcap_outer_radius(0), + endcap_zasr_disttobarrelcyl(0), + endcap_zasr_squeezefact(0) + { + if (as) + as->ref(); + } + + ProjectionSurfacesHelper * theclass; + SoSeparator * attachsep; + InDetProjFlags::InDetProjPartsFlags parts; + + SoMaterial * material; + SoSeparator * sep; + SoShape * barrelcylshape; + SoShape * endcapinnershape; + SoShape * endcapoutershape; + SoShape * endcapzasrcylshape; + SoShape * barrelCylShape(); + SoShape * endcapInnerShape(); + SoShape * endcapOuterShape(); + SoShape * endcapZAsRCylShape(); + + SoSeparator * sep_barrel_central; + SoSeparator * sep_barrel_pos; + SoSeparator * sep_barrel_neg; + SoSeparator * sep_endcap_inner_pos; + SoSeparator * sep_endcap_outer_pos; + SoSeparator * sep_endcap_inner_neg; + SoSeparator * sep_endcap_outer_neg; + SoSeparator * sep_endcap_zasr_central; + SoSeparator * sep_endcap_zasr_pos; + SoSeparator * sep_endcap_zasr_neg; + + void initPartsSep(float zpos, SoSeparator*&sep, SoShape*); + + void ensureDetached(SoSeparator*); + void ensureAttached(SoSeparator*); + + //The parameters: + double surfacethickness; + double barrel_inner_radius; + double barrel_outer_radius; + double barrel_posneg_z; + double endcap_surface_z; + double endcap_surface_length; + double endcap_inner_radius; + double endcap_outer_radius; + double endcap_zasr_disttobarrelcyl; + double endcap_zasr_squeezefact; + static const int nphi = 64; +}; + +//____________________________________________________________________ +ProjectionSurfacesHelper::ProjectionSurfacesHelper( double surfacethickness, + double barrel_inner_radius, + double barrel_outer_radius, + double barrel_posneg_z, + double endcap_surface_z, + double endcap_surface_length, + double endcap_inner_radius, + double endcap_outer_radius, + double endcap_zasr_disttobarrelcyl, + double endcap_zasr_squeezefact, + SoMaterial* mat, SoSeparator * attachsep, QObject * parent,IVP1System*sys) + : QObject(parent), VP1HelperClassBase(sys,"ProjectionSurfacesHelper"), m_d(new Imp(this,attachsep)) +{ + m_d->material = mat; + if (m_d->material) + m_d->material->ref(); + m_d->sep = 0; + m_d->barrelcylshape = 0; + m_d->endcapinnershape = 0; + m_d->endcapoutershape = 0; + m_d->endcapzasrcylshape = 0; + m_d->sep_barrel_central = 0; + m_d->sep_barrel_pos = 0; + m_d->sep_barrel_neg = 0; + m_d->sep_endcap_inner_pos = 0; + m_d->sep_endcap_outer_pos = 0; + m_d->sep_endcap_inner_neg = 0; + m_d->sep_endcap_outer_neg = 0; + m_d->sep_endcap_zasr_central = 0; + m_d->sep_endcap_zasr_pos = 0; + m_d->sep_endcap_zasr_neg = 0; + + m_d->surfacethickness = surfacethickness; + m_d->barrel_inner_radius = barrel_inner_radius; + m_d->barrel_outer_radius = barrel_outer_radius; + m_d->barrel_posneg_z = barrel_posneg_z; + m_d->endcap_surface_z = endcap_surface_z; + m_d->endcap_surface_length = endcap_surface_length; + m_d->endcap_inner_radius = endcap_inner_radius; + m_d->endcap_outer_radius = endcap_outer_radius; + m_d->endcap_zasr_disttobarrelcyl = endcap_zasr_disttobarrelcyl; + m_d->endcap_zasr_squeezefact = endcap_zasr_squeezefact; +} + +//____________________________________________________________________ +ProjectionSurfacesHelper::~ProjectionSurfacesHelper() +{ + messageVerbose("destructor begin"); + QList<SoNode*> l; + + l << m_d->attachsep + << m_d->material + << m_d->sep + << m_d->barrelcylshape + << m_d->endcapinnershape + << m_d->endcapoutershape + << m_d->endcapzasrcylshape + << m_d->sep_barrel_central + << m_d->sep_barrel_pos + << m_d->sep_barrel_neg + << m_d->sep_endcap_inner_pos + << m_d->sep_endcap_outer_pos + << m_d->sep_endcap_inner_neg + << m_d->sep_endcap_outer_neg + << m_d->sep_endcap_zasr_central + << m_d->sep_endcap_zasr_pos + << m_d->sep_endcap_zasr_neg; + + foreach(SoNode* n, l) + if (n) + n->unref(); + + delete m_d; + messageVerbose("destructor end"); +} + +//____________________________________________________________________ +InDetProjFlags::InDetProjPartsFlags ProjectionSurfacesHelper::shownParts() const +{ + if (VP1Msg::verbose()) + messageVerbose("shownParts"); + return m_d->parts; +} + +//____________________________________________________________________ +void ProjectionSurfacesHelper::setSurfaces( InDetProjFlags::InDetProjPartsFlags newparts ) +{ + messageVerbose("setSurfaces"); + if (m_d->parts==newparts) + return; + messageVerbose("setSurfaces - changed"); + InDetProjFlags::InDetProjPartsFlags changedparts(m_d->parts ^ newparts); + m_d->parts = newparts; + bool save = m_d->attachsep->enableNotify(false); + + ////////////////////////////////////////////// + + if (changedparts&InDetProjFlags::BarrelPositive) { + if (newparts&InDetProjFlags::BarrelPositive) { + if (!m_d->sep_barrel_pos) + m_d->initPartsSep(m_d->barrel_posneg_z,m_d->sep_barrel_pos,m_d->barrelCylShape()); + m_d->ensureAttached(m_d->sep_barrel_pos); + } else { + m_d->ensureDetached(m_d->sep_barrel_pos); + } + } + if (changedparts&InDetProjFlags::BarrelNegative) { + if (newparts&InDetProjFlags::BarrelNegative) { + if (!m_d->sep_barrel_neg) + m_d->initPartsSep(-m_d->barrel_posneg_z,m_d->sep_barrel_neg,m_d->barrelCylShape()); + m_d->ensureAttached(m_d->sep_barrel_neg); + } else { + m_d->ensureDetached(m_d->sep_barrel_neg); + } + } + if (changedparts&InDetProjFlags::BarrelCentral) { + if (newparts&InDetProjFlags::BarrelCentral) { + if (!m_d->sep_barrel_central) + m_d->initPartsSep(0.0,m_d->sep_barrel_central,m_d->barrelCylShape()); + m_d->ensureAttached(m_d->sep_barrel_central); + } else { + m_d->ensureDetached(m_d->sep_barrel_central); + } + } + if (changedparts&InDetProjFlags::EndCapInnerPositive) { + if (newparts&InDetProjFlags::EndCapInnerPositive) { + if (!m_d->sep_endcap_inner_pos) + m_d->initPartsSep(m_d->endcap_surface_z,m_d->sep_endcap_inner_pos,m_d->endcapInnerShape()); + m_d->ensureAttached(m_d->sep_endcap_inner_pos); + } else { + m_d->ensureDetached(m_d->sep_endcap_inner_pos); + } + } + if (changedparts&InDetProjFlags::EndCapOuterPositive) { + if (newparts&InDetProjFlags::EndCapOuterPositive) { + if (!m_d->sep_endcap_outer_pos) + m_d->initPartsSep(m_d->endcap_surface_z,m_d->sep_endcap_outer_pos,m_d->endcapOuterShape()); + m_d->ensureAttached(m_d->sep_endcap_outer_pos); + } else { + m_d->ensureDetached(m_d->sep_endcap_outer_pos); + } + } + if (changedparts&InDetProjFlags::EndCapInnerNegative) { + if (newparts&InDetProjFlags::EndCapInnerNegative) { + if (!m_d->sep_endcap_inner_neg) + m_d->initPartsSep(-m_d->endcap_surface_z,m_d->sep_endcap_inner_neg,m_d->endcapInnerShape()); + m_d->ensureAttached(m_d->sep_endcap_inner_neg); + } else { + m_d->ensureDetached(m_d->sep_endcap_inner_neg); + } + } + if (changedparts&InDetProjFlags::EndCapOuterNegative) { + if (newparts&InDetProjFlags::EndCapOuterNegative) { + if (!m_d->sep_endcap_outer_neg) + m_d->initPartsSep(-m_d->endcap_surface_z,m_d->sep_endcap_outer_neg,m_d->endcapOuterShape()); + m_d->ensureAttached(m_d->sep_endcap_outer_neg); + } else { + m_d->ensureDetached(m_d->sep_endcap_outer_neg); + } + } + if (changedparts&InDetProjFlags::TRT_EndCapZToRCentral) { + if (newparts&InDetProjFlags::TRT_EndCapZToRCentral) { + if (!m_d->sep_endcap_zasr_central) + m_d->initPartsSep(0.0,m_d->sep_endcap_zasr_central,m_d->endcapZAsRCylShape()); + m_d->ensureAttached(m_d->sep_endcap_zasr_central); + } else { + m_d->ensureDetached(m_d->sep_endcap_zasr_central); + } + } + if (changedparts&InDetProjFlags::TRT_EndCapZToRPositive) { + if (newparts&InDetProjFlags::TRT_EndCapZToRPositive) { + if (!m_d->sep_endcap_zasr_pos) + m_d->initPartsSep(m_d->barrel_posneg_z,m_d->sep_endcap_zasr_pos,m_d->endcapZAsRCylShape()); + m_d->ensureAttached(m_d->sep_endcap_zasr_pos); + } else { + m_d->ensureDetached(m_d->sep_endcap_zasr_pos); + } + } + if (changedparts&InDetProjFlags::TRT_EndCapZToRNegative) { + if (newparts&InDetProjFlags::TRT_EndCapZToRNegative) { + if (!m_d->sep_endcap_zasr_neg) + m_d->initPartsSep(-m_d->barrel_posneg_z,m_d->sep_endcap_zasr_neg,m_d->endcapZAsRCylShape()); + m_d->ensureAttached(m_d->sep_endcap_zasr_neg); + } else { + m_d->ensureDetached(m_d->sep_endcap_zasr_neg); + } + } + + ////////////////////////////////////////////// + m_d->attachsep->enableNotify(save); + if (save) + m_d->attachsep->touch(); + messageVerbose("setSurfaces - changed end"); +} + +//____________________________________________________________________ +void ProjectionSurfacesHelper::Imp::initPartsSep(float zpos, SoSeparator*&sep, SoShape*shape) +{ + theclass->messageVerbose("initPartsSep begin"); + sep = new SoSeparator(); + sep->ref(); + if (zpos!=0.0f) { + SoTranslation * t = new SoTranslation; + t->translation.setValue(0.0f,0.0f,zpos); + sep->addChild(t); + } + sep->addChild(shape); + theclass->messageVerbose("initPartsSep end"); +} + +//____________________________________________________________________ +SoMaterial * ProjectionSurfacesHelper::material() +{ + if (VP1Msg::verbose()) + messageVerbose("material"); + return m_d->material; +} + +//____________________________________________________________________ +SoShape * ProjectionSurfacesHelper::Imp::barrelCylShape() +{ + theclass->messageVerbose("barrelCylShape"); + if (!barrelcylshape) { + SoTubs::initClass(); + SoTubs * disc = new SoTubs; + disc->pRMin = barrel_inner_radius; + disc->pRMax = barrel_outer_radius; + disc->pDz = 0.5*surfacethickness; + disc->pSPhi = 0.0; + disc->pDPhi = 2*M_PI; + disc->pOverrideNPhi = nphi;//Ignore complexity and just use a good amount of subdivisions =n*32 (its just a single surface anyway) + barrelcylshape = disc; + barrelcylshape->ref(); + } + return barrelcylshape; +} + +//____________________________________________________________________ +SoShape * ProjectionSurfacesHelper::Imp::endcapInnerShape() +{ + theclass->messageVerbose("endcapInnerShape"); + if (!endcapinnershape) { + SoTubs::initClass(); + SoTubs * cyl = new SoTubs; + cyl->pRMax = endcap_inner_radius; + cyl->pRMin = endcap_inner_radius-surfacethickness; + cyl->pDz = 0.5*endcap_surface_length; + cyl->pSPhi = 0.0; + cyl->pDPhi = 2*M_PI; + cyl->pOverrideNPhi = nphi;//Ignore complexity and just use a good amount of subdivisions =n*32 (its just a single surface anyway) + endcapinnershape = cyl; + endcapinnershape->ref(); + } + return endcapinnershape; +} + +//____________________________________________________________________ +SoShape * ProjectionSurfacesHelper::Imp::endcapOuterShape() +{ + theclass->messageVerbose("endcapOuterShape"); + if (!endcapoutershape) { + SoTubs::initClass(); + SoTubs * cyl = new SoTubs; + cyl->pRMax = endcap_outer_radius; + cyl->pRMin = endcap_outer_radius-surfacethickness; + cyl->pDz = 0.5*endcap_surface_length; + cyl->pSPhi = 0.0; + cyl->pDPhi = 2*M_PI; + cyl->pOverrideNPhi = nphi;//Ignore complexity and just use a good amount of subdivisions =n*32 (its just a single surface anyway) + endcapoutershape = cyl; + endcapoutershape->ref(); + } + return endcapoutershape; +} + +//____________________________________________________________________ +SoShape * ProjectionSurfacesHelper::Imp::endcapZAsRCylShape() +{ + theclass->messageVerbose("endcapZAsRCylShape"); + if (!endcapzasrcylshape) { + SoTubs::initClass(); + SoTubs * disc = new SoTubs; + double rmin = barrel_outer_radius+endcap_zasr_disttobarrelcyl; + disc->pRMin = rmin; + disc->pRMax = rmin + endcap_surface_length/endcap_zasr_squeezefact; + disc->pDz = 0.5*surfacethickness; + disc->pSPhi = 0.0; + disc->pDPhi = 2*M_PI; + disc->pOverrideNPhi = nphi;//Ignore complexity and just use a good amount of subdivisions =n*32 (its just a single surface anyway) + endcapzasrcylshape = disc; + endcapzasrcylshape->ref(); + } + return endcapzasrcylshape; +} + +//____________________________________________________________________ +void ProjectionSurfacesHelper::Imp::ensureDetached(SoSeparator*s) +{ + if (VP1Msg::verbose()) + theclass->messageVerbose("ensureDetached"); + if (!sep||!s) + return; + if (sep->findChild(s)>-1) + sep->removeChild(s); +} + +//____________________________________________________________________ +void ProjectionSurfacesHelper::Imp::ensureAttached(SoSeparator*s) +{ + if (VP1Msg::verbose()) + theclass->messageVerbose("ensureAttached"); + if (!s) + return; + if (!sep) { + sep = new SoSeparator; + sep->ref(); + SoPickStyle *pickStyle = new SoPickStyle; + pickStyle->style=SoPickStyle::UNPICKABLE; + sep->addChild(pickStyle); + if (material) + sep->addChild(material); + attachsep->addChild(sep); + } + sep->addChild(s); + if (VP1Msg::verbose()) + theclass->messageVerbose("ensureAttached done"); +} diff --git a/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/VP1CartesianGrid.cxx b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/VP1CartesianGrid.cxx new file mode 100644 index 0000000000000000000000000000000000000000..29ecb6c7478ed59a2bbc4b6621f5f4ca3bbf1e63 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/VP1CartesianGrid.cxx @@ -0,0 +1,213 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class VP1CartesianGrid // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: July 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12GuideLineSystems/VP1CartesianGrid.h" +#include "VTI12GuideLineSystems/VP1Floor.h"//for calcPars... static method + +#include <Inventor/nodes/SoSeparator.h> +#include <Inventor/nodes/SoVertexProperty.h> +#include <Inventor/nodes/SoLineSet.h> +#include <Inventor/SbColor4f.h> + +#ifdef BUILDVP1LIGHT + #include "CLHEP/Units/SystemOfUnits.h" + #define SYSTEM_OF_UNITS CLHEP +#else + #include "GaudiKernel/SystemOfUnits.h" + #define SYSTEM_OF_UNITS Gaudi::Units +#endif + +//____________________________________________________________________ +class VP1CartesianGrid::Imp { +public: + Imp(VP1CartesianGrid *, + SoSeparator * attachsep); + VP1CartesianGrid * theclass; + SoSeparator * attachSep; + + bool shown; + SbColor4f colourAndTransp; + double extent; + double spacing; + + SoSeparator * sep; + + void rebuild3DObjects(); + void updateColour(); +}; + +//____________________________________________________________________ +VP1CartesianGrid::VP1CartesianGrid(SoSeparator * attachsep, + IVP1System * sys,QObject * parent) + : QObject(parent), VP1HelperClassBase(sys,"VP1CartesianGrid"), m_d(new Imp(this,attachsep)) +{ +} + +//____________________________________________________________________ +VP1CartesianGrid::~VP1CartesianGrid() +{ + setShown(false); + if (m_d->sep) + m_d->sep->unref(); + m_d->attachSep->unref(); + delete m_d; +} + +//____________________________________________________________________ +VP1CartesianGrid::Imp::Imp(VP1CartesianGrid *tc,SoSeparator * as) + : theclass(tc), attachSep(as), shown(false), + colourAndTransp(SbColor4f(1,1,1,1)),extent(10), spacing(1), sep(0) +{ + attachSep->ref(); +} + +//____________________________________________________________________ +void VP1CartesianGrid::Imp::rebuild3DObjects() +{ + theclass->messageVerbose("(Re)building 3D objects"); + + if (sep) { + sep->removeAllChildren(); + } else { + sep = new SoSeparator; + sep->ref(); + } + + const bool save = sep->enableNotify(false); + + int nmax; double distmax; + if (!VP1Floor::calcParsFromExtentAndSpacing( theclass, extent, spacing, 40/*max lines*/, nmax, distmax )) { + nmax = 10; + distmax = 10*SYSTEM_OF_UNITS::m; + theclass->message("ERROR: Problems calculating nmax/distmax."); + } + + SoVertexProperty * grid_cartesian_vertices = new SoVertexProperty(); + + int ivert(0); + int nsublines(0); + + //First, loop over (x,z) values and add one line parallel with the y-axis through each. + for (int ix = -nmax; ix<=nmax; ++ix) + for (int iz = -nmax; iz<=nmax; ++iz) { + double x = ix*spacing; + double z = iz*spacing; + grid_cartesian_vertices->vertex.set1Value(ivert++,x,-distmax,z); + grid_cartesian_vertices->vertex.set1Value(ivert++,x,+distmax,z); + ++nsublines; + } + + //Next, loop over y values and add a plane of lines parallel to the x-z plane. + for (int iy = -nmax; iy<=nmax; ++iy) { + double y = iy*spacing; + for (int ix = -nmax; ix<=nmax; ++ix) { + double x = ix*spacing; + grid_cartesian_vertices->vertex.set1Value(ivert++,x,y,-distmax); + grid_cartesian_vertices->vertex.set1Value(ivert++,x,y,+distmax); + ++nsublines; + } + for (int iz = -nmax; iz<=nmax; ++iz) { + double z = iz*spacing; + grid_cartesian_vertices->vertex.set1Value(ivert++,-distmax,y,z); + grid_cartesian_vertices->vertex.set1Value(ivert++,+distmax,y,z); + ++nsublines; + } + } + + grid_cartesian_vertices->materialBinding=SoMaterialBinding::OVERALL; + grid_cartesian_vertices->normalBinding=SoNormalBinding::OVERALL; + SoLineSet * line = new SoLineSet(); + line->numVertices.enableNotify(FALSE); + line->numVertices.setNum(nsublines); + for (int i=0;i<nsublines;++i) + line->numVertices.set1Value(i,2); + line->vertexProperty = grid_cartesian_vertices; + line->numVertices.enableNotify(TRUE); + line->numVertices.touch(); + + sep->addChild(line); + updateColour(); + + if (save) { + sep->enableNotify(true); + sep->touch(); + } + +} + +//____________________________________________________________________ +void VP1CartesianGrid::Imp::updateColour() +{ + theclass->messageVerbose("Updating packed colour"); + if (!sep||sep->getNumChildren()<1) + return; + SoNode * n = sep->getChild(0); + if (!n||n->getTypeId()!=SoLineSet::getClassTypeId()) + return; + SoLineSet * line = static_cast<SoLineSet*>(n); + SoVertexProperty * vertices = static_cast<SoVertexProperty *>(line->vertexProperty.getValue()); + if (!vertices) + return; + vertices->orderedRGBA = colourAndTransp.getPackedValue(); +} + +//____________________________________________________________________ +void VP1CartesianGrid::setShown(bool b) +{ + messageVerbose("Signal received: setShown("+str(b)+")"); + if (m_d->shown==b) + return; + m_d->shown=b; + if (m_d->shown) { + m_d->rebuild3DObjects(); + if (m_d->attachSep->findChild(m_d->sep)<0) + m_d->attachSep->addChild(m_d->sep); + } else { + if (m_d->sep&&m_d->attachSep->findChild(m_d->sep)>=0) + m_d->attachSep->removeChild(m_d->sep); + } +} + +//____________________________________________________________________ +void VP1CartesianGrid::setColourAndTransp(const SbColor4f&ct) +{ + messageVerbose("Signal received in setColourAndTransp slot."); + if (m_d->colourAndTransp==ct) + return; + m_d->colourAndTransp=ct; + if (m_d->shown) + m_d->updateColour(); +} + +//____________________________________________________________________ +void VP1CartesianGrid::setExtent(const double& e) +{ + messageVerbose("Signal received: setExtent("+str(e)+")"); + if (m_d->extent==e) + return; + m_d->extent=e; + if (m_d->shown) + m_d->rebuild3DObjects(); +} + +//____________________________________________________________________ +void VP1CartesianGrid::setSpacing(const double&s) +{ + messageVerbose("Signal received: setSpacing("+str(s)+")"); + if (m_d->spacing==s) + return; + m_d->spacing=s; + if (m_d->shown) + m_d->rebuild3DObjects(); +} diff --git a/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/VP1CoordinateAxes.cxx b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/VP1CoordinateAxes.cxx new file mode 100644 index 0000000000000000000000000000000000000000..74ec06e97016fd36502503f711fca6d50db0db05 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/VP1CoordinateAxes.cxx @@ -0,0 +1,228 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class VP1CoordinateAxes // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: April 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12GuideLineSystems/VP1CoordinateAxes.h" +#include "VP1Base/VP1QtUtils.h" +#include <Inventor/C/errors/debugerror.h> +#include <Inventor/nodes/SoMaterial.h> +#include <Inventor/nodes/SoSeparator.h> +#include <Inventor/nodes/SoCylinder.h> +#include <Inventor/nodes/SoCone.h> +#include <Inventor/nodes/SoTranslation.h> +#include <Inventor/nodes/SoRotationXYZ.h> +#include <Inventor/nodes/SoSphere.h> + +//____________________________________________________________________ +class VP1CoordinateAxes::Imp { +public: + Imp(VP1CoordinateAxes *, + SoMaterial * xmat, + SoMaterial * ymat, + SoMaterial * zmat, + SoSeparator * attachsep); + VP1CoordinateAxes * theclass; + SoMaterial * materialXAxis; + SoMaterial * materialYAxis; + SoMaterial * materialZAxis; + SoSeparator * attachSep; + + bool shown; + SbVec3f origo; + double axislength;//negative means show negative parts + double relaxisthick; + + SoSeparator * sep; + SoTranslation * overall_translation; + SoSphere * alternative_Sphere; + SoSeparator * singleaxis_sep; + SoCylinder * singleaxis_cyl; + SoCone * singleaxis_cone; + SoTranslation * singleaxis_cyltranslation; + SoTranslation * singleaxis_conetranslation; + + void updateFields(); + void ensureInit3DObjects(); +}; + +//____________________________________________________________________ +VP1CoordinateAxes::VP1CoordinateAxes(SoMaterial * xmat,SoMaterial * ymat,SoMaterial * zmat, + SoSeparator * attachsep, + IVP1System * sys,QObject * parent) + : QObject(parent), VP1HelperClassBase(sys,"VP1CoordinateAxes"), m_d(new Imp(this,xmat,ymat,zmat,attachsep)) +{ +} + +//____________________________________________________________________ +VP1CoordinateAxes::~VP1CoordinateAxes() +{ + setShown(false); + if (m_d->sep) + m_d->sep->unref(); + if (m_d->singleaxis_sep) + m_d->singleaxis_sep->unref(); + m_d->materialXAxis->unref(); + m_d->materialYAxis->unref(); + m_d->materialZAxis->unref(); + m_d->attachSep->unref(); + delete m_d; +} + +//____________________________________________________________________ +VP1CoordinateAxes::Imp::Imp(VP1CoordinateAxes *tc,SoMaterial * xmat,SoMaterial * ymat,SoMaterial * zmat,SoSeparator * as) + : theclass(tc), materialXAxis(xmat), materialYAxis(ymat), materialZAxis(zmat), attachSep(as), shown(false), + origo(SbVec3f(0,0,0)), axislength(1), relaxisthick(0.1), + sep(0), overall_translation(0), alternative_Sphere(0), singleaxis_sep(0), singleaxis_cyl(0), + singleaxis_cone(0), singleaxis_cyltranslation(0), singleaxis_conetranslation(0) +{ + materialXAxis->ref(); + materialYAxis->ref(); + materialZAxis->ref(); + attachSep->ref(); +} + +//____________________________________________________________________ +void VP1CoordinateAxes::Imp::ensureInit3DObjects() +{ + if (sep) + return; + theclass->messageVerbose("Building 3D objects"); + sep = new SoSeparator; sep->ref(); + + singleaxis_sep = new SoSeparator; singleaxis_sep->ref(); + singleaxis_cyltranslation = new SoTranslation; singleaxis_sep->addChild(singleaxis_cyltranslation); + singleaxis_cyl = new SoCylinder; singleaxis_sep->addChild(singleaxis_cyl); + singleaxis_conetranslation = new SoTranslation; singleaxis_sep->addChild(singleaxis_conetranslation); + singleaxis_cone = new SoCone; singleaxis_sep->addChild(singleaxis_cone); + + overall_translation = new SoTranslation; + + sep->addChild(overall_translation); + + #if defined BUILDVP1LIGHT + const bool alternativeRep = VP1QtUtils::expertSettingIsOn("general","ExpertSettings/VP1_GUIDES_SPHERE_INSTEAD_OF_COORDAXES"); + #else + const bool alternativeRep = VP1QtUtils::environmentVariableIsOn("VP1_GUIDES_SPHERE_INSTEAD_OF_COORDAXES"); + #endif + + if (alternativeRep) { + sep->addChild(materialXAxis); + alternative_Sphere = new SoSphere; + sep->addChild(alternative_Sphere); + return; + } + + + sep->addChild(materialYAxis); + sep->addChild(singleaxis_sep);//Single-axis points towards y by default. + + SoRotationXYZ * rotx = new SoRotationXYZ; + rotx->axis.setValue(SoRotationXYZ::Z); + rotx->angle.setValue(-0.5*M_PI); + sep->addChild(rotx); + + sep->addChild(materialXAxis); + sep->addChild(singleaxis_sep);//Single-axis points towards y by default. + + + SoRotationXYZ * rotz = new SoRotationXYZ; + rotz->axis.setValue(SoRotationXYZ::X); + rotz->angle.setValue(0.5*M_PI); + sep->addChild(rotz); + + sep->addChild(materialZAxis); + sep->addChild(singleaxis_sep);//Single-axis points towards y by default. + + singleaxis_cyl->parts.setValue(SoCylinder::SIDES|SoCylinder::BOTTOM); +} + +//____________________________________________________________________ +void VP1CoordinateAxes::Imp::updateFields() +{ + ensureInit3DObjects(); + theclass->messageVerbose("Updating fields"); + + const bool save = sep->enableNotify(false); + + const double cylradius = relaxisthick*fabs(axislength); + const double coneradius = 1.5*cylradius; + const double coneheight = 2.0*coneradius; + overall_translation->translation.setValue(origo); + + if (alternative_Sphere) { + alternative_Sphere->radius.setValue(fabs(axislength)); + } else { + singleaxis_cyltranslation->translation.setValue(0.0,(axislength<0?0.0:0.5*fabs(axislength))-0.5*coneheight,0.0); + singleaxis_cyl->radius.setValue(cylradius); + singleaxis_cyl->height.setValue( (axislength<0 ? 2.0 : 1.0) * fabs(axislength) - coneheight ); + singleaxis_conetranslation->translation.setValue(0.0,(axislength<0?1.0:0.5)*fabs(axislength),0.0); + singleaxis_cone->bottomRadius.setValue(coneradius); + singleaxis_cone->height.setValue(coneheight); + } + + if (save) { + sep->enableNotify(true); + sep->touch(); + } +} + +//____________________________________________________________________ +void VP1CoordinateAxes::setShown(bool b) +{ + messageVerbose("Signal received: setShown("+str(b)+")"); + if (m_d->shown==b) + return; + m_d->shown=b; + if (m_d->shown) { + m_d->updateFields(); + if (m_d->attachSep->findChild(m_d->sep)<0) + m_d->attachSep->addChild(m_d->sep); + } else { + if (m_d->sep&&m_d->attachSep->findChild(m_d->sep)>=0) + m_d->attachSep->removeChild(m_d->sep); + } +} + +//____________________________________________________________________ +void VP1CoordinateAxes::setPosition(const SbVec3f& o) +{ + messageVerbose("Signal received: setPosition("+str(o)+")"); + if (m_d->origo==o) + return; + m_d->origo=o; + if (m_d->shown) + m_d->updateFields(); +} + + +//____________________________________________________________________ +void VP1CoordinateAxes::setLength(const double&l) +{ + messageVerbose("Signal received: setLength("+str(l)+")"); + if (m_d->axislength==l) + return; + m_d->axislength=l; + if (m_d->shown) + m_d->updateFields(); +} + +//____________________________________________________________________ +void VP1CoordinateAxes::setRelativeAxisThickness(const double& t) +{ + messageVerbose("Signal received: setRelativeAxisThickness("+str(t)+")"); + if (m_d->relaxisthick==t) + return; + m_d->relaxisthick=t; + if (m_d->shown) + m_d->updateFields(); +} diff --git a/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/VP1CylindricalGrid.cxx b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/VP1CylindricalGrid.cxx new file mode 100644 index 0000000000000000000000000000000000000000..6b05136cab38bb76236cf64ebffdb5dec018a31b --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/VP1CylindricalGrid.cxx @@ -0,0 +1,241 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class VP1CylindricalGrid // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: July 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12GuideLineSystems/VP1CylindricalGrid.h" +#include "VTI12GuideLineSystems/VP1Floor.h"//for calcPars... static method +#include "VP1Base/VP1QtInventorUtils.h" + +#include <Inventor/nodes/SoSeparator.h> +#include <Inventor/nodes/SoVertexProperty.h> +#include <Inventor/nodes/SoLineSet.h> +#include <Inventor/nodes/SoTranslation.h> +#include <Inventor/nodes/SoPackedColor.h> +#include <Inventor/SbColor4f.h> + +#ifdef BUILDVP1LIGHT + #include "CLHEP/Units/SystemOfUnits.h" + #define SYSTEM_OF_UNITS CLHEP +#else + #include "GaudiKernel/SystemOfUnits.h" + #define SYSTEM_OF_UNITS Gaudi::Units +#endif + +//____________________________________________________________________ +class VP1CylindricalGrid::Imp { +public: + Imp(VP1CylindricalGrid *, + SoSeparator * attachsep); + VP1CylindricalGrid * theclass; + SoSeparator * attachSep; + + bool shown; + SbColor4f colourAndTransp; + double extent; + double spacing; + + SoSeparator * sep; + SoPackedColor * circlecol; + + void rebuild3DObjects(); + void updateColour(); +}; + +//____________________________________________________________________ +VP1CylindricalGrid::VP1CylindricalGrid(SoSeparator * attachsep, + IVP1System * sys,QObject * parent) + : QObject(parent), VP1HelperClassBase(sys,"VP1CylindricalGrid"), m_d(new Imp(this,attachsep)) +{ +} + +//____________________________________________________________________ +VP1CylindricalGrid::~VP1CylindricalGrid() +{ + setShown(false); + if (m_d->sep) + m_d->sep->unref(); + if (m_d->circlecol) + m_d->circlecol->unref(); + m_d->attachSep->unref(); + delete m_d; +} + +//____________________________________________________________________ +VP1CylindricalGrid::Imp::Imp(VP1CylindricalGrid *tc,SoSeparator * as) + : theclass(tc), attachSep(as), shown(false), + colourAndTransp(SbColor4f(1,1,1,1)),extent(10), spacing(1), + sep(0), circlecol(0) +{ + attachSep->ref(); +} + +//____________________________________________________________________ +void VP1CylindricalGrid::Imp::rebuild3DObjects() +{ + theclass->messageVerbose("(Re)building 3D objects"); + + if (sep) { + sep->removeAllChildren(); + } else { + sep = new SoSeparator; + sep->ref(); + } + + const bool save = sep->enableNotify(false); + + int nmax; double distmax; + if (!VP1Floor::calcParsFromExtentAndSpacing( theclass, extent, spacing, 20/*max lines*/, nmax, distmax )) { + nmax = 10; + distmax = 10*SYSTEM_OF_UNITS::m; + theclass->message("ERROR: Problems calculating nmax/distmax."); + } + + if (!circlecol) { + circlecol = new SoPackedColor(); + circlecol->ref(); + } + + //Add circles: + sep->addChild(circlecol); + + for (int ir=1;ir<=nmax;++ir) { + SoNode * circle = VP1QtInventorUtils::createCircle(ir*spacing); + SoSeparator * s = new SoSeparator; + SoTranslation *t1= new SoTranslation(); + t1->translation.setValue(0.0,0.0,-distmax-spacing); + s->addChild(t1); + for (int iz = -nmax; iz<=nmax; ++iz) { + SoTranslation *t2= new SoTranslation(); + t2->translation.setValue(0.0,0.0,spacing); + s->addChild(t2); + s->addChild(circle); + } + sep->addChild(s); + } + + //Add lines: + + SoVertexProperty * grid_cylindrical_vertices = new SoVertexProperty(); + + int ivert(0); + int nsublines(0); + static const double invsqrttwo = 1.0/sqrt(2.0); + for (int ir=1;ir<=nmax;++ir) { + double r = ir*spacing; + double r2 = r*invsqrttwo; + grid_cylindrical_vertices->vertex.set1Value(ivert++,r,0,-distmax); + grid_cylindrical_vertices->vertex.set1Value(ivert++,r,0,+distmax); + grid_cylindrical_vertices->vertex.set1Value(ivert++,0,r,-distmax); + grid_cylindrical_vertices->vertex.set1Value(ivert++,0,r,+distmax); + grid_cylindrical_vertices->vertex.set1Value(ivert++,-r,0,-distmax); + grid_cylindrical_vertices->vertex.set1Value(ivert++,-r,0,+distmax); + grid_cylindrical_vertices->vertex.set1Value(ivert++,0,-r,-distmax); + grid_cylindrical_vertices->vertex.set1Value(ivert++,0,-r,+distmax); + grid_cylindrical_vertices->vertex.set1Value(ivert++,r2,r2,-distmax); + grid_cylindrical_vertices->vertex.set1Value(ivert++,r2,r2,+distmax); + grid_cylindrical_vertices->vertex.set1Value(ivert++,r2,-r2,-distmax); + grid_cylindrical_vertices->vertex.set1Value(ivert++,r2,-r2,+distmax); + grid_cylindrical_vertices->vertex.set1Value(ivert++,-r2,r2,-distmax); + grid_cylindrical_vertices->vertex.set1Value(ivert++,-r2,r2,+distmax); + grid_cylindrical_vertices->vertex.set1Value(ivert++,-r2,-r2,-distmax); + grid_cylindrical_vertices->vertex.set1Value(ivert++,-r2,-r2,+distmax); + nsublines+=8; + } + + grid_cylindrical_vertices->materialBinding=SoMaterialBinding::OVERALL; + grid_cylindrical_vertices->normalBinding=SoNormalBinding::OVERALL; + SoLineSet * line = new SoLineSet(); + line->numVertices.enableNotify(FALSE); + line->numVertices.setNum(nsublines); + for (int i=0;i<nsublines;++i) + line->numVertices.set1Value(i,2); + line->vertexProperty = grid_cylindrical_vertices; + line->numVertices.enableNotify(TRUE); + line->numVertices.touch(); + + sep->addChild(line); + updateColour(); + + if (save) { + sep->enableNotify(true); + sep->touch(); + } + +} + +//____________________________________________________________________ +void VP1CylindricalGrid::Imp::updateColour() +{ + theclass->messageVerbose("Updating packed colour"); + if (circlecol) + circlecol->orderedRGBA = colourAndTransp.getPackedValue(); + if (!sep||sep->getNumChildren()<1) + return; + SoNode * n = sep->getChild(0); + if (!n||n->getTypeId()!=SoLineSet::getClassTypeId()) + return; + SoLineSet * line = static_cast<SoLineSet*>(n); + SoVertexProperty * vertices = static_cast<SoVertexProperty *>(line->vertexProperty.getValue()); + if (vertices) + vertices->orderedRGBA = colourAndTransp.getPackedValue(); +} + +//____________________________________________________________________ +void VP1CylindricalGrid::setShown(bool b) +{ + messageVerbose("Signal received: setShown("+str(b)+")"); + if (m_d->shown==b) + return; + m_d->shown=b; + if (m_d->shown) { + m_d->rebuild3DObjects(); + if (m_d->attachSep->findChild(m_d->sep)<0) + m_d->attachSep->addChild(m_d->sep); + } else { + if (m_d->sep&&m_d->attachSep->findChild(m_d->sep)>=0) + m_d->attachSep->removeChild(m_d->sep); + } +} + +//____________________________________________________________________ +void VP1CylindricalGrid::setColourAndTransp(const SbColor4f&ct) +{ + messageVerbose("Signal received in setColourAndTransp slot."); + if (m_d->colourAndTransp==ct) + return; + m_d->colourAndTransp=ct; + if (m_d->shown) + m_d->updateColour(); +} + +//____________________________________________________________________ +void VP1CylindricalGrid::setExtent(const double& e) +{ + messageVerbose("Signal received: setExtent("+str(e)+")"); + if (m_d->extent==e) + return; + m_d->extent=e; + if (m_d->shown) + m_d->rebuild3DObjects(); +} + +//____________________________________________________________________ +void VP1CylindricalGrid::setSpacing(const double&s) +{ + messageVerbose("Signal received: setSpacing("+str(s)+")"); + if (m_d->spacing==s) + return; + m_d->spacing=s; + if (m_d->shown) + m_d->rebuild3DObjects(); +} diff --git a/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/VP1EtaCone.cxx b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/VP1EtaCone.cxx new file mode 100644 index 0000000000000000000000000000000000000000..e5866ce14cfaa9aad37cd5982a19fdd74bc9e997 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/VP1EtaCone.cxx @@ -0,0 +1,217 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class VP1EtaCone // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: April 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12GuideLineSystems/VP1EtaCone.h" + +#include <Inventor/C/errors/debugerror.h> +#include <Inventor/nodes/SoMaterial.h> +#include <Inventor/nodes/SoCone.h> +#include <Inventor/nodes/SoSeparator.h> +#include <Inventor/nodes/SoTranslation.h> +#include <Inventor/nodes/SoRotationXYZ.h> + +#ifdef BUILDVP1LIGHT + #include "CLHEP/Units/SystemOfUnits.h" + #define SYSTEM_OF_UNITS CLHEP +#else + #include "GaudiKernel/SystemOfUnits.h" + #define SYSTEM_OF_UNITS Gaudi::Units +#endif + +//____________________________________________________________________ +class VP1EtaCone::Imp { +public: + Imp(VP1EtaCone *, + SoMaterial * mat, + SoSeparator * attachsep); + VP1EtaCone * theclass; + SoMaterial * material; + SoSeparator * attachSep; + + bool shown; + double etaval; + double extent; + + SoSeparator * sep; + SoCone * cone1; + SoTranslation * trans1; + SoCone * innercone1; + SoTranslation * innertrans1; + SoCone * cone2; + SoTranslation * trans2; + SoCone * innercone2; + SoTranslation * innertrans2; + + void updateFields(); + void ensureInit3DObjects(); +}; + +//____________________________________________________________________ +VP1EtaCone::VP1EtaCone(SoMaterial * mat,SoSeparator * attachsep, + IVP1System * sys,QObject * parent) + : QObject(parent), VP1HelperClassBase(sys,"VP1EtaCone"), m_d(new Imp(this,mat,attachsep)) +{ +} + +//____________________________________________________________________ +VP1EtaCone::~VP1EtaCone() +{ + setShown(false); + if (m_d->sep) + m_d->sep->unref(); + m_d->material->unref(); + m_d->attachSep->unref(); + delete m_d; +} + +//____________________________________________________________________ +VP1EtaCone::Imp::Imp(VP1EtaCone *tc,SoMaterial * mat,SoSeparator * as) + : theclass(tc), material(mat), attachSep(as), shown(false), + etaval(1), extent(1), sep(0), + cone1(0), trans1(0), innercone1(0), innertrans1(0), + cone2(0), trans2(0), innercone2(0), innertrans2(0) +{ + material->ref(); + attachSep->ref(); +} + +//____________________________________________________________________ +void VP1EtaCone::Imp::ensureInit3DObjects() +{ + if (sep) + return; + theclass->messageVerbose("Building 3D objects"); + sep = new SoSeparator; + sep->ref(); + sep->addChild(material); + + SoSeparator * sepfirst = new SoSeparator; + SoSeparator * sepsecond = new SoSeparator; + + for ( int i = 0;i<2;++i){ + SoRotationXYZ * xf = new SoRotationXYZ(); + xf->axis=SoRotationXYZ::X; + xf->angle = i==0 ? 90.0*SYSTEM_OF_UNITS::deg : -90*SYSTEM_OF_UNITS::deg; + SoTranslation * xl = new SoTranslation(); + SoCone * cone = new SoCone(); + SoTranslation * innerxl = new SoTranslation(); + SoCone * innercone = new SoCone(); + + if (i==0) { + cone1 = cone; + trans1 = xl; + innercone1 = innercone; + innertrans1 = innerxl; + } else { + cone2 = cone; + trans2 = xl; + innercone2 = innercone; + innertrans2 = innerxl; + } + + cone->removePart(SoCone::BOTTOM); + innercone->removePart(SoCone::BOTTOM); + + SoSeparator * s(i==0?sepfirst:sepsecond); + s->addChild(xf); + s->addChild(xl); + s->addChild(cone); + s->addChild(innerxl); + s->addChild(innercone); + sep->addChild(s); + } +} + +//____________________________________________________________________ +void VP1EtaCone::Imp::updateFields() +{ + ensureInit3DObjects(); + theclass->messageVerbose("Updating fields"); + + double theta = 2*atan(exp(-fabs(etaval))); + double tanfact = tan(theta); + bool etaconeextentisz = (extent<0); + double absextent = fabs(extent); + double coneHeight,bottomRadius; + if (etaconeextentisz) { + coneHeight = absextent; + bottomRadius = coneHeight*tanfact; + } else { + bottomRadius = absextent; + coneHeight=bottomRadius/tanfact; + } + + theclass->messageVerbose("etaval = "+str(etaval)); + theclass->messageVerbose("extent = "+str(extent)); + theclass->messageVerbose("absextent = "+str(absextent)); + theclass->messageVerbose("tanfact = "+str(tanfact)); + theclass->messageVerbose("bottomRadius = "+str(bottomRadius)); + theclass->messageVerbose("coneHeight = "+str(coneHeight)); + + cone1->bottomRadius = bottomRadius; + cone1->height = coneHeight; + cone2->bottomRadius = bottomRadius; + cone2->height = coneHeight; + trans1->translation.setValue(0, -coneHeight/2, 0); + trans2->translation.setValue(0, -coneHeight/2, 0); + + innercone1->bottomRadius = bottomRadius; + innercone1->height = -coneHeight; + innercone2->bottomRadius = bottomRadius; + innercone2->height = -coneHeight; + //To avoid render flicker from the overlapping cones, we move the inner cone slightly away from origo: + const double epsilon = 0.50*SYSTEM_OF_UNITS::mm; + innertrans1->translation.setValue(0, coneHeight/2+1.001*coneHeight/2+epsilon, 0); + innertrans2->translation.setValue(0, coneHeight/2+1.001*coneHeight/2+epsilon, 0); + +} + +//____________________________________________________________________ +void VP1EtaCone::setShown(bool b) +{ + messageVerbose("Signal received: setShown("+str(b)+")"); + if (m_d->shown==b) + return; + m_d->shown=b; + if (m_d->shown) { + m_d->updateFields(); + if (m_d->attachSep->findChild(m_d->sep)<0) + m_d->attachSep->addChild(m_d->sep); + } else { + if (m_d->sep&&m_d->attachSep->findChild(m_d->sep)>=0) + m_d->attachSep->removeChild(m_d->sep); + } +} + +//____________________________________________________________________ +void VP1EtaCone::setExtent(const double&p) +{ + messageVerbose("Signal received: setExtent("+str(p)+")"); + if (m_d->extent==p) + return; + m_d->extent=p; + if (m_d->shown) + m_d->updateFields(); +} + +//____________________________________________________________________ +void VP1EtaCone::setEtaValue(const double&p) +{ + messageVerbose("Signal received: setEtaValue("+str(p)+")"); + if (m_d->etaval==p) + return; + m_d->etaval=p; + if (m_d->shown) + m_d->updateFields(); +} diff --git a/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/VP1Floor.cxx b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/VP1Floor.cxx new file mode 100644 index 0000000000000000000000000000000000000000..ee38adf4c258348d83c2beed6c94d57650d7058c --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/VP1Floor.cxx @@ -0,0 +1,223 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class VP1Floor // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: July 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12GuideLineSystems/VP1Floor.h" +#include <Inventor/nodes/SoSeparator.h> +#include <Inventor/nodes/SoVertexProperty.h> +#include <Inventor/nodes/SoLineSet.h> +#include <Inventor/SbColor4f.h> + +#ifdef BUILDVP1LIGHT + #include "CLHEP/Units/SystemOfUnits.h" + #define SYSTEM_OF_UNITS CLHEP +#else + #include "GaudiKernel/SystemOfUnits.h" + #define SYSTEM_OF_UNITS Gaudi::Units +#endif + +//____________________________________________________________________ +bool VP1Floor::calcParsFromExtentAndSpacing( VP1HelperClassBase*helper,const double& extent, const double& spacing, const int& nmaxlimit, int& nmax, double& distmax ) +{ + if (extent<0.0||spacing<=0.0) + return false; + nmax=static_cast<int>(extent/spacing+0.5); + if (nmax<1) + nmax =1; + if (nmax>nmaxlimit) { + helper->message("Too many lines requested. All will not be shown."); + nmax=nmaxlimit; + } + distmax = nmax*spacing; + return true; +} + +//____________________________________________________________________ +class VP1Floor::Imp { +public: + Imp(VP1Floor *, + SoSeparator * attachsep); + VP1Floor * theclass; + SoSeparator * attachSep; + + bool shown; + SbColor4f colourAndTransp; + double extent; + double spacing; + double vertpos; + + SoSeparator * sep; + + void rebuild3DObjects(); + void updateColour(); +}; + +//____________________________________________________________________ +VP1Floor::VP1Floor(SoSeparator * attachsep, + IVP1System * sys,QObject * parent) + : QObject(parent), VP1HelperClassBase(sys,"VP1Floor"), m_d(new Imp(this,attachsep)) +{ +} + +//____________________________________________________________________ +VP1Floor::~VP1Floor() +{ + setShown(false); + if (m_d->sep) + m_d->sep->unref(); + m_d->attachSep->unref(); + delete m_d; +} + +//____________________________________________________________________ +VP1Floor::Imp::Imp(VP1Floor *tc,SoSeparator * as) + : theclass(tc), attachSep(as), shown(false), + colourAndTransp(SbColor4f(1,1,1,1)),extent(10), spacing(1), vertpos(0), sep(0) +{ + attachSep->ref(); +} + +//____________________________________________________________________ +void VP1Floor::Imp::rebuild3DObjects() +{ + theclass->messageVerbose("(Re)building 3D objects"); + + if (sep) { + sep->removeAllChildren(); + } else { + sep = new SoSeparator; + sep->ref(); + } + + const bool save = sep->enableNotify(false); + + int nmax; double distmax; + if (!calcParsFromExtentAndSpacing( theclass, extent, spacing, VP1Floor::nMax(), nmax, distmax )) { + nmax = 10; + distmax = 10*SYSTEM_OF_UNITS::m; + theclass->message("ERROR: Problems calculating nmax/distmax."); + } + + SoVertexProperty * floor_vertices = new SoVertexProperty(); + int ivert(0); + int nsublines(0); + for (int ix = -nmax; ix<=nmax; ++ix) { + double x = ix*spacing; + floor_vertices->vertex.set1Value(ivert++,x,vertpos,-distmax); + floor_vertices->vertex.set1Value(ivert++,x,vertpos,+distmax); + ++nsublines; + } + for (int iz = -nmax; iz<=nmax; ++iz) { + double z = iz*spacing; + floor_vertices->vertex.set1Value(ivert++,-distmax,vertpos,z); + floor_vertices->vertex.set1Value(ivert++,+distmax,vertpos,z); + ++nsublines; + } + + floor_vertices->materialBinding=SoMaterialBinding::OVERALL; + floor_vertices->normalBinding=SoNormalBinding::OVERALL; + SoLineSet * line = new SoLineSet(); + line->numVertices.enableNotify(FALSE); + line->numVertices.setNum(nsublines); + for (int i=0;i<nsublines;++i) + line->numVertices.set1Value(i,2); + line->vertexProperty = floor_vertices; + line->numVertices.enableNotify(TRUE); + line->numVertices.touch(); + + sep->addChild(line); + updateColour(); + + if (save) { + sep->enableNotify(true); + sep->touch(); + } + +} + +//____________________________________________________________________ +void VP1Floor::Imp::updateColour() +{ + theclass->messageVerbose("Updating packed colour"); + if (!sep||sep->getNumChildren()<1) + return; + SoNode * n = sep->getChild(0); + if (!n||n->getTypeId()!=SoLineSet::getClassTypeId()) + return; + SoLineSet * line = static_cast<SoLineSet*>(n); + SoVertexProperty * vertices = static_cast<SoVertexProperty *>(line->vertexProperty.getValue()); + if (!vertices) + return; + vertices->orderedRGBA = colourAndTransp.getPackedValue(); +} + +//____________________________________________________________________ +void VP1Floor::setShown(bool b) +{ + messageVerbose("Signal received: setShown("+str(b)+")"); + if (m_d->shown==b) + return; + m_d->shown=b; + if (m_d->shown) { + m_d->rebuild3DObjects(); + if (m_d->attachSep->findChild(m_d->sep)<0) + m_d->attachSep->addChild(m_d->sep); + } else { + if (m_d->sep&&m_d->attachSep->findChild(m_d->sep)>=0) + m_d->attachSep->removeChild(m_d->sep); + } +} + +//____________________________________________________________________ +void VP1Floor::setColourAndTransp(const SbColor4f&ct) +{ + messageVerbose("Signal received in setColourAndTransp slot."); + if (m_d->colourAndTransp==ct) + return; + m_d->colourAndTransp=ct; + if (m_d->shown) + m_d->updateColour(); +} + +//____________________________________________________________________ +void VP1Floor::setExtent(const double& e) +{ + messageVerbose("Signal received: setExtent("+str(e)+")"); + if (m_d->extent==e) + return; + m_d->extent=e; + if (m_d->shown) + m_d->rebuild3DObjects(); +} + +//____________________________________________________________________ +void VP1Floor::setSpacing(const double&s) +{ + messageVerbose("Signal received: setSpacing("+str(s)+")"); + if (m_d->spacing==s) + return; + m_d->spacing=s; + if (m_d->shown) + m_d->rebuild3DObjects(); +} + +//____________________________________________________________________ +void VP1Floor::setVerticalPosition(const double&p) +{ + messageVerbose("Signal received: setVerticalPosition("+str(p)+")"); + if (m_d->vertpos==p) + return; + m_d->vertpos=p; + if (m_d->shown) + m_d->rebuild3DObjects(); +} diff --git a/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/VP1GuideLineSystem.cxx b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/VP1GuideLineSystem.cxx new file mode 100644 index 0000000000000000000000000000000000000000..e1d281a774593f3bb43f896409069f85d032c8e3 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/VP1GuideLineSystem.cxx @@ -0,0 +1,345 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +///////////////////////////////////////////////////////////////////////// +// // +// Implementation of class VP1GuideLineSystem // +// // +// Author: Thomas Kittelmann <Thomas.Kittelmann@cern.ch> // +// // +// Initial version: July 2007 // +// // +///////////////////////////////////////////////////////////////////////// + +#include "VTI12GuideLineSystems/VP1GuideLineSystem.h" +#include "VTI12GuideLineSystems/GuideSysController.h" +#include "VTI12GuideLineSystems/ProjectionSurfacesHelper.h" +#include "VTI12GuideLineSystems/VP1CoordinateAxes.h" +#include "VTI12GuideLineSystems/VP1Floor.h" +#include "VTI12GuideLineSystems/VP1Letters.h" +#include "VTI12GuideLineSystems/VP1EtaCone.h" +#include "VTI12GuideLineSystems/VP1CartesianGrid.h" +#include "VTI12GuideLineSystems/VP1CylindricalGrid.h" +#include "VTI12GuideLineSystems/VP1TrackingVolumes.h" +#include "VTI12GuideLineSystems/VP1Lines.h" + +#include "VP1Base/VP1Serialise.h" +#include "VP1Base/VP1Deserialise.h" +#include "VP1Base/VP1Msg.h" + +#include <Inventor/nodes/SoSeparator.h> +#include <Inventor/nodes/SoPickStyle.h> +#include <Inventor/nodes/SoComplexity.h> +#include <Inventor/SbVec3f.h> + +#include <map> + +class VP1GuideLineSystem::Imp { +public: + Imp(VP1GuideLineSystem*tc) : theclass(tc), + controller(0), + coordinateaxes(0), + floor(0), + cartesiangrid(0), + cylindricalgrid(0), + letters(0), + etacone1(0), + etacone2(0), + etacone3(0), + trackingVolumes(0), + projsurfhelper_pixel(0), + projsurfhelper_sct(0), + projsurfhelper_trt(0), + lastemit_pixel(InDetProjFlags::NoProjections), + lastemit_sct(InDetProjFlags::NoProjections), + lastemit_trt(InDetProjFlags::NoProjections) {} + VP1GuideLineSystem *theclass; + GuideSysController * controller; + VP1CoordinateAxes * coordinateaxes; + VP1Floor * floor; + VP1CartesianGrid * cartesiangrid; + VP1CylindricalGrid * cylindricalgrid; + VP1Letters * letters; + VP1EtaCone * etacone1; + VP1EtaCone * etacone2; + VP1EtaCone * etacone3; + VP1TrackingVolumes * trackingVolumes; + VP1Lines * lines; + + ProjectionSurfacesHelper * projsurfhelper_pixel; + ProjectionSurfacesHelper * projsurfhelper_sct; + ProjectionSurfacesHelper * projsurfhelper_trt; + InDetProjFlags::InDetProjPartsFlags lastemit_pixel; + InDetProjFlags::InDetProjPartsFlags lastemit_sct; + InDetProjFlags::InDetProjPartsFlags lastemit_trt; + + //For knowing which ID parts are used by data systems: + std::map<QObject*,InDetProjFlags::DetTypeFlags> sender2iddettypeswithprojs; +}; + +//_____________________________________________________________________________________ +VP1GuideLineSystem::VP1GuideLineSystem() + : IVP13DSystemSimple("Guides", + "System providing visual guides", + "Thomas.Kittelmann@cern.ch"), m_d(new Imp(this)) +{ +} + + +//_____________________________________________________________________________________ +VP1GuideLineSystem::~VP1GuideLineSystem() +{ + delete m_d; +} + +//_____________________________________________________________________________________ +QWidget * VP1GuideLineSystem::buildController() +{ + m_d->controller = new GuideSysController(this); + return m_d->controller; +} + +//_____________________________________________________________________________________ +void VP1GuideLineSystem::buildEventSceneGraph(StoreGateSvc*, SoSeparator *) +{ +} + +//_____________________________________________________________________________________ +void VP1GuideLineSystem::buildPermanentSceneGraph(StoreGateSvc* /*detstore*/, SoSeparator *root) +{ + if(VP1Msg::verbose()){ + messageVerbose("buildPermanentSceneGraph"); + } + //No guidelines are pickable: + SoPickStyle *pickStyle = new SoPickStyle; + pickStyle->style=SoPickStyle::UNPICKABLE; + root->addChild(pickStyle); + + //High complexity val for eta cones: + SoComplexity * complexity = new SoComplexity; + complexity->value.setValue(2.0f); + root->addChild(complexity); + + //Floor: + m_d->floor = new VP1Floor(root,this); + connect(m_d->controller,SIGNAL(floorExtentChanged(const double&)),m_d->floor,SLOT(setExtent(const double&))); + m_d->floor->setExtent(m_d->controller->floorExtent()); + connect(m_d->controller,SIGNAL(floorSpacingChanged(const double&)),m_d->floor,SLOT(setSpacing(const double&))); + m_d->floor->setSpacing(m_d->controller->floorSpacing()); + connect(m_d->controller,SIGNAL(floorHeightChanged(const double&)),m_d->floor,SLOT(setVerticalPosition(const double&))); + m_d->floor->setVerticalPosition(m_d->controller->floorHeight()); + connect(m_d->controller,SIGNAL(floorColourAndTranspChanged( const SbColor4f&)),m_d->floor,SLOT(setColourAndTransp(const SbColor4f&))); + m_d->floor->setColourAndTransp(m_d->controller->floorColourAndTransp()); + connect(m_d->controller,SIGNAL(showFloorChanged(bool)),m_d->floor,SLOT(setShown(bool))); + m_d->floor->setShown(m_d->controller->showFloor()); + + //CartesianGrid: + m_d->cartesiangrid = new VP1CartesianGrid(root,this); + connect(m_d->controller,SIGNAL(gridExtentChanged(const double&)),m_d->cartesiangrid,SLOT(setExtent(const double&))); + m_d->cartesiangrid->setExtent(m_d->controller->gridExtent()); + connect(m_d->controller,SIGNAL(gridSpacingChanged(const double&)),m_d->cartesiangrid,SLOT(setSpacing(const double&))); + m_d->cartesiangrid->setSpacing(m_d->controller->gridSpacing()); + connect(m_d->controller,SIGNAL(gridColourAndTranspChanged( const SbColor4f&)),m_d->cartesiangrid,SLOT(setColourAndTransp(const SbColor4f&))); + m_d->cartesiangrid->setColourAndTransp(m_d->controller->gridColourAndTransp()); + connect(m_d->controller,SIGNAL(showCartesianGridChanged(bool)),m_d->cartesiangrid,SLOT(setShown(bool))); + m_d->cartesiangrid->setShown(m_d->controller->showCartesianGrid()); + + //CylindricalGrid: + m_d->cylindricalgrid = new VP1CylindricalGrid(root,this); + connect(m_d->controller,SIGNAL(gridExtentChanged(const double&)),m_d->cylindricalgrid,SLOT(setExtent(const double&))); + m_d->cylindricalgrid->setExtent(m_d->controller->gridExtent()); + connect(m_d->controller,SIGNAL(gridSpacingChanged(const double&)),m_d->cylindricalgrid,SLOT(setSpacing(const double&))); + m_d->cylindricalgrid->setSpacing(m_d->controller->gridSpacing()); + connect(m_d->controller,SIGNAL(gridColourAndTranspChanged( const SbColor4f&)),m_d->cylindricalgrid,SLOT(setColourAndTransp(const SbColor4f&))); + m_d->cylindricalgrid->setColourAndTransp(m_d->controller->gridColourAndTransp()); + connect(m_d->controller,SIGNAL(showCylindricalGridChanged(bool)),m_d->cylindricalgrid,SLOT(setShown(bool))); + m_d->cylindricalgrid->setShown(m_d->controller->showCylindricalGrid()); + + //Letters: + m_d->letters = new VP1Letters(m_d->controller->lettersMaterial(),root,this); + connect(m_d->controller,SIGNAL(lettersZPosChanged(const double&)),m_d->letters,SLOT(setZPos(const double&))); + m_d->letters->setZPos(m_d->controller->lettersZPos()); + connect(m_d->controller,SIGNAL(lettersVerticalPosChanged(const double&)),m_d->letters,SLOT(setVerticalPosition(const double&))); + m_d->letters->setVerticalPosition(m_d->controller->lettersVerticalPos()); + connect(m_d->controller,SIGNAL(showLettersChanged(bool)),m_d->letters,SLOT(setShown(bool))); + m_d->letters->setShown(m_d->controller->showLetters()); + + //Coordinate axes: + m_d->coordinateaxes = new VP1CoordinateAxes(m_d->controller->xAxisMaterial(), + m_d->controller->yAxisMaterial(), + m_d->controller->zAxisMaterial(), + root,this); + connect(m_d->controller,SIGNAL(axesLengthChanged(const double&)),m_d->coordinateaxes,SLOT(setLength(const double&))); + m_d->coordinateaxes->setLength(m_d->controller->axesLength()); + connect(m_d->controller,SIGNAL(axesPositionChanged(const SbVec3f&)),m_d->coordinateaxes,SLOT(setPosition(const SbVec3f&))); + m_d->coordinateaxes->setPosition(m_d->controller->axesPosition()); + connect(m_d->controller,SIGNAL(relAxesThicknessChanged(const double&)),m_d->coordinateaxes,SLOT(setRelativeAxisThickness(const double&))); + m_d->coordinateaxes->setRelativeAxisThickness(m_d->controller->relAxesThickness()); + connect(m_d->controller,SIGNAL(showAxesChanged(bool)),m_d->coordinateaxes,SLOT(setShown(bool))); + m_d->coordinateaxes->setShown(m_d->controller->showAxes()); + + //Eta cones: + m_d->etacone1 = new VP1EtaCone(m_d->controller->etaCone1Material(),root,this); + connect(m_d->controller,SIGNAL(etaExtentChanged(const double&)),m_d->etacone1,SLOT(setExtent(const double&))); + m_d->etacone1->setExtent(m_d->controller->etaExtent()); + connect(m_d->controller,SIGNAL(etaConeValue1Changed(const double&)),m_d->etacone1,SLOT(setEtaValue(const double&))); + m_d->etacone1->setEtaValue(m_d->controller->etaConeValue1()); + connect(m_d->controller,SIGNAL(showEtaCone1Changed(bool)),m_d->etacone1,SLOT(setShown(bool))); + m_d->etacone1->setShown(m_d->controller->showEtaCone1()); + + m_d->etacone2 = new VP1EtaCone(m_d->controller->etaCone2Material(),root,this); + connect(m_d->controller,SIGNAL(etaExtentChanged(const double&)),m_d->etacone2,SLOT(setExtent(const double&))); + m_d->etacone2->setExtent(m_d->controller->etaExtent()); + connect(m_d->controller,SIGNAL(etaConeValue2Changed(const double&)),m_d->etacone2,SLOT(setEtaValue(const double&))); + m_d->etacone2->setEtaValue(m_d->controller->etaConeValue2()); + connect(m_d->controller,SIGNAL(showEtaCone2Changed(bool)),m_d->etacone2,SLOT(setShown(bool))); + m_d->etacone2->setShown(m_d->controller->showEtaCone2()); + + m_d->etacone3 = new VP1EtaCone(m_d->controller->etaCone3Material(),root,this); + connect(m_d->controller,SIGNAL(etaExtentChanged(const double&)),m_d->etacone3,SLOT(setExtent(const double&))); + m_d->etacone3->setExtent(m_d->controller->etaExtent()); + connect(m_d->controller,SIGNAL(etaConeValue3Changed(const double&)),m_d->etacone3,SLOT(setEtaValue(const double&))); + m_d->etacone3->setEtaValue(m_d->controller->etaConeValue3()); + connect(m_d->controller,SIGNAL(showEtaCone3Changed(bool)),m_d->etacone3,SLOT(setShown(bool))); + m_d->etacone3->setShown(m_d->controller->showEtaCone3()); + + //Tracking Volumes: + m_d->trackingVolumes = new VP1TrackingVolumes(m_d->controller->idTrkVolumesMaterial(), + m_d->controller->caloTrkVolumesMaterial(), + m_d->controller->msTrkVolumesMaterial(), + m_d->controller->showInnerDetector(), + m_d->controller->showCalorimeters(), + m_d->controller->showMuonSpectrometer(), + root,this); + connect(m_d->controller,SIGNAL(showTrackingVolumesChanged(bool)),m_d->trackingVolumes,SLOT(setShown(bool))); + connect(m_d->controller,SIGNAL(showInnerDetectorChanged(bool)),m_d->trackingVolumes,SLOT(setShownID(bool))); + connect(m_d->controller,SIGNAL(showCalorimetersChanged(bool)),m_d->trackingVolumes,SLOT(setShownCalo(bool))); + connect(m_d->controller,SIGNAL(showMuonSpectrometerChanged(bool)),m_d->trackingVolumes,SLOT(setShownMS(bool))); + m_d->trackingVolumes->setShown(m_d->controller->showTrackingVolumes()); + + //Lines + m_d->lines = new VP1Lines(root, this); + connect(m_d->controller,SIGNAL(showLinesChanged(bool)),m_d->lines,SLOT(setShown(bool))); + m_d->lines->setShown(m_d->controller->showLines()); + connect(m_d->controller,SIGNAL(lineDirectionChanged(const SbVec3f&)),m_d->lines,SLOT(setDirection(const SbVec3f&))); + m_d->lines->setDirection(m_d->controller->lineDirection()); + + SoSeparator * projsep = new SoSeparator; + root->addChild(projsep); + + m_d->projsurfhelper_pixel = ProjectionSurfacesHelper::createPixelHelper(m_d->controller->pixelProjSurfMaterial(),projsep,this,this); + m_d->projsurfhelper_sct = ProjectionSurfacesHelper::createSCTHelper(m_d->controller->sctProjSurfMaterial(),projsep,this,this); + m_d->projsurfhelper_trt = ProjectionSurfacesHelper::createTRTHelper(m_d->controller->trtProjSurfMaterial(),projsep,this,this); + + connect(m_d->controller,SIGNAL(shownPixelProjSurfacesChanged(InDetProjFlags::InDetProjPartsFlags)), + m_d->projsurfhelper_pixel,SLOT(setSurfaces(InDetProjFlags::InDetProjPartsFlags))); + m_d->projsurfhelper_pixel->setSurfaces(m_d->controller->shownPixelProjSurfaces()); + + connect(m_d->controller,SIGNAL(shownSCTProjSurfacesChanged(InDetProjFlags::InDetProjPartsFlags)), + m_d->projsurfhelper_sct,SLOT(setSurfaces(InDetProjFlags::InDetProjPartsFlags))); + m_d->projsurfhelper_sct->setSurfaces(m_d->controller->shownSCTProjSurfaces()); + + connect(m_d->controller,SIGNAL(shownTRTProjSurfacesChanged(InDetProjFlags::InDetProjPartsFlags)), + m_d->projsurfhelper_trt,SLOT(setSurfaces(InDetProjFlags::InDetProjPartsFlags))); + m_d->projsurfhelper_trt->setSurfaces(m_d->controller->shownTRTProjSurfaces()); + + connect(m_d->controller,SIGNAL(applicablePixelProjPartsChanged(InDetProjFlags::InDetProjPartsFlags)),this,SLOT(possiblyEmit_ApplicableProjectionsChanged())); + connect(m_d->controller,SIGNAL(applicableSCTProjPartsChanged(InDetProjFlags::InDetProjPartsFlags)),this,SLOT(possiblyEmit_ApplicableProjectionsChanged())); + connect(m_d->controller,SIGNAL(applicableTRTProjPartsChanged(InDetProjFlags::InDetProjPartsFlags)),this,SLOT(possiblyEmit_ApplicableProjectionsChanged())); + + possiblyEmit_ApplicableProjectionsChanged();//fixme; late enough??? Problem with new delayed init: until guides are enabled, proper projections won't be known!! + //Thus, the channel should call this slot explicitly after making all connections!!! +} + +//_____________________________________________________________________________________ +void VP1GuideLineSystem::systemuncreate() +{ + delete m_d->coordinateaxes; m_d->coordinateaxes = 0; + delete m_d->floor; m_d->floor = 0; + delete m_d->cartesiangrid; m_d->cartesiangrid = 0; + delete m_d->cylindricalgrid; m_d->cylindricalgrid = 0; + delete m_d->letters; m_d->letters = 0; + delete m_d->etacone1; m_d->etacone1 = 0; + delete m_d->etacone2; m_d->etacone2 = 0; + delete m_d->etacone3; m_d->etacone3 = 0; + delete m_d->projsurfhelper_pixel; m_d->projsurfhelper_pixel = 0; + delete m_d->projsurfhelper_sct; m_d->projsurfhelper_sct = 0; + delete m_d->projsurfhelper_trt; m_d->projsurfhelper_trt = 0; + delete m_d->trackingVolumes; m_d->trackingVolumes = 0; + + m_d->controller=0; +} + + +//_____________________________________________________________________________________ +QByteArray VP1GuideLineSystem::saveState() { + + ensureBuildController(); + + VP1Serialise serialise(4/*version*/,this); + serialise.save(IVP13DSystemSimple::saveState()); + serialise.save(m_d->controller->saveSettings()); + serialise.disableUnsavedChecks();//We do the testing in the controller + return serialise.result(); +} + +//_____________________________________________________________________________________ +void VP1GuideLineSystem::restoreFromState(QByteArray ba) { + + VP1Deserialise state(ba,this); + if (state.version()<0||state.version()>4) { + message("Warning: State data in .vp1 file is in wrong format - ignoring!"); + state.disableUnrestoredChecks();//We do the testing in the controller + return; + } + if (state.version()>=0&&state.version()<=3) { + message("Warning: State data in .vp1 file is in obsolete format - ignoring!"); + state.disableUnrestoredChecks();//We do the testing in the controller + return; + } + ensureBuildController(); + + IVP13DSystemSimple::restoreFromState(state.restoreByteArray()); + m_d->controller->restoreSettings(state.restoreByteArray()); + state.disableUnrestoredChecks();//We do the testing in the controller +} + +//_____________________________________________________________________________________ +void VP1GuideLineSystem::setIDDetTypesUsingProjections( InDetProjFlags::DetTypeFlags f ) +{ + ensureBuildController(); + if (!m_d->controller) + return;//if receiving signals after uncreate + if(VP1Msg::verbose()){ + messageVerbose("Signal received in setIDDetTypesUsingProjections("+str(f)+") slot (from " + +QString(sender()?sender()->objectName():"NULL sender")+")"); + } + m_d->sender2iddettypeswithprojs[sender()] = f; + InDetProjFlags::DetTypeFlags used(InDetProjFlags::NoDet); + std::map<QObject*,InDetProjFlags::DetTypeFlags>::iterator it, itE = m_d->sender2iddettypeswithprojs.end(); + for (it=m_d->sender2iddettypeswithprojs.begin();it!=itE;++it) + used |= it->second; + m_d->controller->setInDetDetTypesUsingProjections(used); +} + +//_____________________________________________________________________________________ +void VP1GuideLineSystem::possiblyEmit_ApplicableProjectionsChanged() +{ + ensureBuildController(); + if (!m_d->controller) + return;//if receiving signals after uncreate + InDetProjFlags::InDetProjPartsFlags new_pixel = m_d->controller->applicablePixelProjParts(); + InDetProjFlags::InDetProjPartsFlags new_sct = m_d->controller->applicableSCTProjParts(); + InDetProjFlags::InDetProjPartsFlags new_trt = m_d->controller->applicableTRTProjParts(); + if (m_d->lastemit_pixel==new_pixel&&m_d->lastemit_sct==new_sct&&m_d->lastemit_trt==new_trt) + return; + m_d->lastemit_pixel=new_pixel; + m_d->lastemit_sct=new_sct; + m_d->lastemit_trt=new_trt; + if(VP1Msg::verbose()){ + messageVerbose("Emitting applicableProjectionsChanged("+str(m_d->lastemit_pixel)+", "+str(m_d->lastemit_sct)+", "+str(m_d->lastemit_trt)+")"); + } + emit applicableProjectionsChanged( m_d->lastemit_pixel,m_d->lastemit_sct,m_d->lastemit_trt ); +} diff --git a/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/VP1Letters.cxx b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/VP1Letters.cxx new file mode 100644 index 0000000000000000000000000000000000000000..d0cc3973339649a1d4fb398d0753f9ee7982395f --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/VP1Letters.cxx @@ -0,0 +1,293 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class VP1Letters // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: April 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12GuideLineSystems/VP1Letters.h" +#include "VP1HEPVis/SbPolyhedron.h" +#include "VP1HEPVis/nodes/SoPolyhedron.h" +#include <Inventor/nodes/SoMaterial.h> +#include <Inventor/nodes/SoCube.h> +#include <Inventor/nodes/SoSeparator.h> +#include <Inventor/nodes/SoTranslation.h> +#include <Inventor/nodes/SoRotationXYZ.h> +#include <algorithm> +#include <vector> + +#ifdef BUILDVP1LIGHT + #include "CLHEP/Units/SystemOfUnits.h" + #define SYSTEM_OF_UNITS CLHEP +#else + #include "GaudiKernel/SystemOfUnits.h" + #define SYSTEM_OF_UNITS Gaudi::Units +#endif + +//____________________________________________________________________ +class VP1Letters::Imp { +public: + Imp(VP1Letters *, + SoMaterial * mat, + SoSeparator * attachsep); + VP1Letters * theclass; + SoMaterial * material; + SoSeparator * attachSep; + + void createLetterAData(std::vector<double>& x, std::vector<double>&y); + void createLetterCData(std::vector<double>& x, std::vector<double>&y); + void normalizeLetterData(std::vector<double>& x, std::vector<double>&y,double yheight); + SoNode * createLetter(const std::vector<double>& x, const std::vector<double>y); + + bool shown; + double zpos; + double vertpos; + + SoSeparator * sep; + SoTranslation * transA; + SoTranslation * transC; + + void updateFields(); + void ensureInit3DObjects(); +}; + +//____________________________________________________________________ +VP1Letters::VP1Letters(SoMaterial * mat,SoSeparator * attachsep, + IVP1System * sys,QObject * parent) + : QObject(parent), VP1HelperClassBase(sys,"VP1Letters"), m_d(new Imp(this,mat,attachsep)) +{ +} + +//____________________________________________________________________ +VP1Letters::~VP1Letters() +{ + setShown(false); + if (m_d->sep) + m_d->sep->unref(); + if (m_d->transA) + m_d->transA->unref(); + if (m_d->transC) + m_d->transC->unref(); + m_d->material->unref(); + m_d->attachSep->unref(); + delete m_d; +} + +//____________________________________________________________________ +VP1Letters::Imp::Imp(VP1Letters *tc,SoMaterial * mat,SoSeparator * as) + : theclass(tc), material(mat), attachSep(as), shown(false), + zpos(0),vertpos(0), sep(0), transA(0), transC(0) +{ + material->ref(); + attachSep->ref(); +} + + +//_____________________________________________________________________________________ +void VP1Letters::Imp::createLetterAData(std::vector<double>& x, std::vector<double>&y) { + + x.clear(); + y.clear(); + x.push_back(294.15418); y.push_back(175.81259); + x.push_back(230.15085); y.push_back(349.36906); + x.push_back(358.39109); y.push_back(349.36906); + x.push_back(294.15418); y.push_back(175.81259); + x.push_back(267.52506); y.push_back(129.32842); + x.push_back(321.01689); y.push_back(129.32842); + x.push_back(453.92891); y.push_back(478.07648); + x.push_back(404.87526); y.push_back(478.07648); + x.push_back(373.10719); y.push_back(388.61197); + x.push_back(215.90194); y.push_back(388.61197); + x.push_back(184.13386); y.push_back(478.07648); + x.push_back(134.37945); y.push_back(478.07648); + x.push_back(267.52506); y.push_back(129.32842); +} + +//_____________________________________________________________________________________ +void VP1Letters::Imp::createLetterCData(std::vector<double>& x, std::vector<double>&y) { + + x.clear(); + y.clear(); + x.push_back(666.70068); y.push_back(278.58533); + x.push_back(668.72098); y.push_back(165.44825); + x.push_back(591.94939); y.push_back(127.06245); + x.push_back(496.99505); y.push_back(98.77818); + x.push_back(400.02041); y.push_back(94.73757); + x.push_back(299.00515); y.push_back(108.87971); + x.push_back(224.25386); y.push_back(145.2452); + x.push_back(149.50258); y.push_back(201.81374); + x.push_back(92.934034); y.push_back(280.60564); + x.push_back(56.568543); y.push_back(379.60059); + x.push_back(46.467017); y.push_back(486.67676); + x.push_back(52.527932); y.push_back(591.73262); + x.push_back(76.771593); y.push_back(682.64635); + x.push_back(109.09647); y.push_back(741.2352); + x.push_back(145.46197); y.push_back(783.66161); + x.push_back(189.90868); y.push_back(830.12862); + x.push_back(248.49753); y.push_back(864.47381); + x.push_back(327.28942); y.push_back(886.69717); + x.push_back(406.08132); y.push_back(898.819); + x.push_back(454.56865); y.push_back(898.819); + x.push_back(523.25902); y.push_back(886.69717); + x.push_back(600.03061); y.push_back(858.41289); + x.push_back(646.49763); y.push_back(838.20984); + x.push_back(668.72098); y.push_back(818.00679); + x.push_back(666.70068); y.push_back(710.93062); + x.push_back(616.19305); y.push_back(751.33672); + x.push_back(555.5839); y.push_back(785.68191); + x.push_back(484.87322); y.push_back(807.90527); + x.push_back(430.32498); y.push_back(809.92557); + x.push_back(379.81736); y.push_back(807.90527); + x.push_back(317.1879); y.push_back(791.74283); + x.push_back(280.82241); y.push_back(775.58039); + x.push_back(248.49753); y.push_back(749.31642); + x.push_back(214.15234); y.push_back(710.93062); + x.push_back(175.76654); y.push_back(652.34177); + x.push_back(159.6041); y.push_back(565.46866); + x.push_back(155.56349); y.push_back(480.61584); + x.push_back(161.62441); y.push_back(401.82394); + x.push_back(189.90868); y.push_back(314.95082); + x.push_back(242.43661); y.push_back(242.21984); + x.push_back(301.02546); y.push_back(203.83404); + x.push_back(361.63461); y.push_back(181.61069); + x.push_back(426.28437); y.push_back(177.57008); + x.push_back(511.13719); y.push_back(187.6716); + x.push_back(587.90878); y.push_back(217.97618); + x.push_back(644.47732); y.push_back(258.38228); + //Correct orientation for SbPolyhedronPolygonXSect: + std::reverse(x.begin(), x.end()); + std::reverse(y.begin(), y.end()); +} + +//_____________________________________________________________________________________ +void VP1Letters::Imp::normalizeLetterData(std::vector<double>& x, std::vector<double>&y,double yheight) +{ + //Translates and rescales so letter goes from -0.5*yheight to +0.5*yheight in y, and is centered around 0 in x. + if (x.size()!=y.size()) { + theclass->message("normalizeLetterData Error: Input vectors have different length!"); + return; + } + + unsigned n = x.size(); + + double xmin(1e20),xmax(-1e20),ymin(1e20),ymax(-1e20); + for (unsigned i = 0; i<n;++i) { + if (x.at(i)<xmin) xmin = x.at(i); + if (x.at(i)>xmax) xmax = x.at(i); + if (y.at(i)<ymin) ymin = y.at(i); + if (y.at(i)>ymax) ymax = y.at(i); + } + + assert(ymax>ymin&&xmax>xmin); + + double scale=yheight/(ymax-ymin); + double xoffset=-xmin-0.5*(xmax-xmin); + for (unsigned i = 0; i<n;++i) { + x.at(i) = (x.at(i)+xoffset)*scale; + y.at(i) = (y.at(i)-ymin)*scale-0.5*yheight; + } + +} + +//_____________________________________________________________________________________ +SoNode * VP1Letters::Imp::createLetter(const std::vector<double>& x, const std::vector<double>y) { + if (x.size()!=y.size()) { + theclass->message("createLetter Error: Input vectors have different length!"); + return new SoCube; + } + + SoPolyhedron::initClass(); + // SbPolyhedron * sbpoly = static_cast<SbPolyhedron*>(new SbPolyhedronPolygonXSect(x,y,0.3*m)); + // SoPolyhedron * poly = new SoPolyhedron(sbpoly); + SoPolyhedron * poly = new SoPolyhedron(SbPolyhedronPolygonXSect(x,y,0.3*SYSTEM_OF_UNITS::m)); + return poly; +} + +//____________________________________________________________________ +void VP1Letters::Imp::ensureInit3DObjects() +{ + if (sep) + return; + theclass->messageVerbose("Building 3D objects"); + sep = new SoSeparator; sep->ref(); + sep->addChild(material); + + //Create letters: + std::vector<double> x,y; + createLetterAData(x,y); + normalizeLetterData(x,y,2*SYSTEM_OF_UNITS::m); + SoNode * letterA = createLetter(x,y); + createLetterCData(x,y); + normalizeLetterData(x,y,2*SYSTEM_OF_UNITS::m); + SoNode * letterC = createLetter(x,y); + + transA = new SoTranslation; + transA->ref(); + transC = new SoTranslation; + transC->ref(); + + SoRotationXYZ * xf = new SoRotationXYZ(); + xf->axis=SoRotationXYZ::Z; + xf->angle = 180*SYSTEM_OF_UNITS::deg; + + sep->addChild(transC); + sep->addChild(letterC); + sep->addChild(transA); + sep->addChild(xf); + sep->addChild(letterA); +} + +//____________________________________________________________________ +void VP1Letters::Imp::updateFields() +{ + ensureInit3DObjects(); + theclass->messageVerbose("Updating fields"); + transA->translation.setValue(0, 0, 2*zpos); + transC->translation.setValue(0, vertpos, -zpos); +} + +//____________________________________________________________________ +void VP1Letters::setShown(bool b) +{ + messageVerbose("Signal received: setShown("+str(b)+")"); + if (m_d->shown==b) + return; + m_d->shown=b; + if (m_d->shown) { + m_d->updateFields(); + if (m_d->attachSep->findChild(m_d->sep)<0) + m_d->attachSep->addChild(m_d->sep); + } else { + if (m_d->sep&&m_d->attachSep->findChild(m_d->sep)>=0) + m_d->attachSep->removeChild(m_d->sep); + } +} + +//____________________________________________________________________ +void VP1Letters::setZPos(const double&p) +{ + messageVerbose("Signal received: setZPos("+str(p)+")"); + if (m_d->zpos==p) + return; + m_d->zpos=p; + if (m_d->shown) + m_d->updateFields(); +} + +//____________________________________________________________________ +void VP1Letters::setVerticalPosition(const double&p) +{ + messageVerbose("Signal received: setVerticalPosition("+str(p)+")"); + if (m_d->vertpos==p) + return; + m_d->vertpos=p; + if (m_d->shown) + m_d->updateFields(); +} diff --git a/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/VP1Lines.cxx b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/VP1Lines.cxx new file mode 100644 index 0000000000000000000000000000000000000000..8ec1dda7a371a2857dc9fd7fcf442d9e610d4e26 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/VP1Lines.cxx @@ -0,0 +1,148 @@ +/* + Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +*/ + +#include "VTI12GuideLineSystems/VP1Lines.h" + +#include <Inventor/nodes/SoSeparator.h> +#include <Inventor/nodes/SoVertexProperty.h> +#include <Inventor/nodes/SoLineSet.h> +#include <Inventor/SbColor4f.h> + + +//____________________________________________________________________ +class VP1Lines::Imp { +public: + Imp(VP1Lines *, + SoSeparator * attachsep); + VP1Lines * theclass; + SoSeparator * attachSep; + + bool shown; + SbColor4f colourAndTransp; + SbVec3f direction; + + SoSeparator * sep; + + void rebuild3DObjects(); + void updateColour(); +}; + +//____________________________________________________________________ +VP1Lines::VP1Lines(SoSeparator * attachsep, + IVP1System * sys,QObject * parent) + : QObject(parent), VP1HelperClassBase(sys,"VP1Lines"), m_d(new Imp(this,attachsep)) +{ +} + +//____________________________________________________________________ +VP1Lines::~VP1Lines() +{ + setShown(false); + if (m_d->sep) + m_d->sep->unref(); + m_d->attachSep->unref(); + delete m_d; +} + +//____________________________________________________________________ +VP1Lines::Imp::Imp(VP1Lines *tc,SoSeparator * as) + : theclass(tc), attachSep(as), shown(false), + colourAndTransp(SbColor4f(1,1,1,1)), direction(SbVec3f(0,0,0)), sep(0) +{ + attachSep->ref(); +} + +//____________________________________________________________________ +void VP1Lines::Imp::rebuild3DObjects() +{ + theclass->messageVerbose("(Re)building 3D objects"); + + if (sep) { + sep->removeAllChildren(); + } else { + sep = new SoSeparator; + sep->ref(); + } + + const bool save = sep->enableNotify(false); + + SoVertexProperty * line_vertices = new SoVertexProperty(); + + line_vertices->vertex.set1Value(0,0.0,0.0,0.0); + line_vertices->vertex.set1Value(1,direction[0],direction[1],direction[2]); + + line_vertices->materialBinding=SoMaterialBinding::OVERALL; + line_vertices->normalBinding=SoNormalBinding::OVERALL; + SoLineSet * line = new SoLineSet(); + line->numVertices.enableNotify(FALSE); + // line->numVertices.setNum(1); + // line->numVertices.set1Value(0,2); + line->vertexProperty = line_vertices; + line->numVertices.enableNotify(TRUE); + line->numVertices.touch(); + + sep->addChild(line); + updateColour(); + + if (save) { + sep->enableNotify(true); + sep->touch(); + } + +} + +//____________________________________________________________________ +void VP1Lines::Imp::updateColour() +{ + theclass->messageVerbose("Updating packed colour"); + if (!sep||sep->getNumChildren()<1) + return; + SoNode * n = sep->getChild(0); + if (!n||n->getTypeId()!=SoLineSet::getClassTypeId()) + return; + SoLineSet * line = static_cast<SoLineSet*>(n); + SoVertexProperty * vertices = static_cast<SoVertexProperty *>(line->vertexProperty.getValue()); + if (!vertices) + return; + vertices->orderedRGBA = colourAndTransp.getPackedValue(); +} + +//____________________________________________________________________ +void VP1Lines::setShown(bool b) +{ + messageVerbose("Signal received: setShown("+str(b)+")"); + if (m_d->shown==b) + return; + m_d->shown=b; + if (m_d->shown) { + m_d->rebuild3DObjects(); + if (m_d->attachSep->findChild(m_d->sep)<0) + m_d->attachSep->addChild(m_d->sep); + } else { + if (m_d->sep&&m_d->attachSep->findChild(m_d->sep)>=0) + m_d->attachSep->removeChild(m_d->sep); + } +} + +//____________________________________________________________________ +void VP1Lines::setColourAndTransp(const SbColor4f&ct) +{ + messageVerbose("Signal received in setColourAndTransp slot."); + if (m_d->colourAndTransp==ct) + return; + m_d->colourAndTransp=ct; + if (m_d->shown) + m_d->updateColour(); +} + +//____________________________________________________________________ +void VP1Lines::setDirection(const SbVec3f& o) +{ + messageVerbose("Signal received: setDirection("+str(o)+")"); + if (m_d->direction==o) + return; + m_d->direction=o; + if (m_d->shown) + m_d->rebuild3DObjects(); +} diff --git a/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/VP1TrackingVolumes.cxx b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/VP1TrackingVolumes.cxx new file mode 100644 index 0000000000000000000000000000000000000000..97fe38f20ad491488fa8c2107abf0e893adcc50c --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/VP1TrackingVolumes.cxx @@ -0,0 +1,219 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class VP1TrackingVolumes // +// // +// Author: Edward.Moyse@cern.ch // +// Initial version: March 2009 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12GuideLineSystems/VP1TrackingVolumes.h" +#include <Inventor/C/errors/debugerror.h> +#include <Inventor/nodes/SoMaterial.h> +#include <Inventor/nodes/SoSeparator.h> +#include <Inventor/nodes/SoCylinder.h> +#include <Inventor/nodes/SoCone.h> +#include <Inventor/nodes/SoTranslation.h> +#include <Inventor/nodes/SoRotationXYZ.h> +#include <iostream> +//____________________________________________________________________ +class VP1TrackingVolumes::Imp { +public: + Imp(VP1TrackingVolumes * tc, + SoMaterial * materialID, + SoMaterial * materialCalo, + SoMaterial * materialMS, + SoSeparator * attachsep, + bool showID, bool showCalo, bool showMS); + VP1TrackingVolumes * theclass; + SoSeparator * attachSep; + SoMaterial * materialID; + SoMaterial * materialCalo; + SoMaterial * materialMS; + + bool shown; + bool shownID; + bool shownCalo; + bool shownMS; + + SoSeparator * sep; + SoSeparator * sepID; + SoSeparator * sepCalo; + SoSeparator * sepMS; + SoCylinder* innerDetector; + SoCylinder* calos; + SoCylinder* muonSpectrometer; + + void updateFields(); + void ensureInit3DObjects(); +}; + +//____________________________________________________________________ +VP1TrackingVolumes::VP1TrackingVolumes( SoMaterial * materialID,SoMaterial * materialCalo,SoMaterial * materialMS, + bool showID, bool showCalo, bool showMS, + SoSeparator * attachsep, + IVP1System * sys,QObject * parent) + : QObject(parent), VP1HelperClassBase(sys,"VP1TrackingVolumes"), m_d(new Imp(this,materialID, materialCalo, materialMS, attachsep, showID, showCalo, showMS)) +{ +} + +//____________________________________________________________________ +VP1TrackingVolumes::~VP1TrackingVolumes() +{ + + setShown(false); + if (m_d->sepID) + m_d->sepID->unref(); + if (m_d->sepCalo) + m_d->sepCalo->unref(); + if (m_d->sepMS) + m_d->sepMS->unref(); + + if (m_d->sep) + m_d->sep->unref(); + std::cout<<"m_d->attachSep"<<std::endl; + + m_d->attachSep->unref(); + delete m_d; +} + +//____________________________________________________________________ +VP1TrackingVolumes::Imp::Imp(VP1TrackingVolumes *tc, SoMaterial * materialID,SoMaterial * materialCalo,SoMaterial * materialMS, SoSeparator * as, bool showID, bool showCalo, bool showMS) + : theclass(tc), attachSep(as), + materialID(materialID), materialCalo(materialCalo), materialMS(materialMS), + shown(false), shownID(showID), shownCalo(showCalo), shownMS(showMS), + sep(0),sepID(0),sepCalo(0),sepMS(0),innerDetector(0),calos(0),muonSpectrometer(0) +{ + attachSep->ref(); +} + +//____________________________________________________________________ +void VP1TrackingVolumes::Imp::ensureInit3DObjects() +{ + if (sep && sepID && sepCalo && sepMS) + return; + theclass->messageVerbose("Building 3D objects"); + + sep = new SoSeparator; + sep->ref(); + SoRotationXYZ * rotz = new SoRotationXYZ; + rotz->axis.setValue(SoRotationXYZ::X); + rotz->angle.setValue(0.5*M_PI); + sep->addChild(rotz); + + sepID = new SoSeparator; + sepID->ref(); + sepID->addChild(materialID); + innerDetector = new SoCylinder; + innerDetector->radius.setValue(1100.0); + innerDetector->height.setValue( 6400.0 ); + sepID->addChild(innerDetector); + + sepCalo = new SoSeparator; + sepCalo->ref(); + sepCalo->addChild(materialCalo); + calos = new SoCylinder; + calos->radius.setValue(4250.0); + calos->height.setValue( 6779.0*2.0 ); + sepCalo->addChild(calos); + + sepMS = new SoSeparator; + sepMS->ref(); + sepMS->addChild(materialMS); + muonSpectrometer = new SoCylinder; + muonSpectrometer->radius.setValue(15000.0); + muonSpectrometer->height.setValue( 21000.0*2.0 ); + sepMS->addChild(muonSpectrometer); + + +// innerDetector->parts.setValue(SoCylinder::SIDES|SoCylinder::BOTTOM); +} + +//____________________________________________________________________ +void VP1TrackingVolumes::Imp::updateFields() +{ + ensureInit3DObjects(); + theclass->messageVerbose("Updating fields"); + + const bool save = sep->enableNotify(false); + + if (shownID ){ + if (sep->findChild(sepID)<0) + sep->addChild(sepID); + } else { + sep->removeChild(sepID); + } + + if (shownCalo ){ + if (sep->findChild(sepCalo)<0) + sep->addChild(sepCalo); + } else { + sep->removeChild(sepCalo); + } + + if (shownMS ){ + if (sep->findChild(sepMS)<0) + sep->addChild(sepMS); + } else { + sep->removeChild(sepMS); + } + + if (save) { + sep->enableNotify(true); + sep->touch(); + } +} + +//____________________________________________________________________ +void VP1TrackingVolumes::setShown(bool b) +{ + messageVerbose("Signal received: setShown("+str(b)+")"); + if (m_d->shown==b) + return; + m_d->shown=b; + if (m_d->shown) { + m_d->updateFields(); + if (m_d->attachSep->findChild(m_d->sep)<0) + m_d->attachSep->addChild(m_d->sep); + } else { + m_d->attachSep->removeChild(m_d->sep); + } +} + +//____________________________________________________________________ +void VP1TrackingVolumes::setShownID(bool b) +{ + messageVerbose("Signal received: setShownID("+str(b)+")"); + if (m_d->shownID==b) + return; + m_d->shownID=b; + if (m_d->shown) + m_d->updateFields(); +} + +//____________________________________________________________________ +void VP1TrackingVolumes::setShownCalo(bool b) +{ + messageVerbose("Signal received: setShownCalo("+str(b)+")"); + if (m_d->shownCalo==b) + return; + m_d->shownCalo=b; + if (m_d->shown) + m_d->updateFields(); +} + +//____________________________________________________________________ +void VP1TrackingVolumes::setShownMS(bool b) +{ + messageVerbose("Signal received: setShownMS("+str(b)+")"); + if (m_d->shownMS==b) + return; + m_d->shownMS=b; + if (m_d->shown) + m_d->updateFields(); +} diff --git a/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/guidelinescontrollerform.ui b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/guidelinescontrollerform.ui new file mode 100644 index 0000000000000000000000000000000000000000..f0d1f101b3b29912ed5ea5c87fd43a9b60835bdc --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/guidelinescontrollerform.ui @@ -0,0 +1,176 @@ +<?xml version="1.0" encoding="UTF-8"?> +<ui version="4.0"> + <class>VP1GuidesControllerForm</class> + <widget class="QWidget" name="VP1GuidesControllerForm"> + <property name="geometry"> + <rect> + <x>0</x> + <y>0</y> + <width>267</width> + <height>182</height> + </rect> + </property> + <property name="windowTitle"> + <string>Form</string> + </property> + <layout class="QGridLayout"> + <property name="rightMargin"> + <number>1</number> + </property> + <property name="bottomMargin"> + <number>1</number> + </property> + <property name="spacing"> + <number>0</number> + </property> + <item row="0" column="0"> + <layout class="QGridLayout"> + <property name="horizontalSpacing"> + <number>2</number> + </property> + <property name="verticalSpacing"> + <number>0</number> + </property> + <item row="0" column="0"> + <widget class="QCheckBox" name="checkBox_floorAndLetters"> + <property name="text"> + <string>Floor && Letters</string> + </property> + <property name="checked"> + <bool>true</bool> + </property> + </widget> + </item> + <item row="0" column="1"> + <widget class="QPushButton" name="pushButton_settings_floorAndLetters"> + <property name="text"> + <string>Configure</string> + </property> + </widget> + </item> + <item row="1" column="0"> + <widget class="QCheckBox" name="checkBox_coordinateAxes"> + <property name="text"> + <string>Coordinate axes</string> + </property> + </widget> + </item> + <item row="1" column="1"> + <widget class="QPushButton" name="pushButton_settings_coordinateAxes"> + <property name="text"> + <string>Configure</string> + </property> + </widget> + </item> + <item row="2" column="0"> + <widget class="QCheckBox" name="checkBox_grid"> + <property name="text"> + <string>Grid</string> + </property> + </widget> + </item> + <item row="2" column="1"> + <widget class="QPushButton" name="pushButton_settings_grid"> + <property name="text"> + <string>Configure</string> + </property> + </widget> + </item> + <item row="3" column="0"> + <widget class="QCheckBox" name="checkBox_etaCones"> + <property name="text"> + <string>Eta Cones</string> + </property> + </widget> + </item> + <item row="3" column="1"> + <widget class="QPushButton" name="pushButton_settings_etaCones"> + <property name="text"> + <string>Configure</string> + </property> + </widget> + </item> + <item row="4" column="0"> + <widget class="QCheckBox" name="checkBox_inDetProjSurfs"> + <property name="text"> + <string>ID projection surfaces</string> + </property> + <property name="checked"> + <bool>true</bool> + </property> + </widget> + </item> + <item row="4" column="1"> + <widget class="QPushButton" name="pushButton_settings_inDetProjSurfs"> + <property name="text"> + <string>Configure</string> + </property> + </widget> + </item> + <item row="5" column="1"> + <widget class="QPushButton" name="pushButton_settings_trkVolumes"> + <property name="text"> + <string>Configure</string> + </property> + </widget> + </item> + <item row="5" column="0"> + <widget class="QCheckBox" name="checkBox_trkVolumes"> + <property name="text"> + <string>Tracking Volumes</string> + </property> + <property name="checked"> + <bool>false</bool> + </property> + </widget> + </item> + <item row="7" column="0"> + <widget class="QCheckBox" name="checkBox_lines"> + <property name="text"> + <string>Line from origin</string> + </property> + <property name="checked"> + <bool>false</bool> + </property> + </widget> + </item> + <item row="7" column="1"> + <widget class="QPushButton" name="pushButton_settings_lines"> + <property name="text"> + <string>Configure</string> + </property> + </widget> + </item> + </layout> + </item> + <item row="0" column="1"> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>1</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item row="1" column="0"> + <spacer> + <property name="orientation"> + <enum>Qt::Vertical</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>20</width> + <height>1</height> + </size> + </property> + </spacer> + </item> + </layout> + </widget> + <resources/> + <connections/> +</ui> diff --git a/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/guides_settings_coordinateaxes_form.ui b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/guides_settings_coordinateaxes_form.ui new file mode 100644 index 0000000000000000000000000000000000000000..02f1c6ee5cbbbd5ab3b0875d1a9a15471180b77a --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/guides_settings_coordinateaxes_form.ui @@ -0,0 +1,347 @@ +<ui version="4.0" > + <class>VP1GuidesSysSettingsCoordinateAxesForm</class> + <widget class="QWidget" name="VP1GuidesSysSettingsCoordinateAxesForm" > + <property name="geometry" > + <rect> + <x>0</x> + <y>0</y> + <width>296</width> + <height>248</height> + </rect> + </property> + <property name="windowTitle" > + <string>Form</string> + </property> + <layout class="QVBoxLayout" > + <item> + <widget class="QGroupBox" name="groupBox_4" > + <property name="title" > + <string>Coordinate Axes</string> + </property> + <layout class="QVBoxLayout" > + <item> + <layout class="QHBoxLayout" > + <item> + <widget class="QLabel" name="label_22" > + <property name="text" > + <string>Position (x,y,z):</string> + </property> + </widget> + </item> + <item> + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType" > + <enum>QSizePolicy::Expanding</enum> + </property> + <property name="sizeHint" > + <size> + <width>1</width> + <height>5</height> + </size> + </property> + </spacer> + </item> + </layout> + </item> + <item> + <layout class="QHBoxLayout" > + <item> + <widget class="QDoubleSpinBox" name="doubleSpinBox_axes_xpos_m" > + <property name="sizePolicy" > + <sizepolicy vsizetype="Fixed" hsizetype="Preferred" > + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="alignment" > + <set>Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter</set> + </property> + <property name="suffix" > + <string> m</string> + </property> + <property name="decimals" > + <number>3</number> + </property> + <property name="minimum" > + <double>-99.989999999999995</double> + </property> + <property name="singleStep" > + <double>0.010000000000000</double> + </property> + <property name="value" > + <double>0.000000000000000</double> + </property> + </widget> + </item> + <item> + <widget class="QDoubleSpinBox" name="doubleSpinBox_axes_ypos_m" > + <property name="sizePolicy" > + <sizepolicy vsizetype="Fixed" hsizetype="Preferred" > + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="alignment" > + <set>Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter</set> + </property> + <property name="suffix" > + <string> m</string> + </property> + <property name="decimals" > + <number>3</number> + </property> + <property name="minimum" > + <double>-99.989999999999995</double> + </property> + <property name="singleStep" > + <double>0.010000000000000</double> + </property> + </widget> + </item> + <item> + <widget class="QDoubleSpinBox" name="doubleSpinBox_axes_zpos_m" > + <property name="sizePolicy" > + <sizepolicy vsizetype="Fixed" hsizetype="Preferred" > + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="alignment" > + <set>Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter</set> + </property> + <property name="suffix" > + <string> m</string> + </property> + <property name="decimals" > + <number>3</number> + </property> + <property name="minimum" > + <double>-99.989999999999995</double> + </property> + <property name="singleStep" > + <double>0.010000000000000</double> + </property> + </widget> + </item> + <item> + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" > + <size> + <width>1</width> + <height>5</height> + </size> + </property> + </spacer> + </item> + </layout> + </item> + <item> + <layout class="QHBoxLayout" > + <item> + <widget class="QLabel" name="label_24" > + <property name="text" > + <string>Colours (x,y,z):</string> + </property> + </widget> + </item> + <item> + <layout class="QHBoxLayout" > + <property name="spacing" > + <number>2</number> + </property> + <item> + <widget class="VP1MaterialButton" name="matButton_axes_x" > + <property name="sizePolicy" > + <sizepolicy vsizetype="Fixed" hsizetype="Fixed" > + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="text" > + <string/> + </property> + </widget> + </item> + <item> + <widget class="VP1MaterialButton" name="matButton_axes_y" > + <property name="sizePolicy" > + <sizepolicy vsizetype="Fixed" hsizetype="Fixed" > + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="text" > + <string/> + </property> + </widget> + </item> + <item> + <widget class="VP1MaterialButton" name="matButton_axes_z" > + <property name="sizePolicy" > + <sizepolicy vsizetype="Fixed" hsizetype="Fixed" > + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="text" > + <string/> + </property> + </widget> + </item> + </layout> + </item> + <item> + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType" > + <enum>QSizePolicy::Expanding</enum> + </property> + <property name="sizeHint" > + <size> + <width>1</width> + <height>5</height> + </size> + </property> + </spacer> + </item> + </layout> + </item> + <item> + <layout class="QHBoxLayout" > + <property name="spacing" > + <number>9</number> + </property> + <item> + <widget class="QLabel" name="label_23" > + <property name="text" > + <string>Lengths:</string> + </property> + </widget> + </item> + <item> + <widget class="QDoubleSpinBox" name="doubleSpinBox_axes_lengths_m" > + <property name="alignment" > + <set>Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter</set> + </property> + <property name="suffix" > + <string> m</string> + </property> + <property name="decimals" > + <number>3</number> + </property> + <property name="minimum" > + <double>0.001000000000000</double> + </property> + <property name="singleStep" > + <double>0.100000000000000</double> + </property> + <property name="value" > + <double>1.000000000000000</double> + </property> + </widget> + </item> + <item> + <widget class="QLabel" name="label_25" > + <property name="text" > + <string>Rel. thick.:</string> + </property> + </widget> + </item> + <item> + <widget class="QDoubleSpinBox" name="doubleSpinBox_axes_relthickness" > + <property name="decimals" > + <number>3</number> + </property> + <property name="minimum" > + <double>0.001000000000000</double> + </property> + <property name="maximum" > + <double>0.150000000000000</double> + </property> + <property name="singleStep" > + <double>0.010000000000000</double> + </property> + <property name="value" > + <double>0.030000000000000</double> + </property> + </widget> + </item> + </layout> + </item> + <item> + <layout class="QHBoxLayout" > + <item> + <widget class="QCheckBox" name="checkBox_axes_shownegativeparts" > + <property name="text" > + <string>Show negative parts</string> + </property> + </widget> + </item> + <item> + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType" > + <enum>QSizePolicy::Expanding</enum> + </property> + <property name="sizeHint" > + <size> + <width>1</width> + <height>5</height> + </size> + </property> + </spacer> + </item> + </layout> + </item> + </layout> + </widget> + </item> + <item> + <layout class="QHBoxLayout" > + <property name="spacing" > + <number>0</number> + </property> + <item> + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" > + <size> + <width>1</width> + <height>5</height> + </size> + </property> + </spacer> + </item> + <item> + <widget class="QPushButton" name="pushButton_close" > + <property name="text" > + <string>&Close</string> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </widget> + <customwidgets> + <customwidget> + <class>VP1MaterialButton</class> + <extends>QPushButton</extends> + <header>VP1Base/VP1MaterialButton.h</header> + </customwidget> + </customwidgets> + <resources/> + <connections/> +</ui> diff --git a/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/guides_settings_etacones_form.ui b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/guides_settings_etacones_form.ui new file mode 100644 index 0000000000000000000000000000000000000000..4a3fe1c81a936bf584ced10c21e2967db885ad5b --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/guides_settings_etacones_form.ui @@ -0,0 +1,308 @@ +<ui version="4.0" > + <class>VP1GuidesSysSettingsEtaConeForm</class> + <widget class="QWidget" name="VP1GuidesSysSettingsEtaConeForm" > + <property name="geometry" > + <rect> + <x>0</x> + <y>0</y> + <width>220</width> + <height>211</height> + </rect> + </property> + <property name="windowTitle" > + <string>Form</string> + </property> + <layout class="QVBoxLayout" > + <item> + <widget class="QGroupBox" name="groupBox_2" > + <property name="title" > + <string>Cones of constant eta</string> + </property> + <layout class="QGridLayout" > + <property name="leftMargin" > + <number>4</number> + </property> + <property name="topMargin" > + <number>4</number> + </property> + <property name="rightMargin" > + <number>4</number> + </property> + <property name="bottomMargin" > + <number>4</number> + </property> + <property name="horizontalSpacing" > + <number>4</number> + </property> + <item row="0" column="0" > + <layout class="QVBoxLayout" > + <property name="spacing" > + <number>2</number> + </property> + <item> + <layout class="QHBoxLayout" > + <property name="spacing" > + <number>3</number> + </property> + <item> + <layout class="QHBoxLayout" > + <property name="spacing" > + <number>0</number> + </property> + <item> + <widget class="QCheckBox" name="checkBox_etacone1" > + <property name="text" > + <string>eta =</string> + </property> + <property name="checked" > + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="QDoubleSpinBox" name="doubleSpinBox_etaval1" > + <property name="alignment" > + <set>Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter</set> + </property> + <property name="minimum" > + <double>0.010000000000000</double> + </property> + <property name="maximum" > + <double>10.000000000000000</double> + </property> + <property name="singleStep" > + <double>0.250000000000000</double> + </property> + <property name="value" > + <double>1.000000000000000</double> + </property> + </widget> + </item> + </layout> + </item> + <item> + <widget class="VP1MaterialButton" name="matButton_etaCone1" > + <property name="text" > + <string/> + </property> + </widget> + </item> + </layout> + </item> + <item> + <layout class="QHBoxLayout" > + <property name="spacing" > + <number>3</number> + </property> + <item> + <layout class="QHBoxLayout" > + <property name="spacing" > + <number>0</number> + </property> + <item> + <widget class="QCheckBox" name="checkBox_etacone2" > + <property name="text" > + <string>eta =</string> + </property> + </widget> + </item> + <item> + <widget class="QDoubleSpinBox" name="doubleSpinBox_etaval2" > + <property name="alignment" > + <set>Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter</set> + </property> + <property name="minimum" > + <double>0.010000000000000</double> + </property> + <property name="maximum" > + <double>10.000000000000000</double> + </property> + <property name="singleStep" > + <double>0.250000000000000</double> + </property> + <property name="value" > + <double>2.000000000000000</double> + </property> + </widget> + </item> + </layout> + </item> + <item> + <widget class="VP1MaterialButton" name="matButton_etaCone2" > + <property name="text" > + <string/> + </property> + </widget> + </item> + </layout> + </item> + <item> + <layout class="QHBoxLayout" > + <property name="spacing" > + <number>3</number> + </property> + <item> + <layout class="QHBoxLayout" > + <property name="spacing" > + <number>0</number> + </property> + <item> + <widget class="QCheckBox" name="checkBox_etacone3" > + <property name="text" > + <string>eta =</string> + </property> + </widget> + </item> + <item> + <widget class="QDoubleSpinBox" name="doubleSpinBox_etaval3" > + <property name="alignment" > + <set>Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter</set> + </property> + <property name="minimum" > + <double>0.010000000000000</double> + </property> + <property name="maximum" > + <double>10.000000000000000</double> + </property> + <property name="singleStep" > + <double>0.250000000000000</double> + </property> + <property name="value" > + <double>3.000000000000000</double> + </property> + </widget> + </item> + </layout> + </item> + <item> + <widget class="VP1MaterialButton" name="matButton_etaCone3" > + <property name="text" > + <string/> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </item> + <item row="0" column="1" > + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType" > + <enum>QSizePolicy::Preferred</enum> + </property> + <property name="sizeHint" > + <size> + <width>16</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item row="1" column="0" colspan="2" > + <layout class="QHBoxLayout" > + <item> + <widget class="QLabel" name="label_6" > + <property name="text" > + <string>Extent:</string> + </property> + </widget> + </item> + <item> + <widget class="QDoubleSpinBox" name="doubleSpinBox_etaconeextent" > + <property name="alignment" > + <set>Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter</set> + </property> + <property name="suffix" > + <string> m</string> + </property> + <property name="minimum" > + <double>0.010000000000000</double> + </property> + <property name="singleStep" > + <double>0.250000000000000</double> + </property> + <property name="value" > + <double>4.000000000000000</double> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_etaconeextentisr" > + <property name="text" > + <string>r</string> + </property> + <property name="checked" > + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_etaconeextentisz" > + <property name="text" > + <string>Z</string> + </property> + <property name="checked" > + <bool>false</bool> + </property> + </widget> + </item> + <item> + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" > + <size> + <width>40</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + </layout> + </item> + </layout> + </widget> + </item> + <item> + <layout class="QHBoxLayout" > + <property name="spacing" > + <number>0</number> + </property> + <item> + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" > + <size> + <width>1</width> + <height>5</height> + </size> + </property> + </spacer> + </item> + <item> + <widget class="QPushButton" name="pushButton_close" > + <property name="text" > + <string>&Close</string> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </widget> + <customwidgets> + <customwidget> + <class>VP1MaterialButton</class> + <extends>QPushButton</extends> + <header>VP1Base/VP1MaterialButton.h</header> + </customwidget> + </customwidgets> + <resources/> + <connections/> +</ui> diff --git a/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/guides_settings_floorandletters_form.ui b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/guides_settings_floorandletters_form.ui new file mode 100644 index 0000000000000000000000000000000000000000..39b686fa9d4ba5759f1a96c7f748b2b30aa5dbee --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/guides_settings_floorandletters_form.ui @@ -0,0 +1,294 @@ +<ui version="4.0" > + <class>VP1GuidesSysSettingsFloorAndLettersForm</class> + <widget class="QWidget" name="VP1GuidesSysSettingsFloorAndLettersForm" > + <property name="geometry" > + <rect> + <x>0</x> + <y>0</y> + <width>283</width> + <height>188</height> + </rect> + </property> + <property name="windowTitle" > + <string>Form</string> + </property> + <layout class="QVBoxLayout" > + <item> + <widget class="QGroupBox" name="groupBox_3" > + <property name="title" > + <string>Floor/Letters</string> + </property> + <layout class="QGridLayout" > + <property name="leftMargin" > + <number>4</number> + </property> + <property name="topMargin" > + <number>4</number> + </property> + <property name="rightMargin" > + <number>4</number> + </property> + <property name="bottomMargin" > + <number>4</number> + </property> + <item row="0" column="0" > + <layout class="QHBoxLayout" > + <item> + <widget class="QCheckBox" name="checkBox_floorenabled" > + <property name="text" > + <string>Floor</string> + </property> + <property name="checked" > + <bool>true</bool> + </property> + </widget> + </item> + <item> + <layout class="QHBoxLayout" > + <property name="spacing" > + <number>2</number> + </property> + <item> + <widget class="VP1ColorSelectButton" name="colorButton_floor" > + <property name="text" > + <string/> + </property> + </widget> + </item> + <item> + <widget class="QLabel" name="label_12" > + <property name="text" > + <string>Transp.:</string> + </property> + </widget> + </item> + <item> + <widget class="QSpinBox" name="spinBox_floortransp" > + <property name="alignment" > + <set>Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter</set> + </property> + <property name="suffix" > + <string> %</string> + </property> + <property name="maximum" > + <number>100</number> + </property> + <property name="singleStep" > + <number>5</number> + </property> + <property name="value" > + <number>0</number> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </item> + <item row="0" column="1" colspan="2" > + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType" > + <enum>QSizePolicy::Preferred</enum> + </property> + <property name="sizeHint" > + <size> + <width>1</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item row="1" column="0" colspan="2" > + <layout class="QHBoxLayout" > + <item> + <layout class="QHBoxLayout" > + <property name="spacing" > + <number>0</number> + </property> + <item> + <widget class="QCheckBox" name="checkBox_acdesignations" > + <property name="text" > + <string>A+C letters</string> + </property> + <property name="checked" > + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="VP1MaterialButton" name="matButton_letters" > + <property name="text" > + <string/> + </property> + </widget> + </item> + </layout> + </item> + <item> + <layout class="QHBoxLayout" > + <property name="spacing" > + <number>2</number> + </property> + <item> + <widget class="QLabel" name="label_9" > + <property name="text" > + <string>Height:</string> + </property> + </widget> + </item> + <item> + <widget class="QDoubleSpinBox" name="doubleSpinBox_floorheight" > + <property name="alignment" > + <set>Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter</set> + </property> + <property name="suffix" > + <string> m</string> + </property> + <property name="minimum" > + <double>-99.989999999999995</double> + </property> + <property name="value" > + <double>-11.000000000000000</double> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </item> + <item row="1" column="2" > + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType" > + <enum>QSizePolicy::Preferred</enum> + </property> + <property name="sizeHint" > + <size> + <width>1</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item row="2" column="0" colspan="3" > + <layout class="QHBoxLayout" > + <item> + <layout class="QHBoxLayout" > + <property name="spacing" > + <number>2</number> + </property> + <item> + <widget class="QLabel" name="label_8" > + <property name="text" > + <string>Spacing:</string> + </property> + </widget> + </item> + <item> + <widget class="QDoubleSpinBox" name="doubleSpinBox_floorspacing" > + <property name="alignment" > + <set>Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter</set> + </property> + <property name="suffix" > + <string> m</string> + </property> + <property name="minimum" > + <double>0.010000000000000</double> + </property> + <property name="maximum" > + <double>40.000000000000000</double> + </property> + <property name="singleStep" > + <double>0.250000000000000</double> + </property> + <property name="value" > + <double>2.000000000000000</double> + </property> + </widget> + </item> + </layout> + </item> + <item> + <layout class="QHBoxLayout" > + <property name="spacing" > + <number>2</number> + </property> + <item> + <widget class="QLabel" name="label_7" > + <property name="text" > + <string>Extent:</string> + </property> + </widget> + </item> + <item> + <widget class="QDoubleSpinBox" name="doubleSpinBox_floorextent" > + <property name="alignment" > + <set>Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter</set> + </property> + <property name="suffix" > + <string> m</string> + </property> + <property name="minimum" > + <double>1.000000000000000</double> + </property> + <property name="value" > + <double>16.000000000000000</double> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </item> + </layout> + </widget> + </item> + <item> + <layout class="QHBoxLayout" > + <property name="spacing" > + <number>0</number> + </property> + <item> + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" > + <size> + <width>1</width> + <height>5</height> + </size> + </property> + </spacer> + </item> + <item> + <widget class="QPushButton" name="pushButton_close" > + <property name="text" > + <string>&Close</string> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </widget> + <customwidgets> + <customwidget> + <class>VP1MaterialButton</class> + <extends>QPushButton</extends> + <header>VP1Base/VP1MaterialButton.h</header> + </customwidget> + <customwidget> + <class>VP1ColorSelectButton</class> + <extends>QPushButton</extends> + <header>VP1Base/VP1ColorSelectButton.h</header> + </customwidget> + </customwidgets> + <resources/> + <connections/> +</ui> diff --git a/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/guides_settings_grid_form.ui b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/guides_settings_grid_form.ui new file mode 100644 index 0000000000000000000000000000000000000000..562c08e39289fd23330c118e4638b45220ae8bc8 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/guides_settings_grid_form.ui @@ -0,0 +1,246 @@ +<ui version="4.0" > + <class>VP1GuidesSysSettingsGridForm</class> + <widget class="QWidget" name="VP1GuidesSysSettingsGridForm" > + <property name="geometry" > + <rect> + <x>0</x> + <y>0</y> + <width>275</width> + <height>178</height> + </rect> + </property> + <property name="windowTitle" > + <string>Form</string> + </property> + <layout class="QVBoxLayout" > + <item> + <widget class="QGroupBox" name="groupBox" > + <property name="title" > + <string>Grid</string> + </property> + <layout class="QGridLayout" > + <property name="leftMargin" > + <number>4</number> + </property> + <property name="topMargin" > + <number>4</number> + </property> + <property name="rightMargin" > + <number>4</number> + </property> + <property name="bottomMargin" > + <number>4</number> + </property> + <item row="0" column="0" colspan="2" > + <layout class="QHBoxLayout" > + <property name="spacing" > + <number>2</number> + </property> + <item> + <widget class="QRadioButton" name="radioButton_grid_cartesian" > + <property name="text" > + <string>Cartesian</string> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_grid_cylindrical" > + <property name="text" > + <string>Cylindrical</string> + </property> + <property name="checked" > + <bool>true</bool> + </property> + </widget> + </item> + </layout> + </item> + <item row="0" column="2" > + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType" > + <enum>QSizePolicy::Expanding</enum> + </property> + <property name="sizeHint" > + <size> + <width>1</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item row="1" column="0" > + <layout class="QHBoxLayout" > + <property name="spacing" > + <number>2</number> + </property> + <item> + <widget class="VP1ColorSelectButton" name="colorButton_grid" > + <property name="text" > + <string/> + </property> + </widget> + </item> + <item> + <widget class="QLabel" name="label_26" > + <property name="text" > + <string>Transp.:</string> + </property> + </widget> + </item> + <item> + <widget class="QSpinBox" name="spinBox_gridtransp" > + <property name="alignment" > + <set>Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter</set> + </property> + <property name="suffix" > + <string> %</string> + </property> + <property name="maximum" > + <number>100</number> + </property> + <property name="singleStep" > + <number>5</number> + </property> + <property name="value" > + <number>0</number> + </property> + </widget> + </item> + </layout> + </item> + <item row="1" column="1" colspan="2" > + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType" > + <enum>QSizePolicy::Expanding</enum> + </property> + <property name="sizeHint" > + <size> + <width>1</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item row="2" column="0" colspan="3" > + <layout class="QHBoxLayout" > + <item> + <widget class="QLabel" name="label_3" > + <property name="text" > + <string>Spacing:</string> + </property> + </widget> + </item> + <item> + <widget class="QDoubleSpinBox" name="doubleSpinBox_gridspacing" > + <property name="alignment" > + <set>Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter</set> + </property> + <property name="suffix" > + <string> m</string> + </property> + <property name="decimals" > + <number>2</number> + </property> + <property name="minimum" > + <double>0.010000000000000</double> + </property> + <property name="maximum" > + <double>99.989999999999995</double> + </property> + <property name="singleStep" > + <double>0.250000000000000</double> + </property> + <property name="value" > + <double>2.000000000000000</double> + </property> + </widget> + </item> + <item> + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType" > + <enum>QSizePolicy::Fixed</enum> + </property> + <property name="sizeHint" > + <size> + <width>5</width> + <height>5</height> + </size> + </property> + </spacer> + </item> + <item> + <widget class="QLabel" name="label_4" > + <property name="text" > + <string>Extent:</string> + </property> + </widget> + </item> + <item> + <widget class="QDoubleSpinBox" name="doubleSpinBox_gridextent" > + <property name="alignment" > + <set>Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter</set> + </property> + <property name="suffix" > + <string> m</string> + </property> + <property name="decimals" > + <number>2</number> + </property> + <property name="value" > + <double>4.000000000000000</double> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </widget> + </item> + <item> + <layout class="QHBoxLayout" > + <property name="spacing" > + <number>0</number> + </property> + <item> + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" > + <size> + <width>1</width> + <height>5</height> + </size> + </property> + </spacer> + </item> + <item> + <widget class="QPushButton" name="pushButton_close" > + <property name="text" > + <string>&Close</string> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </widget> + <customwidgets> + <customwidget> + <class>VP1ColorSelectButton</class> + <extends>QPushButton</extends> + <header>VP1Base/VP1ColorSelectButton.h</header> + </customwidget> + </customwidgets> + <resources/> + <connections/> +</ui> diff --git a/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/guides_settings_idprojsurfs_form.ui b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/guides_settings_idprojsurfs_form.ui new file mode 100644 index 0000000000000000000000000000000000000000..37397fb738ae1aa22ba930813c368f00b4adfa9a --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/guides_settings_idprojsurfs_form.ui @@ -0,0 +1,683 @@ +<ui version="4.0" > + <class>VP1GuidesSysSettingsIDProjSurfsForm</class> + <widget class="QWidget" name="VP1GuidesSysSettingsIDProjSurfsForm" > + <property name="geometry" > + <rect> + <x>0</x> + <y>0</y> + <width>266</width> + <height>552</height> + </rect> + </property> + <property name="windowTitle" > + <string>Form</string> + </property> + <layout class="QVBoxLayout" > + <item> + <widget class="QGroupBox" name="groupBox_pixelproj" > + <property name="title" > + <string>Pixel Projections</string> + </property> + <property name="checkable" > + <bool>true</bool> + </property> + <property name="checked" > + <bool>false</bool> + </property> + <layout class="QGridLayout" > + <property name="leftMargin" > + <number>4</number> + </property> + <property name="topMargin" > + <number>4</number> + </property> + <property name="rightMargin" > + <number>4</number> + </property> + <property name="bottomMargin" > + <number>4</number> + </property> + <item row="0" column="0" > + <layout class="QHBoxLayout" > + <item> + <widget class="QLabel" name="label_19" > + <property name="text" > + <string>Show surfaces: </string> + </property> + </widget> + </item> + <item> + <widget class="QCheckBox" name="checkBox_pixelprojsurf_parts_asneeded" > + <property name="text" > + <string>As needed</string> + </property> + <property name="checked" > + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="VP1MaterialButton" name="pushButton_projsurfmaterial_pixel" > + <property name="text" > + <string/> + </property> + </widget> + </item> + </layout> + </item> + <item row="0" column="1" > + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType" > + <enum>QSizePolicy::Preferred</enum> + </property> + <property name="sizeHint" > + <size> + <width>1</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item row="1" column="0" colspan="2" > + <layout class="QHBoxLayout" > + <property name="spacing" > + <number>0</number> + </property> + <property name="leftMargin" > + <number>20</number> + </property> + <item> + <widget class="QCheckBox" name="checkBox_pixelprojsurf_parts_barrelA" > + <property name="enabled" > + <bool>false</bool> + </property> + <property name="text" > + <string>brl A</string> + </property> + <property name="checked" > + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="QCheckBox" name="checkBox_pixelprojsurf_parts_barrelC" > + <property name="enabled" > + <bool>false</bool> + </property> + <property name="text" > + <string>brl C</string> + </property> + <property name="checked" > + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="QCheckBox" name="checkBox_pixelprojsurf_parts_endcapA" > + <property name="enabled" > + <bool>false</bool> + </property> + <property name="text" > + <string>ec A</string> + </property> + <property name="checked" > + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="QCheckBox" name="checkBox_pixelprojsurf_parts_endcapC" > + <property name="enabled" > + <bool>false</bool> + </property> + <property name="text" > + <string>ec C</string> + </property> + <property name="checked" > + <bool>true</bool> + </property> + </widget> + </item> + </layout> + </item> + <item row="2" column="0" colspan="2" > + <layout class="QHBoxLayout" > + <property name="spacing" > + <number>0</number> + </property> + <item> + <widget class="QLabel" name="label_20" > + <property name="text" > + <string>brl pos: </string> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_pixelprojsurf_barrel_inner" > + <property name="text" > + <string>Inner</string> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_pixelprojsurf_barrel_outer" > + <property name="text" > + <string>Outer</string> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_pixelprojsurf_barrel_both" > + <property name="text" > + <string>Both</string> + </property> + </widget> + </item> + </layout> + </item> + <item row="3" column="0" colspan="2" > + <layout class="QHBoxLayout" > + <property name="spacing" > + <number>0</number> + </property> + <item> + <widget class="QLabel" name="label_21" > + <property name="text" > + <string>ec pos: </string> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_pixelprojsurf_endcap_inner" > + <property name="text" > + <string>Inner</string> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_pixelprojsurf_endcap_outer" > + <property name="text" > + <string>Outer</string> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_pixelprojsurf_endcap_both" > + <property name="text" > + <string>Both</string> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </widget> + </item> + <item> + <widget class="QGroupBox" name="groupBox_sctproj" > + <property name="title" > + <string>SCT Projections</string> + </property> + <property name="checkable" > + <bool>true</bool> + </property> + <property name="checked" > + <bool>false</bool> + </property> + <layout class="QGridLayout" > + <property name="leftMargin" > + <number>4</number> + </property> + <property name="topMargin" > + <number>4</number> + </property> + <property name="rightMargin" > + <number>4</number> + </property> + <property name="bottomMargin" > + <number>4</number> + </property> + <item row="0" column="0" > + <layout class="QHBoxLayout" > + <item> + <widget class="QLabel" name="label_15" > + <property name="text" > + <string>Show surfaces: </string> + </property> + </widget> + </item> + <item> + <widget class="QCheckBox" name="checkBox_sctprojsurf_parts_asneeded" > + <property name="text" > + <string>As needed</string> + </property> + <property name="checked" > + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="VP1MaterialButton" name="pushButton_projsurfmaterial_sct" > + <property name="text" > + <string/> + </property> + </widget> + </item> + </layout> + </item> + <item row="0" column="1" > + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType" > + <enum>QSizePolicy::Preferred</enum> + </property> + <property name="sizeHint" > + <size> + <width>1</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item row="1" column="0" colspan="2" > + <layout class="QHBoxLayout" > + <property name="spacing" > + <number>0</number> + </property> + <property name="leftMargin" > + <number>20</number> + </property> + <item> + <widget class="QCheckBox" name="checkBox_sctprojsurf_parts_barrelA" > + <property name="enabled" > + <bool>false</bool> + </property> + <property name="text" > + <string>brl A</string> + </property> + <property name="checked" > + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="QCheckBox" name="checkBox_sctprojsurf_parts_barrelC" > + <property name="enabled" > + <bool>false</bool> + </property> + <property name="text" > + <string>brl C</string> + </property> + <property name="checked" > + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="QCheckBox" name="checkBox_sctprojsurf_parts_endcapA" > + <property name="enabled" > + <bool>false</bool> + </property> + <property name="text" > + <string>ec A</string> + </property> + <property name="checked" > + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="QCheckBox" name="checkBox_sctprojsurf_parts_endcapC" > + <property name="enabled" > + <bool>false</bool> + </property> + <property name="text" > + <string>ec C</string> + </property> + <property name="checked" > + <bool>true</bool> + </property> + </widget> + </item> + </layout> + </item> + <item row="2" column="0" colspan="2" > + <layout class="QHBoxLayout" > + <property name="spacing" > + <number>0</number> + </property> + <item> + <widget class="QLabel" name="label_17" > + <property name="text" > + <string>brl pos: </string> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_sctprojsurf_barrel_inner" > + <property name="text" > + <string>Inner</string> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_sctprojsurf_barrel_outer" > + <property name="text" > + <string>Outer</string> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_sctprojsurf_barrel_both" > + <property name="text" > + <string>Both</string> + </property> + </widget> + </item> + </layout> + </item> + <item row="3" column="0" colspan="2" > + <layout class="QHBoxLayout" > + <property name="spacing" > + <number>0</number> + </property> + <item> + <widget class="QLabel" name="label_18" > + <property name="text" > + <string>ec pos: </string> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_sctprojsurf_endcap_inner" > + <property name="text" > + <string>Inner</string> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_sctprojsurf_endcap_outer" > + <property name="text" > + <string>Outer</string> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_sctprojsurf_endcap_both" > + <property name="text" > + <string>Both</string> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </widget> + </item> + <item> + <widget class="QGroupBox" name="groupBox_trtproj" > + <property name="title" > + <string>TRT Projections</string> + </property> + <property name="checkable" > + <bool>true</bool> + </property> + <layout class="QGridLayout" > + <property name="leftMargin" > + <number>4</number> + </property> + <property name="topMargin" > + <number>4</number> + </property> + <property name="rightMargin" > + <number>4</number> + </property> + <property name="bottomMargin" > + <number>4</number> + </property> + <item row="0" column="0" colspan="2" > + <layout class="QHBoxLayout" > + <item> + <widget class="QLabel" name="label_14" > + <property name="text" > + <string>Show surfaces: </string> + </property> + </widget> + </item> + <item> + <widget class="QCheckBox" name="checkBox_trtprojsurf_parts_asneeded" > + <property name="text" > + <string>As needed</string> + </property> + <property name="checked" > + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="VP1MaterialButton" name="pushButton_projsurfmaterial_trt" > + <property name="text" > + <string/> + </property> + </widget> + </item> + </layout> + </item> + <item row="0" column="2" > + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType" > + <enum>QSizePolicy::Preferred</enum> + </property> + <property name="sizeHint" > + <size> + <width>1</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item row="1" column="0" colspan="3" > + <layout class="QHBoxLayout" > + <property name="spacing" > + <number>0</number> + </property> + <property name="leftMargin" > + <number>20</number> + </property> + <item> + <widget class="QCheckBox" name="checkBox_trtprojsurf_parts_barrelA" > + <property name="enabled" > + <bool>false</bool> + </property> + <property name="text" > + <string>brl A</string> + </property> + <property name="checked" > + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="QCheckBox" name="checkBox_trtprojsurf_parts_barrelC" > + <property name="enabled" > + <bool>false</bool> + </property> + <property name="text" > + <string>brl C</string> + </property> + <property name="checked" > + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="QCheckBox" name="checkBox_trtprojsurf_parts_endcapA" > + <property name="enabled" > + <bool>false</bool> + </property> + <property name="text" > + <string>ec A</string> + </property> + <property name="checked" > + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="QCheckBox" name="checkBox_trtprojsurf_parts_endcapC" > + <property name="enabled" > + <bool>false</bool> + </property> + <property name="text" > + <string>ec C</string> + </property> + <property name="checked" > + <bool>true</bool> + </property> + </widget> + </item> + </layout> + </item> + <item row="2" column="0" colspan="3" > + <layout class="QHBoxLayout" > + <property name="spacing" > + <number>0</number> + </property> + <item> + <widget class="QLabel" name="label_13" > + <property name="text" > + <string>brl pos: </string> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_trtprojsurf_barrel_inner" > + <property name="text" > + <string>Inner</string> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_trtprojsurf_barrel_outer" > + <property name="text" > + <string>Outer</string> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_trtprojsurf_barrel_both" > + <property name="text" > + <string>Both</string> + </property> + </widget> + </item> + </layout> + </item> + <item row="3" column="0" colspan="3" > + <layout class="QHBoxLayout" > + <property name="spacing" > + <number>0</number> + </property> + <item> + <widget class="QLabel" name="label_16" > + <property name="text" > + <string>ec pos: </string> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_trtprojsurf_endcap_inner" > + <property name="text" > + <string>Inner</string> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_trtprojsurf_endcap_outer" > + <property name="text" > + <string>Outer</string> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_trtprojsurf_endcap_both" > + <property name="text" > + <string>Both</string> + </property> + </widget> + </item> + </layout> + </item> + <item row="4" column="0" > + <widget class="QCheckBox" name="checkBox_trtprojsurf_z2r" > + <property name="text" > + <string>Project ec to brl planes (Z to R)</string> + </property> + </widget> + </item> + <item row="4" column="1" colspan="2" > + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType" > + <enum>QSizePolicy::Preferred</enum> + </property> + <property name="sizeHint" > + <size> + <width>1</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + </layout> + </widget> + </item> + <item> + <layout class="QHBoxLayout" > + <property name="spacing" > + <number>0</number> + </property> + <item> + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" > + <size> + <width>1</width> + <height>5</height> + </size> + </property> + </spacer> + </item> + <item> + <widget class="QPushButton" name="pushButton_close" > + <property name="text" > + <string>&Close</string> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </widget> + <customwidgets> + <customwidget> + <class>VP1MaterialButton</class> + <extends>QPushButton</extends> + <header>VP1Base/VP1MaterialButton.h</header> + </customwidget> + </customwidgets> + <resources/> + <connections/> +</ui> diff --git a/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/guides_settings_lines_form.ui b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/guides_settings_lines_form.ui new file mode 100644 index 0000000000000000000000000000000000000000..aa6ab3689c2de3e167afd3335369e0f6c393e19a --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/guides_settings_lines_form.ui @@ -0,0 +1,192 @@ +<?xml version="1.0" encoding="UTF-8"?> +<ui version="4.0"> + <class>VP1LinesForm</class> + <widget class="QWidget" name="VP1LinesForm"> + <property name="geometry"> + <rect> + <x>0</x> + <y>0</y> + <width>333</width> + <height>166</height> + </rect> + </property> + <property name="windowTitle"> + <string>Form</string> + </property> + <layout class="QVBoxLayout" name="verticalLayout"> + <item> + <layout class="QGridLayout" name="gridLayout"> + <item row="6" column="0"> + <widget class="QLabel" name="label_26"> + <property name="text"> + <string>Length</string> + </property> + </widget> + </item> + <item row="1" column="1"> + <widget class="QDoubleSpinBox" name="doubleSpinBox_phi"> + <property name="sizePolicy"> + <sizepolicy hsizetype="Preferred" vsizetype="Fixed"> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="alignment"> + <set>Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter</set> + </property> + <property name="suffix"> + <string/> + </property> + <property name="decimals"> + <number>3</number> + </property> + <property name="minimum"> + <double>-6.280000000000000</double> + </property> + <property name="maximum"> + <double>6.280000000000000</double> + </property> + <property name="singleStep"> + <double>0.010000000000000</double> + </property> + </widget> + </item> + <item row="4" column="1"> + <widget class="QDoubleSpinBox" name="doubleSpinBox_theta"> + <property name="sizePolicy"> + <sizepolicy hsizetype="Preferred" vsizetype="Fixed"> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="alignment"> + <set>Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter</set> + </property> + <property name="suffix"> + <string/> + </property> + <property name="decimals"> + <number>3</number> + </property> + <property name="minimum"> + <double>-6.280000000000000</double> + </property> + <property name="maximum"> + <double>6.280000000000000</double> + </property> + <property name="singleStep"> + <double>0.010000000000000</double> + </property> + </widget> + </item> + <item row="6" column="1"> + <widget class="QDoubleSpinBox" name="doubleSpinBox_length"> + <property name="sizePolicy"> + <sizepolicy hsizetype="Preferred" vsizetype="Fixed"> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="alignment"> + <set>Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter</set> + </property> + <property name="suffix"> + <string> m</string> + </property> + <property name="decimals"> + <number>3</number> + </property> + <property name="minimum"> + <double>-99.989999999999995</double> + </property> + <property name="singleStep"> + <double>0.010000000000000</double> + </property> + <property name="value"> + <double>5.000000000000000</double> + </property> + </widget> + </item> + <item row="4" column="0"> + <widget class="QLabel" name="label_27"> + <property name="text"> + <string>Theta</string> + </property> + </widget> + </item> + <item row="2" column="1"> + <widget class="QDoubleSpinBox" name="doubleSpinBox_eta"> + <property name="sizePolicy"> + <sizepolicy hsizetype="Preferred" vsizetype="Fixed"> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="alignment"> + <set>Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter</set> + </property> + <property name="suffix"> + <string/> + </property> + <property name="decimals"> + <number>3</number> + </property> + <property name="minimum"> + <double>-5.000000000000000</double> + </property> + <property name="maximum"> + <double>5.000000000000000</double> + </property> + <property name="singleStep"> + <double>0.010000000000000</double> + </property> + </widget> + </item> + <item row="2" column="0"> + <widget class="QLabel" name="label_24"> + <property name="text"> + <string>Eta</string> + </property> + </widget> + </item> + <item row="1" column="0"> + <widget class="QLabel" name="label_25"> + <property name="text"> + <string>Phi</string> + </property> + </widget> + </item> + </layout> + </item> + <item> + <layout class="QHBoxLayout" name="_2"> + <property name="spacing"> + <number>0</number> + </property> + <item> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>1</width> + <height>5</height> + </size> + </property> + </spacer> + </item> + <item> + <widget class="QPushButton" name="pushButton_close"> + <property name="text"> + <string>&Close</string> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </widget> + <resources/> + <connections/> +</ui> diff --git a/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/guides_settings_trkvolumes_form.ui b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/guides_settings_trkvolumes_form.ui new file mode 100644 index 0000000000000000000000000000000000000000..973ad5d785f3c84044fc0819316e5160b865c45d --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12GuideLineSystems/src/guides_settings_trkvolumes_form.ui @@ -0,0 +1,139 @@ +<ui version="4.0" > + <class>VP1TrackingVolumesForm</class> + <widget class="QWidget" name="VP1TrackingVolumesForm" > + <property name="geometry" > + <rect> + <x>0</x> + <y>0</y> + <width>236</width> + <height>158</height> + </rect> + </property> + <property name="windowTitle" > + <string>Form</string> + </property> + <layout class="QVBoxLayout" name="verticalLayout" > + <item> + <layout class="QGridLayout" name="gridLayout" > + <item row="0" column="0" > + <widget class="QCheckBox" name="checkBox_ID" > + <property name="enabled" > + <bool>true</bool> + </property> + <property name="toolTip" > + <string>More formally, in the TrackingVolumes service, this is known as the CalorimeterEntryLayer</string> + </property> + <property name="text" > + <string>Inner Detector</string> + </property> + <property name="checked" > + <bool>true</bool> + </property> + </widget> + </item> + <item row="0" column="1" > + <widget class="VP1MaterialButton" name="matButton_ID" > + <property name="sizePolicy" > + <sizepolicy vsizetype="Fixed" hsizetype="Fixed" > + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="text" > + <string/> + </property> + </widget> + </item> + <item row="1" column="0" > + <widget class="QCheckBox" name="checkBox_Calo" > + <property name="enabled" > + <bool>true</bool> + </property> + <property name="text" > + <string>Calorimeters</string> + </property> + </widget> + </item> + <item row="1" column="1" > + <widget class="VP1MaterialButton" name="matButton_Calo" > + <property name="enabled" > + <bool>true</bool> + </property> + <property name="sizePolicy" > + <sizepolicy vsizetype="Fixed" hsizetype="Fixed" > + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="text" > + <string/> + </property> + </widget> + </item> + <item row="2" column="0" > + <widget class="QCheckBox" name="checkBox_MS" > + <property name="enabled" > + <bool>true</bool> + </property> + <property name="text" > + <string>MuonSpectrometer</string> + </property> + </widget> + </item> + <item row="2" column="1" > + <widget class="VP1MaterialButton" name="matButton_MS" > + <property name="enabled" > + <bool>true</bool> + </property> + <property name="sizePolicy" > + <sizepolicy vsizetype="Fixed" hsizetype="Fixed" > + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="text" > + <string/> + </property> + </widget> + </item> + </layout> + </item> + <item> + <layout class="QHBoxLayout" name="_2" > + <property name="spacing" > + <number>0</number> + </property> + <item> + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0" > + <size> + <width>1</width> + <height>5</height> + </size> + </property> + </spacer> + </item> + <item> + <widget class="QPushButton" name="pushButton_close" > + <property name="text" > + <string>&Close</string> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </widget> + <customwidgets> + <customwidget> + <class>VP1MaterialButton</class> + <extends>QPushButton</extends> + <header>VP1Base/VP1MaterialButton.h</header> + </customwidget> + </customwidgets> + <resources/> + <connections/> +</ui> diff --git a/graphics/VTI12/VTI12Systems/VTI12SimHitSystems/CMakeLists.txt b/graphics/VTI12/VTI12Systems/VTI12SimHitSystems/CMakeLists.txt new file mode 100644 index 0000000000000000000000000000000000000000..e70a808b9b2b84958e373f24c927ed66e07f625f --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12SimHitSystems/CMakeLists.txt @@ -0,0 +1,38 @@ +################################################################################ +# Package: VTI12SimHitSystems +################################################################################ + +# Declare the package name: +atlas_subdir( VTI12SimHitSystems ) + +# Declare the package's dependencies: +atlas_depends_on_subdirs( PUBLIC + graphics/VP1/VP1Base + PRIVATE + Control/StoreGate + DetectorDescription/GeoModel/GeoAdaptors + DetectorDescription/GeoPrimitives + Scintillator/ScintSimEvent + graphics/VTI12/VTI12Utils ) + +# External dependencies: +find_package( Coin3D ) +find_package( Eigen ) +find_package( Qt5 COMPONENTS Core Widgets ) + +# Generate UI files automatically: +set( CMAKE_AUTOUIC TRUE ) +# Generate MOC files automatically: +set( CMAKE_AUTOMOC TRUE ) +# Generate resource files automatically: +set( CMAKE_AUTORCC TRUE ) +# to let CMake find .h files automatically-generated from .ui files +set(CMAKE_INCLUDE_CURRENT_DIR ON) + +# Component(s) in the package: +atlas_add_library( VTI12SimHitSystems VTI12SimHitSystems/*.h src/*.h src/*.cxx src/*.qrc + PUBLIC_HEADERS VTI12SimHitSystems + PRIVATE_INCLUDE_DIRS ${COIN3D_INCLUDE_DIRS} ${EIGEN_INCLUDE_DIRS} + LINK_LIBRARIES VP1Base Qt5::Core Qt5::Widgets GL StoreGateLib SGtests + PRIVATE_LINK_LIBRARIES ${COIN3D_LIBRARIES} ${EIGEN_LIBRARIES} GeoAdaptors GeoPrimitives ScintSimEvent VTI12Utils ) + diff --git a/graphics/VTI12/VTI12Systems/VTI12SimHitSystems/VTI12SimHitSystems/VP1SimHitSystem.h b/graphics/VTI12/VTI12Systems/VTI12SimHitSystems/VTI12SimHitSystems/VP1SimHitSystem.h new file mode 100755 index 0000000000000000000000000000000000000000..6ee0a3ca52d339cf4f59afd38fca64fef5e74260 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12SimHitSystems/VTI12SimHitSystems/VP1SimHitSystem.h @@ -0,0 +1,34 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef VP1SIMHITSYSTEM_H +#define VP1SIMHITSYSTEM_H + +#include "VP1Base/IVP13DSystemSimple.h" + +class VP1SimHitSystem: public IVP13DSystemSimple +{ + Q_OBJECT + + public: + VP1SimHitSystem(); + ~VP1SimHitSystem(); + + QWidget* buildController(); + + void systemcreate(StoreGateSvc* detstore); + void buildEventSceneGraph(StoreGateSvc* sg, SoSeparator *root); + + protected slots: + void checkboxChanged(); + + private: + class Clockwork; + Clockwork* m_clockwork; + + void buildHitTree(const QString& detector); + +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12SimHitSystems/src/VP1SimHitSystem.cxx b/graphics/VTI12/VTI12Systems/VTI12SimHitSystems/src/VP1SimHitSystem.cxx new file mode 100755 index 0000000000000000000000000000000000000000..2d5b5be432692ec494929987ca115e3d69e9892b --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12SimHitSystems/src/VP1SimHitSystem.cxx @@ -0,0 +1,251 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#include "VTI12SimHitSystems/VP1SimHitSystem.h" +#include "ui_simhitcontrollerform.h" + +#include "StoreGate/StoreGateSvc.h" + +#include <QMap> +#include <QSet> + +#include <Inventor/C/errors/debugerror.h> +#include <Inventor/nodes/SoDrawStyle.h> +#include <Inventor/nodes/SoMaterial.h> +#include <Inventor/nodes/SoSeparator.h> +#include <Inventor/nodes/SoSwitch.h> +#include <Inventor/nodes/SoVertexProperty.h> +#include <Inventor/nodes/SoPointSet.h> +#include <Inventor/SbColor.h> + +#include "ScintSimEvent/ScintHitCollection.h" +#include "GeoAdaptors/GeoScintHit.h" +// #include "InDetSimEvent/SiHitCollection.h" +// #include "InDetSimEvent/TRTUncompressedHitCollection.h" +// #include "GeoAdaptors/GeoTRTUncompressedHit.h" +// #include "GeoAdaptors/GeoSiHit.h" + +#include "VTI12Utils/VP1SGContentsHelper.h" + +#include "GeoPrimitives/GeoPrimitives.h" + +class VP1SimHitSystem::Clockwork +{ +public: + QMap<QString,SoSwitch*> switchMap; + QMap<QString,SbColor> colorMap; + QMap<QCheckBox*,QString> checkBoxNamesMap; + QMap<QString,QCheckBox*> checkBoxMap; + QSet<QString> hitsThisEvent; + StoreGateSvc * sg; +}; + +VP1SimHitSystem::VP1SimHitSystem() + :IVP13DSystemSimple("Sim Hits","Display simulation hits","Vakho Tsulaia <Vakhtang.Tsulaia@cern.ch>"), + m_clockwork(new Clockwork()) +{ +} + +VP1SimHitSystem::~VP1SimHitSystem() +{ + delete m_clockwork; + m_clockwork = 0; +} + +QWidget* VP1SimHitSystem::buildController() +{ + QWidget* controller = new QWidget(0); + Ui::SimHitControllerForm ui; + ui.setupUi(controller); + + // Populate Check Box Names Map + m_clockwork->checkBoxNamesMap.insert(ui.chbxVetoHits,"Veto"); + m_clockwork->checkBoxNamesMap.insert(ui.chbxTriggerHits,"Trigger"); + m_clockwork->checkBoxNamesMap.insert(ui.chbxPreshowerHits,"Preshower"); + m_clockwork->checkBoxNamesMap.insert(ui.chbxTrackerHits,"Tracker"); + m_clockwork->checkBoxNamesMap.insert(ui.chbxCaloHits,"Calorimeter"); + + // Populate Check Box Map and connect slots + foreach(QCheckBox* cb,m_clockwork->checkBoxNamesMap.keys()) + { + connect(cb,SIGNAL(toggled(bool)),this,SLOT(checkboxChanged())); + m_clockwork->checkBoxMap.insert(m_clockwork->checkBoxNamesMap[cb],cb); + } + + return controller; +} + +void VP1SimHitSystem::systemcreate(StoreGateSvc* /*detstore*/) +{ + // Populate Color Map + m_clockwork->colorMap.insert("Veto",SbColor(0,0,1)); + m_clockwork->colorMap.insert("Trigger",SbColor(1,1,1)); + m_clockwork->colorMap.insert("Preshower",SbColor(1,0,0)); + m_clockwork->colorMap.insert("Tracker",SbColor(.98,.8,.21)); + m_clockwork->colorMap.insert("Calorimeter",SbColor(0,.44,.28)); +} + +void VP1SimHitSystem::buildEventSceneGraph(StoreGateSvc* sg, SoSeparator *root) +{ + // --- Draw style: POINTS + SoDrawStyle* ds = new SoDrawStyle(); + ds->style.setValue(SoDrawStyle::POINTS); + ds->pointSize=4; + root->addChild(ds); + + // Keep SG pointer + m_clockwork->sg = sg; + + // clean up + m_clockwork->switchMap.clear(); + m_clockwork->hitsThisEvent.clear(); + + if(!sg) + { + message("0 pointer to the Store Gate!"); + return; + } + + foreach(QString detector,m_clockwork->checkBoxMap.keys()) + { + // Add switch, off by default + SoSwitch* sw = new SoSwitch(); + sw->whichChild = SO_SWITCH_NONE; + root->addChild(sw); + m_clockwork->switchMap.insert(detector,sw); + + // Build subtree if the check box is ON + if(m_clockwork->checkBoxMap.contains(detector) && + m_clockwork->checkBoxMap[detector]->isChecked()) + { + buildHitTree(detector); + sw->whichChild = SO_SWITCH_ALL; + } + updateGUI(); + } +} + +void VP1SimHitSystem::checkboxChanged() +{ + // Get ChB pointer + QCheckBox* cb = dynamic_cast<QCheckBox*>(sender()); + if(cb && m_clockwork->checkBoxNamesMap.contains(cb)) + { + // Get detector name + QString detector = m_clockwork->checkBoxNamesMap[cb]; + if(m_clockwork->switchMap.contains(detector)) + { + // Get swtich + SoSwitch* sw = m_clockwork->switchMap[detector]; + if(cb->isChecked()){ + // Build subtree if necessary + if(!m_clockwork->hitsThisEvent.contains(detector)) + buildHitTree(detector); + sw->whichChild = SO_SWITCH_ALL; + } + else + sw->whichChild = SO_SWITCH_NONE; + } else { + message("WARNING: Unknown detector:"+detector); + } + } +} + + +void VP1SimHitSystem::buildHitTree(const QString& detector) +{ + messageVerbose("buildHitTree for "+detector); + if(m_clockwork->hitsThisEvent.contains(detector)) { + messageVerbose(" in hitsThisEvent"); return; + } + if(!m_clockwork->colorMap.contains(detector)) { + messageVerbose("not in colorMap"); return; + } + if(!m_clockwork->switchMap.contains(detector)) { + messageVerbose("not in switchMap"); return; + } + + // -- Initializations + StoreGateSvc* sg = m_clockwork->sg; + SoSwitch* sw = m_clockwork->switchMap[detector]; + unsigned int hitCount = 0; + + SoVertexProperty* hitVtxProperty = new SoVertexProperty(); + SoPointSet* hitPointSet = new SoPointSet(); + + hitVtxProperty->enableNotify(FALSE); + hitPointSet->enableNotify(FALSE); + + // -- COLOR + SoMaterial* material = new SoMaterial(); + material->diffuseColor.setValue(m_clockwork->colorMap[detector]); + + sw->addChild(material); + + // Take hits from SG + if(detector=="Veto") + { + // + // Veto: + // + const ScintHitCollection* p_collection = nullptr; + if(sg->retrieve(p_collection, "VetoHits")==StatusCode::SUCCESS) + { + for(ScintHitConstIterator i_hit=p_collection->begin(); i_hit!=p_collection->end(); ++i_hit) + { + GeoScintHit ghit(*i_hit); + if(!ghit) continue; + HepGeom::Point3D<double> u = ghit.getGlobalPosition(); + hitVtxProperty->vertex.set1Value(hitCount++,u.x(),u.y(),u.z()); + } + } + else + message("Unable to retrieve Veto Hits"); + } + else if(detector=="Trigger") + { + // + // Trigger: + // + const DataHandle<ScintHitCollection> s_collection; + if(sg->retrieve(s_collection,"TriggerHits")==StatusCode::SUCCESS) + { + for(ScintHitConstIterator i_hit=s_collection->begin();i_hit!=s_collection->end();++i_hit) + { + GeoScintHit ghit(*i_hit); + if (!ghit) continue; + HepGeom::Point3D<double> u = ghit.getGlobalPosition(); + hitVtxProperty->vertex.set1Value(hitCount++,u.x(),u.y(),u.z()); + } + } + else + message("Unable to retrieve Trigger Hits"); + } + else if(detector=="Preshower") + { + // + // Preshower: + // + const DataHandle<ScintHitCollection> t_collection; + if(sg->retrieve(t_collection,"PreshowerHits")==StatusCode::SUCCESS) + { + for(ScintHitConstIterator i_hit=t_collection->begin();i_hit!=t_collection->end();++i_hit) + { + GeoScintHit ghit(*i_hit); + if(!ghit) continue; + Amg::Vector3D u = Amg::Hep3VectorToEigen(ghit.getGlobalPosition()); + hitVtxProperty->vertex.set1Value(hitCount++,u.x(),u.y(), u.z() ); + } + } + else + message("Unable to retrieve Preshower Hits"); + } + // Add to the switch + hitPointSet->numPoints=hitCount; + hitPointSet->vertexProperty.setValue(hitVtxProperty); + sw->addChild(hitPointSet); + hitPointSet->enableNotify(TRUE); + hitVtxProperty->enableNotify(TRUE); +} + diff --git a/graphics/VTI12/VTI12Systems/VTI12SimHitSystems/src/simhitcontrollerform.ui b/graphics/VTI12/VTI12Systems/VTI12SimHitSystems/src/simhitcontrollerform.ui new file mode 100755 index 0000000000000000000000000000000000000000..b12880a8110247861b1d9b7c5bd48b730dab22ae --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12SimHitSystems/src/simhitcontrollerform.ui @@ -0,0 +1,208 @@ +<?xml version="1.0" encoding="UTF-8"?> +<ui version="4.0"> + <class>SimHitControllerForm</class> + <widget class="QWidget" name="SimHitControllerForm"> + <property name="geometry"> + <rect> + <x>0</x> + <y>0</y> + <width>454</width> + <height>310</height> + </rect> + </property> + <property name="windowTitle"> + <string>Sim Hits</string> + </property> + <layout class="QHBoxLayout"> + <property name="spacing"> + <number>6</number> + </property> + <property name="margin"> + <number>9</number> + </property> + <item> + <layout class="QVBoxLayout"> + <property name="spacing"> + <number>6</number> + </property> + <property name="margin"> + <number>0</number> + </property> + <item> + <layout class="QVBoxLayout"> + <property name="spacing"> + <number>6</number> + </property> + <property name="margin"> + <number>0</number> + </property> + <item> + <layout class="QHBoxLayout"> + <property name="spacing"> + <number>6</number> + </property> + <property name="margin"> + <number>0</number> + </property> + <item> + <widget class="QLabel" name="lblGeneral"> + <property name="text"> + <string>Select hits to show</string> + </property> + </widget> + </item> + <item> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>71</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + </layout> + </item> + <item> + <layout class="QHBoxLayout"> + <property name="spacing"> + <number>6</number> + </property> + <property name="margin"> + <number>0</number> + </property> + <item> + <layout class="QVBoxLayout"> + <property name="spacing"> + <number>6</number> + </property> + <property name="margin"> + <number>0</number> + </property> + </layout> + </item> + <item> + <widget class="QGroupBox" name="groupBox"> + <property name="title"> + <string>Scintillator</string> + </property> + <layout class="QVBoxLayout" name="verticalLayout"> + <item> + <widget class="QCheckBox" name="chbxVetoHits"> + <property name="text"> + <string>Veto Hits</string> + </property> + </widget> + </item> + <item> + <widget class="QCheckBox" name="chbxTriggerHits"> + <property name="text"> + <string>Trigger Hits</string> + </property> + </widget> + </item> + <item> + <widget class="QCheckBox" name="chbxPreshowerHits"> + <property name="text"> + <string>Preshower Hits</string> + </property> + </widget> + </item> + </layout> + </widget> + </item> + <item> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>40</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item> + <widget class="QGroupBox" name="groupBox_2"> + <property name="title"> + <string>Tracker</string> + </property> + <layout class="QVBoxLayout" name="verticalLayout_2"> + <item> + <widget class="QCheckBox" name="chbxTrackerHits"> + <property name="text"> + <string>Tracker Hits</string> + </property> + </widget> + </item> + </layout> + </widget> + </item> + <item> + <layout class="QVBoxLayout"> + <property name="spacing"> + <number>6</number> + </property> + <property name="margin"> + <number>0</number> + </property> + </layout> + </item> + </layout> + </item> + </layout> + </item> + <item> + <widget class="QGroupBox" name="groupBox_3"> + <property name="title"> + <string>Calorimeter</string> + </property> + <layout class="QVBoxLayout" name="verticalLayout_3"> + <item> + <widget class="QCheckBox" name="chbxCaloHits"> + <property name="text"> + <string>Calorimeter Hits</string> + </property> + </widget> + </item> + </layout> + </widget> + </item> + <item> + <spacer> + <property name="orientation"> + <enum>Qt::Vertical</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>20</width> + <height>111</height> + </size> + </property> + </spacer> + </item> + </layout> + </item> + <item> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>111</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + </layout> + </widget> + <resources/> + <connections/> +</ui> diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/CMakeLists.txt b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/CMakeLists.txt new file mode 100644 index 0000000000000000000000000000000000000000..7ac5f93208b548b6a7c51c23dd9ef763c6c8a04c --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/CMakeLists.txt @@ -0,0 +1,92 @@ +# $Id: CMakeLists.txt 728682 2016-03-09 15:17:26Z krasznaa $ +################################################################################ +# Package: VTI12TrackSystems +################################################################################ + +# Declare the package name: +atlas_subdir( VTI12TrackSystems ) + +# Declare the package's dependencies: +atlas_depends_on_subdirs( + PUBLIC + DetectorDescription/GeoPrimitives + DetectorDescription/Identifier +# Event/xAOD/xAODTracking + GaudiKernel + Generators/GeneratorObjects + Simulation/G4Sim/TrackRecord + Tracking/TrkDetDescr/TrkDetDescrInterfaces + Tracking/TrkDetDescr/TrkSurfaces + Tracking/TrkEvent/TrkEventPrimitives + Tracking/TrkEvent/TrkParameters + graphics/VP1/VP1Base + graphics/VTI12/VTI12Utils + PRIVATE + Control/AthContainers + Control/StoreGate + DetectorDescription/FaserDetDescr + Event/EventPrimitives +# ForwardDetectors/ForwardSimulation/ForwardRegion_SimEv +# InnerDetector/InDetDetDescr/InDetIdentifier +# InnerDetector/InDetDetDescr/InDetReadoutGeometry +# InnerDetector/InDetRecEvent/InDetPrepRawData +# InnerDetector/InDetRecEvent/InDetRIO_OnTrack +# InnerDetector/InDetSimEvent + Scintillator/ScintDetDescr/ScintIdentifier + Scintillator/ScintDetDescr/ScintReadoutGeometry + Scintillator/ScintSimEvent + Reconstruction/Particle + Tracking/TrkDetDescr/TrkDetDescrUtils + Tracking/TrkDetDescr/TrkDetElementBase + Tracking/TrkDetDescr/TrkVolumes + Tracking/TrkEvent/TrkCompetingRIOsOnTrack + Tracking/TrkEvent/TrkMaterialOnTrack + Tracking/TrkEvent/TrkMeasurementBase + Tracking/TrkEvent/TrkPrepRawData + Tracking/TrkEvent/TrkPseudoMeasurementOnTrack + Tracking/TrkEvent/TrkRIO_OnTrack + Tracking/TrkEvent/TrkSegment + Tracking/TrkEvent/TrkTrack + Tracking/TrkEvent/TrkTrackSummary + Tracking/TrkExtrapolation/TrkExInterfaces + Tracking/TrkFitter/TrkFitterInterfaces + graphics/VP1/VP1HEPVis + graphics/VTI12/VTI12Systems/VTI12GuideLineSystems +# graphics/VP1/VP1Systems/VP1PRDSystems + ) + +# External dependencies: +find_package( CLHEP ) +find_package( Coin3D ) +find_package( HepMC ) +find_package( Qt5 COMPONENTS Core Gui Widgets ) +find_package( GeoModel ) + +# Generate UI files automatically: +# Note: add the "Widgets" component to "find_package( Qt5 ...)" if you have UI files, otherwise UIC, even if CMAKE_AUTOUIC is set to ON, is not run +set( CMAKE_AUTOUIC TRUE ) +# Generate MOC files automatically: +set( CMAKE_AUTOMOC TRUE ) + +# Component(s) in the package: +atlas_add_library( VTI12TrackSystems VTI12TrackSystems/*.h src/*.cxx + PUBLIC_HEADERS VTI12TrackSystems + PRIVATE_INCLUDE_DIRS ${COIN3D_INCLUDE_DIRS} ${CLHEP_INCLUDE_DIRS} + ${HEPMC_INCLUDE_DIRS} ${CMAKE_CURRENT_BINARY_DIR} + LINK_LIBRARIES ${GEOMODEL_LIBRARIES} GeoPrimitives Identifier + #xAODTracking + GaudiKernel GeneratorObjects TrkDetDescrInterfaces TrkSurfaces + TrkEventPrimitives TrkParameters VP1Base VTI12Utils StoreGateLib SGtests + Qt5::Core Qt5::Gui + PRIVATE_LINK_LIBRARIES ${COIN3D_LIBRARIES} ${CLHEP_LIBRARIES} + ${HEPMC_LIBRARIES} AthContainers FaserDetDescr EventPrimitives + ScintIdentifier ScintSimEvent ScintReadoutGeometry + #InDetIdentifier InDetReadoutGeometry InDetPrepRawData InDetRIO_OnTrack InDetSimEvent + Particle + TrkDetDescrUtils TrkDetElementBase TrkVolumes TrkCompetingRIOsOnTrack + TrkMaterialOnTrack TrkMeasurementBase TrkPrepRawData + TrkPseudoMeasurementOnTrack TrkRIO_OnTrack TrkSegment TrkTrack + TrkTrackSummary TrkExInterfaces TrkFitterInterfaces VP1HEPVis + VP1GuideLineSystems + #VP1PRDSystems + ) diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/AscObjSelectionManager.h b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/AscObjSelectionManager.h new file mode 100644 index 0000000000000000000000000000000000000000..721eedf9e91a9d3c5f714b1f0713b24848c0116b --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/AscObjSelectionManager.h @@ -0,0 +1,98 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class AscObjSelectionManager // +// // +// Description: Manages selection of associated objects // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: April 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef ASCOBJSELECTIONMANAGER_H +#define ASCOBJSELECTIONMANAGER_H + +//Fixme: Make this class usable by prd system also. Maybe make common +//handle base class which tells simple/detailed nodes? + +#include "VP1Base/VP1HelperClassBase.h" +#include <QObject> +#include <QList> + +class AssociatedObjectHandleBase; +class IVP13DSystem; +class TrackSystemController; +class SoCooperativeSelection; +class SoSeparator; +class SoNode; +class SoPath; + +//Lifetime of this object should be from system refresh to system erase. + +class AscObjSelectionManager : public QObject, public VP1HelperClassBase { + + Q_OBJECT + +public: + //Will create selection nodes as appropriate under the event root. + AscObjSelectionManager(SoSeparator* eventRoot,IVP13DSystem *, TrackSystemController*); + void aboutTodelete();//Call this just before deletion (needed since signals should not be emitted from destructors). + virtual ~AscObjSelectionManager(); + //Associated objects must all be attached under this separator: + SoSeparator * getAscObjAttachSep() const; + + /////////////////////////////////////////// + //Fixme: add method for changing mode of operation (single, toggle, shift+click) + + enum MODE { SINGLE, TOGGLE, SHIFT }; + QString toString(MODE) const; + MODE mode() const; + void setMode(MODE); + + void pretendUserClicked(AssociatedObjectHandleBase*); + + void ensureDeselected(const QList<AssociatedObjectHandleBase*>&); + void ensureSelected(const QList<AssociatedObjectHandleBase*>&);//Call with length==1 if in single mode. + void deselectAll(); + + QList<AssociatedObjectHandleBase*> currentSelection() const; + + SoSeparator* eventRoot(); + +signals: + void currentSelectionChanged(const QList<AssociatedObjectHandleBase*>&); + +private: + //For system: + friend class VP1TrackSystem; +// void setEventData( SoCooperativeSelection * sel_click, SoCooperativeSelection * sel_highlight ); +// void eraseEventData(); + //The following returns true if the passed selection node belongs to + //this manager (if not, the system must handle the selection in + //another way). + bool handleUserSelectedSingleNode(SoCooperativeSelection*, SoNode* , SoPath*, AssociatedObjectHandleBase*&);//SINGLE + void userClickedOnBgd(); + +// bool handleUserDeselectedSingleNode(SoCooperativeSelection*, SoNode* , SoPath*);//SINGLE +// bool handleUserChangedSelection(SoCooperativeSelection*, QSet<SoNode*>, QSet<SoPath*>);//TOGGLE/SHIFT +private: + //For associated objects: + friend class AssociatedObjectHandleBase; + void registerAscObj(SoSeparator*simple,SoSeparator *detailed,AssociatedObjectHandleBase*); + void unregisterAscObj(SoSeparator*simple,SoSeparator *detailed); + //Fixme: When a handle changes pickable state to unpickable it + //must be removed from selection list if selected! +private slots: +// void ascObjDetailLevelAboutToChange(); + void ascObjDetailLevelChanged(); +private: + class Imp; + Imp * m_d; +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/AscObj_TSOS.h b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/AscObj_TSOS.h new file mode 100644 index 0000000000000000000000000000000000000000..394bebc8b6d017e74e0ce133a5e8ada1d3c19d36 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/AscObj_TSOS.h @@ -0,0 +1,118 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class AscObj_TSOS // +// // +// Description: Handle for TSOS's // +// // +// Author: Troels Kofoed Jacobsen // +// Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: June 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef ASCOBJ_TSOS_H +#define ASCOBJ_TSOS_H + +#include "VTI12TrackSystems/AssociatedObjectHandleBase.h" +#include "VTI12TrackSystems/TrackCommonFlags.h" +#include "VTI12TrackSystems/MeasurementToSoNode.h" +#include "VTI12TrackSystems/TrkObjToString.h" +#include "TrkParameters/TrackParameters.h" + +// Eigen migration +//#include "TrkEventPrimitives/GlobalPosition.h" +#include "GeoPrimitives/GeoPrimitives.h" + +#include <QTreeWidgetItem> +#include "VTI12Utils/HitToSoNode.h" + + +typedef AmgSymMatrix(2) AmgCovMatrix; // new Eigen-based CovarianceMatrix + + + +class SoTranslation; +namespace Trk { + class RIO_OnTrack; + class CompetingRIOsOnTrack; + class Surface; + class TrackStateOnSurface; + class MeasurementBase; +} + +class AscObj_TSOS : public AssociatedObjectHandleBase { +public: + + AscObj_TSOS(TrackHandleBase *, const Trk::TrackStateOnSurface *, + unsigned indexOfPointOnTrack); + void setDistToNextPar(const double&); + + void buildShapes(SoSeparator*&shape_simple, SoSeparator*&shape_detailed); + QStringList clicked(); + void zoomView(); //!< Depending on the controller settings, will attempt to zoom the view to this TSOS, for example in click() + bool isShortMeasurement(); //!< Return true if TRT/MDT & shortened mode is on, false otherwise + + virtual void setVisible(bool); + + TrackCommonFlags::TSOSPartsFlags parts() const { return m_parts; } + bool hasParameters() const { return m_parts & TrackCommonFlags::TSOS_TrackPars; } + bool hasParError() const { return m_parts & TrackCommonFlags::TSOS_AnyParsErrors; } + bool hasError() const { return m_parts & TrackCommonFlags::TSOS_AnyErrors; } + bool hasMaterialEffect() const { return m_parts & TrackCommonFlags::TSOS_AnyMaterialEffects; } + bool hasSurface() const { return m_parts & TrackCommonFlags::TSOS_AnySurface; } + bool hasMeasurement() const { return m_parts & TrackCommonFlags::TSOS_AnyMeasurement; } + + const Trk::MeasurementBase * measurement() const; + const Trk::Surface * surface() const; + const Trk::RIO_OnTrack * rioOnTrack() const; + const Trk::CompetingRIOsOnTrack * competingRIOsOnTrack() const; + const Trk::TrackStateOnSurface * trackStateOnSurface() const {return m_tsos;} + + //Add identify() method??? + + Amg::Vector3D approxCenter() const; + + virtual bool initiatesOwnZooms() const { return true; } + + virtual QTreeWidgetItem* browserTreeItem() const {return m_objBrowseTree;} + virtual void setBrowserTreeItem(QTreeWidgetItem* obt) {m_objBrowseTree=obt;} + +protected: + int regionIndex() const; + double lodCrossOverValue() const {return 1000; } + +private: + virtual ~AscObj_TSOS() {}//Private so it can only be deleted by TrackHandleBase + const Trk::TrackStateOnSurface * m_tsos; + TrackCommonFlags::TSOSPartsFlags m_parts; + unsigned m_indexOfPointOnTrack; + double m_distToNextPar; + QTreeWidgetItem* m_objBrowseTree; + + double deviationFromMeasurement(const bool& absolute = false); + void addDeviationFromMeasurementInfoToShapes( SoSeparator*&shape_simple, SoSeparator*&shape_detailed); + void addTransformToSurface( SoSeparator*&shape_simple, SoSeparator*&shape_detailed); + void addTrackParamInfoToShapes( SoSeparator*&shape_simple, SoSeparator*&shape_detailed, + bool showPars, bool showParsErrors, bool showSurfaces ); + void addErrors(const Trk::Surface& theSurface, const AmgSymMatrix(5)& tmpCovMat, + const Amg::Vector2D& localPos, const Amg::Vector3D& p1, bool showSurfaces, + SoSeparator* shape_simple, SoSeparator* shape_detailed, bool force1D, bool applyLocalTrans ); + void addRIO_OnTrackInfoToShapes( SoSeparator*&shape_simple, SoSeparator*&shape_detailed, const Trk::RIO_OnTrack* rio, bool blockDrawingOfGP=false); + void addCompetingRIO_OnTrackInfoToShapes( SoSeparator*&shape_simple, SoSeparator*&shape_detailed); + void addSurfaceToShapes( SoSeparator*&shape_simple, SoSeparator*&shape_detailed); + void addMaterialEffectsToShapes( SoSeparator*&shape_simple, SoSeparator*&shape_detailed); + + void ensureInitSeps( SoSeparator*&shape_simple, SoSeparator*&shape_detailed); + SoTranslation* getZTranslationTube( const Trk::Surface *, const double& maxTrans ) const; + + Trk::MeasurementToSoNode m_measCnv; + TrkObjToString m_objToType; + HitToSoNode m_hitToSoNode; +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/AscObj_TruthPoint.h b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/AscObj_TruthPoint.h new file mode 100644 index 0000000000000000000000000000000000000000..c487e2e60f3ff028a094ff785638e6ffdf5fad5c --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/AscObj_TruthPoint.h @@ -0,0 +1,47 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class AscObj_TruthPoint // +// // +// Description: Asc. Obj. handle for each truth point on a // +// truth track. // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: May 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef ASCOBJ_TRUTHPOINT_H +#define ASCOBJ_TRUTHPOINT_H + +#include "VTI12TrackSystems/AssociatedObjectHandleBase.h" + +namespace HepMC { class GenVertex; class GenParticle; } +class SimHitHandleBase; + +class AscObj_TruthPoint : public AssociatedObjectHandleBase { +public: + + AscObj_TruthPoint( TrackHandleBase*, const HepMC::GenVertex * v, const HepMC::GenParticle * p ); + AscObj_TruthPoint( TrackHandleBase*, SimHitHandleBase* ); + virtual ~AscObj_TruthPoint(); + + void buildShapes(SoSeparator*&shape_simple, SoSeparator*&shape_detailed); + QStringList clicked(); + +protected: + int regionIndex() const; + double lodCrossOverValue() const; + +private: + + class Imp; + Imp * m_d; + +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/AssociatedObjectHandleBase.h b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/AssociatedObjectHandleBase.h new file mode 100644 index 0000000000000000000000000000000000000000..b645b19237cf6f51b250f0e4cfc932225665c0ee --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/AssociatedObjectHandleBase.h @@ -0,0 +1,97 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class AssociatedObjectHandleBase // +// // +// Description: Handle for objects associated with tracks, // +// such as measurements, surfaces, etc. // +// It might provide just one object, or it // +// might alternatively be split into multiple // +// components (parts) // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: March 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef ASSOCIATEDOBJECTHANDLEBASE_H +#define ASSOCIATEDOBJECTHANDLEBASE_H + + +class TrackHandleBase; +class SoTransform; +class SoNode; +class SoSeparator; +class TrackSysCommonData; +class AssocObjAttachmentHandle; +#include <QStringList> + +class AssociatedObjectHandleBase { +public: + + static int numberOfInstances(); + + AssociatedObjectHandleBase(TrackHandleBase*);//The handle will register itself + //with the trackhandle, which will + //also take care of deleting it + //before moving to next event. + virtual QStringList clicked() = 0; + // virtual SoNode * getNodeForPart( int part ) const = 0; + virtual unsigned nParts() const { return 1; } + + TrackSysCommonData * common() const; + + enum PICKSTYLE { UNPICKABLE, ALL, COMPONENTS }; + void setPickable(PICKSTYLE); + PICKSTYLE pickStyle() const { return m_pickStyle; } + virtual void setVisible(bool); + bool visible() const { return m_visible; } + void toggleVisible() { setVisible(!m_visible); } + + TrackHandleBase* trackHandle() const { return m_trackHandle; } + void update3DObjects();//Call when settings changed affecting the shapes. + + //Return current shapes (0 if not built at the moment): + SoSeparator* shapeSimple() const; + SoSeparator* shapeDetailed() const; + + virtual bool initiatesOwnZooms() const { return false; } + +protected: + + virtual void buildShapes(SoSeparator*&shape_simple, SoSeparator*&shape_detailed) = 0; + //The returned SoSeparators should return all necessary transforms, + //and must optionally also include any necessary SoMaterial nodes + //(otherwise everything will get the track colour). + + //The next two are for LevelOfDetail. Probably return per detector type/station id? + virtual int regionIndex() const { return 0; }; + virtual double lodCrossOverValue() const { return 50*50; }; + +private: + + // It is illegal to copy/assign an AssociatedObjectHandleBase: + AssociatedObjectHandleBase( const AssociatedObjectHandleBase & ); + AssociatedObjectHandleBase & operator= ( const AssociatedObjectHandleBase & ); + + class Imp; + Imp * m_d; + + TrackHandleBase* m_trackHandle; + bool m_visible; + PICKSTYLE m_pickStyle; + void registerShapes(SoSeparator*simple,SoSeparator*detailed); + void unregisterShapes(SoSeparator*simple,SoSeparator*detailed); + AssocObjAttachmentHandle * getAttachmentHandle(); + +protected: + friend class TrackHandleBase; + virtual ~AssociatedObjectHandleBase();//The TrackHandleBase will delete it. + +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/MeasurementToSoNode.h b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/MeasurementToSoNode.h new file mode 100644 index 0000000000000000000000000000000000000000..5ef77cd01ce38aa050097baeb2ec7810347d71ed --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/MeasurementToSoNode.h @@ -0,0 +1,137 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef TRK_VP1TRACKSYSTEMS_MEASUREMENTTOSONODE_H +#define TRK_VP1TRACKSYSTEMS_MEASUREMENTTOSONODE_H +#include <vector> +#include <map> +#include <string> +#include "Identifier/Identifier.h" +#include "VTI12Utils/HitsSoNodeManager.h" +#include "VTI12TrackSystems/TrkObjToString.h" + +class SoNode; +class SoCube; +class SoTubs; +class SoSeparator; +class SoTransform; +class SoMaterial; + +// namespace InDet { +// class PixelCluster; +// class SCT_Cluster; +// class TRT_DriftCircle; +// } + +// namespace InDetDD { +// class SiDetectorElement; +// } +namespace ScintDD { + class ScintDetectorElement; +} + +namespace Trk { +// class LocalPosition; + class TrkDetElementBase; + class PrepRawData; + class RIO_OnTrack; + class CompetingRIOsOnTrack; + class PseudoMeasurementOnTrack; + class MeasurementBase; + + class MeasurementToSoNode { + public: + + enum ClusterDrawMode { SingleStrip=0, MultipleStrips=1, Errors=2 }; + + MeasurementToSoNode(); + + void initialize( ); + + /** This is the most general and most complete method - it returns a separator with nodes and transform. The material is not + added here as it should be at the top of the tree (in general) */ + std::pair<SoSeparator*, std::vector<SoNode*> > \ + createMeasSep( const Trk::MeasurementBase& meas); + + /** Returns a vector of SoNodes to represent the RIO_OnTrack. The cluster mode determines how the clusters are drawn - + i.e. as single central strip or the strips contributing to the cluster*/ + std::vector<SoNode*> toSoNodes( const Trk::RIO_OnTrack& prd); + + std::vector<SoNode*> toSoNodes( const Trk::CompetingRIOsOnTrack& crot); + + std::vector<SoNode*> toSoNodes( const Trk::PseudoMeasurementOnTrack& crot); + + // create basic shapes + + // SoNode* createPointMarker(); + SoNode* createLineMarker(double halfLength, bool isTube=false ); + + /** Generic routine which creates SoNode from passed detector element, plus measurement type*/ + SoNode* toSoNode(const Trk::TrkDetElementBase* baseDetEl, Identifier id, TrkObjToString::MeasurementType prdType, Amg::Vector2D locPos); + + //specific types + // SoNode* toSoNode(const InDetDD::SiDetectorElement* detElement, Identifier id, TrkObjToString::MeasurementType detType, Amg::Vector2D& locPos); + + void setClusterDrawMode (ClusterDrawMode mode); + ClusterDrawMode clusterDrawMode (); + + void setSimpleView( TrkObjToString::MeasurementType type, bool value ); + void setSimpleViewAll( bool value ); + bool isSimpleView( TrkObjToString::MeasurementType type ); + + /** Uses the local coords & the surface of the passed PRD to create a transform for the strip*/ + // SoTransform* createTransform( const Trk::PrepRawData& prd, + // MeasurementType detType); + + /** Uses the local coords & the surface of the passed Trk::MeasurementBase to create a transform for the strip*/ + SoTransform* createTransform( const Trk::MeasurementBase& rot, + TrkObjToString::MeasurementType detType); + + private: + std::vector<bool> m_simpleView; + double m_stripThickness; //!< Depth/Thickness of strips in z (local coords) + std::vector< SoMaterial* > m_materials; + + ClusterDrawMode m_clusDrawMode; + float m_dtLength; //!< Only used when in ShortMode + + HitsSoNodeManager m_nodeManager; + TrkObjToString m_objToType; + }; +} + +inline void +Trk::MeasurementToSoNode::setClusterDrawMode(Trk::MeasurementToSoNode::ClusterDrawMode mode) +{ + m_clusDrawMode=mode; +} + +inline Trk::MeasurementToSoNode::ClusterDrawMode +Trk::MeasurementToSoNode::clusterDrawMode() +{ + return m_clusDrawMode; +} + +inline void +Trk::MeasurementToSoNode::setSimpleView(TrkObjToString::MeasurementType type, bool value) +{ + m_simpleView[type]=value; +} + +inline void +Trk::MeasurementToSoNode::setSimpleViewAll( bool value) +{ + unsigned int end = static_cast<TrkObjToString::MeasurementType>(TrkObjToString::Unknown); + for (unsigned int i=0; i<end; ++i) m_simpleView[i]=value; +} + +inline bool +Trk::MeasurementToSoNode::isSimpleView(TrkObjToString::MeasurementType type) +{ + return m_simpleView[type]; +} + + +#endif + diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/SimBarCode.h b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/SimBarCode.h new file mode 100644 index 0000000000000000000000000000000000000000..4435d2c5dc28ed18ad25d9c0af247bdb0e9f5028 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/SimBarCode.h @@ -0,0 +1,58 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class SimBarCode // +// // +// Description: Identifier for truth particle // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: April 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef SIMBARCODE_H +#define SIMBARCODE_H + +#include "GeneratorObjects/HepMcParticleLink.h" + +class SimBarCode { +public: + + static const int unknownPDG = -999;//Fixme: Better choice? 0? + + SimBarCode(int barCode, HepMcParticleLink::index_type evtIndex, int pdgCode); + SimBarCode(const HepMcParticleLink&, int pdgCode); + ~SimBarCode(){} + + inline int barCode() const;//For non-unique secondaries, this will return a negative number, which should not be presented to the user. + inline int actualBarCode() const;//The original present in the simhit + inline HepMcParticleLink::index_type evtIndex() const; + inline int pdgCode() const; + inline bool unknownPdgCode() const { return m_pdgCode==unknownPDG; } + + inline bool isNonUniqueSecondary() const; + + //For sorting (Does consider pdgCodes, even when one is unknown): + inline bool operator<(const SimBarCode&) const; + + typedef std::pair<int,HepMcParticleLink::index_type> ExtBarCode; + ExtBarCode extBarCode() const { return ExtBarCode(barCode(),evtIndex()); } +// //Comparison operators do not consider pdgCodes if one of them is unknown! +// inline bool operator==(const SimBarCode&) const; +// inline bool operator!=(const SimBarCode&) const; + +private: + int m_barCode; + HepMcParticleLink::index_type m_evtIndex; + int m_pdgCode; +// inline bool pdgCodesCompatible(const SimBarCode&) const; +}; + + +#include "VTI12TrackSystems/SimBarCode.icc" + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/SimBarCode.icc b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/SimBarCode.icc new file mode 100644 index 0000000000000000000000000000000000000000..82ccf433344e075d0db4c54107929e667ef0d7ab --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/SimBarCode.icc @@ -0,0 +1,82 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Inline file for class SimBarCode // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: April 2008 // +// // +//////////////////////////////////////////////////////////////// + +//____________________________________________________________________ +inline SimBarCode::SimBarCode(int barCode, HepMcParticleLink::index_type evtIndex, int pdgCode) + : m_barCode(barCode), m_evtIndex(evtIndex), m_pdgCode(pdgCode) +{ +} + +//____________________________________________________________________ +inline SimBarCode::SimBarCode(const HepMcParticleLink& l, int pdgCode) + : m_barCode(l.barcode()), m_evtIndex(l.eventIndex()), m_pdgCode(pdgCode) +{ +} + +//____________________________________________________________________ +inline int SimBarCode::barCode() const +{ + return m_barCode; +} + +//____________________________________________________________________ +inline int SimBarCode::actualBarCode() const { + return m_barCode < 0 ? 0 : m_barCode; +} + +//____________________________________________________________________ +inline HepMcParticleLink::index_type SimBarCode::evtIndex() const +{ + return m_evtIndex; +} + +//____________________________________________________________________ +inline int SimBarCode::pdgCode() const +{ + return m_pdgCode; +} + +//____________________________________________________________________ +inline bool SimBarCode::isNonUniqueSecondary() const { + return m_barCode<=0; +} + +// //____________________________________________________________________ +// inline bool SimBarCode::pdgCodesCompatible(const SimBarCode& o) const +// { +// return m_pdgCode == o.m_pdgCode;//fixme +// // return m_pdgCode == o.m_pdgCode || m_pdgCode == unknownPDG || o.m_pdgCode == unknownPDG; +// } + +// //____________________________________________________________________ +// inline bool SimBarCode::operator==(const SimBarCode& o) const +// { +// if (m_barCode != o.m_barCode || m_evtIndex != o.m_evtIndex) +// return false; +// return pdgCodesCompatible(o); +// } + +// //____________________________________________________________________ +// inline bool SimBarCode::operator!=(const SimBarCode& o) const +// { +// return !(*this==o); +// } + +//____________________________________________________________________ +inline bool SimBarCode::operator<(const SimBarCode& o) const +{ + if (m_evtIndex == o.m_evtIndex) + return m_barCode == o.m_barCode ? m_pdgCode < o.m_pdgCode : m_barCode < o.m_barCode; + return m_evtIndex < o.m_evtIndex; +} diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/SimHitHandleBase.h b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/SimHitHandleBase.h new file mode 100644 index 0000000000000000000000000000000000000000..9331c97fe73628a2a39b6ae2464cb003dad947f6 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/SimHitHandleBase.h @@ -0,0 +1,95 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for sim. hit. handle classes // +// // +// Description: Wrapper for simhits and track records // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: March 2008 // +// update: Feb 2014 - Ric Bianchi (rbianchi@cern.ch)// +// // +//////////////////////////////////////////////////////////////// + +#ifndef SIMHITHANDLEBASE_H +#define SIMHITHANDLEBASE_H + +#include "VTI12TrackSystems/SimBarCode.h" + +// Eigen migration +//#include "TrkEventPrimitives/GlobalMomentum.h" +//#include "TrkEventPrimitives/GlobalPosition.h" +#include "GeoPrimitives/GeoPrimitives.h" + +#include "GeneratorObjects/HepMcParticleLink.h" +#include "TrkParameters/TrackParameters.h" +#include <QString> +// typedef std::pair<int,HepMcParticleLink::index_type> ExtBarCode; + +class SimHitHandleBase { +public: + SimHitHandleBase() : m_trackPars(nullptr),m_pdgId(SimBarCode::unknownPDG), m_fakemom(-2), m_charge(-99999.0) {} + virtual ~SimHitHandleBase(){} + virtual QString type() const = 0; + + //Fixme: Evaluate which of the following we really need: + virtual Amg::Vector3D momentumDirection() const = 0; + virtual double actualMomentum() const { return -1; } + double momentum() const { return m_fakemom == -2 ? actualMomentum() : m_fakemom; } + virtual Amg::Vector3D posStart() const = 0; + virtual Amg::Vector3D posEnd() const = 0; + virtual double hitTime() const = 0; + + virtual const HepMcParticleLink& particleLink() const = 0; + int pdg() const; + SimBarCode simBarCode() const { return SimBarCode(particleLink(),pdg()); } + + bool hasCharge() const { return m_charge!=-99999.0; } + double charge() const { return m_charge; } +// static ExtBarCode extBarCode(const HepMcParticleLink& l) { return ExtBarCode( l.barcode(),l.eventIndex()); } +// inline ExtBarCode extBarCode() const { return extBarCode( particleLink() ); } + + virtual Trk::TrackParameters * createTrackParameters() const = 0; + + //FIXME: for TrackCollHandle_TruthTracks + void setFakeMomentum(const double& m ) { m_fakemom = m; } + void setCharge(const double& c ) { m_charge = c; } + void cacheMomentum() { if (m_fakemom==-2) m_fakemom = actualMomentum(); } + +protected: + virtual int actualPDGCodeFromSimHit() const { return SimBarCode::unknownPDG; }; + +private: + // It is illegal to copy/assign a SimHitHandleBase: + SimHitHandleBase( const SimHitHandleBase & ); + SimHitHandleBase & operator= ( const SimHitHandleBase & ); + mutable Trk::TrackParameters * m_trackPars; + int m_pdgId; + void setPDG(int);//For TrackCollHandle_TruthTracks in case actualPDGCodeFromSimHit() returns SimBarCode::unknownPDG; + double m_fakemom; + double m_charge; + friend class TrackCollHandle_TruthTracks; + friend class TrackCollHandle_SimulationTracks; +}; + +typedef std::vector<std::pair<double,SimHitHandleBase*> > SimHitList;//hitTime() to SimHitHandle's + +/////////////// +// Inlines // +/////////////// + +inline int SimHitHandleBase::pdg() const +{ + return m_pdgId; +} + +inline void SimHitHandleBase::setPDG(int pdg) +{ + m_pdgId = pdg; +} + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/SimHitHandle_ScintHit.h b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/SimHitHandle_ScintHit.h new file mode 100644 index 0000000000000000000000000000000000000000..36b75c49c20fbe38161ced69ae9bdb1e166a977c --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/SimHitHandle_ScintHit.h @@ -0,0 +1,50 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class SimHitHandle_SiHit // +// // +// Description: Handle for SiHit's // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: March 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef SIMHITHANDLE_SIHIT_H +#define SIMHITHANDLE_SIHIT_H + +#include "VTI12TrackSystems/SimHitHandleBase.h" + +#include "GeoPrimitives/GeoPrimitives.h" +#include "TrkParameters/TrackParameters.h" + +class ScintHit; +class SimHitHandle_ScintHit : public SimHitHandleBase { +public: + + SimHitHandle_ScintHit( const ScintHit * ); + virtual ~SimHitHandle_ScintHit(); + + QString type() const { return "ScintHit"; }; + + Amg::Vector3D momentumDirection() const; + Amg::Vector3D posStart() const; + Amg::Vector3D posEnd() const; + double hitTime() const; + + const HepMcParticleLink& particleLink() const; + + Trk::TrackParameters * createTrackParameters() const; + +private: + + class Imp; + Imp * m_d; + +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/SimHitHandle_TrackRecord.h b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/SimHitHandle_TrackRecord.h new file mode 100644 index 0000000000000000000000000000000000000000..34f2247fc0a389dc275015b0c515c2aa919e59f0 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/SimHitHandle_TrackRecord.h @@ -0,0 +1,92 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class SimHitHandle_TrackRecord // +// // +// Description: Handle for Track Records // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: May 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef SIMHITHANDLE_TRACKRECORD_H +#define SIMHITHANDLE_TRACKRECORD_H + +#include "VTI12TrackSystems/SimHitHandleBase.h" +#include "TrackRecord/TrackRecord.h" +#include "GeoPrimitives/CLHEPtoEigenConverter.h" + + +class TrackRecord; +class HepMcParticleLink; + +class SimHitHandle_TrackRecord : public SimHitHandleBase { +public: + + SimHitHandle_TrackRecord(const TrackRecord*); + virtual ~SimHitHandle_TrackRecord(); + + QString type() const { return "TrackRecord"; }; + + Amg::Vector3D momentumDirection() const; + double actualMomentum() const; + Amg::Vector3D posStart() const; + Amg::Vector3D posEnd() const;//We fake this one as a point 0.1mm away from posStart, in the momentumDirection. + double hitTime() const; + int actualPDGCodeFromSimHit() const; + const HepMcParticleLink& particleLink() const; + Trk::TrackParameters * createTrackParameters() const; + +private: + + TrackRecord* m_trkrecord;//We keep this as non-const pointers due to wrong constness in TrackRecord methods!! + double m_mom; + Amg::Vector3D m_momdir; + const HepMcParticleLink* m_link; +}; + +/////////////// +// Inlines // +/////////////// + +inline Amg::Vector3D SimHitHandle_TrackRecord::momentumDirection() const +{ + return m_momdir; +} + +inline double SimHitHandle_TrackRecord::actualMomentum() const +{ + return m_mom; +} + +inline Amg::Vector3D SimHitHandle_TrackRecord::posStart() const +{ + return Amg::Hep3VectorToEigen(m_trkrecord->GetPosition()); +} + +inline Amg::Vector3D SimHitHandle_TrackRecord::posEnd() const +{ + return posStart() + 0.1*CLHEP::mm*(momentumDirection());//faking it... but shouldn't matter. +} + +inline double SimHitHandle_TrackRecord::hitTime() const +{ + return m_trkrecord->GetTime(); +} + +inline int SimHitHandle_TrackRecord::actualPDGCodeFromSimHit() const +{ + return m_trkrecord->GetPDGCode(); +} + +inline const HepMcParticleLink& SimHitHandle_TrackRecord::particleLink() const +{ + return *m_link; +} + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackCollHandleBase.h b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackCollHandleBase.h new file mode 100644 index 0000000000000000000000000000000000000000..24bd5b39a4fe0cc693d259ce5a3f49b454f10c06 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackCollHandleBase.h @@ -0,0 +1,264 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class TrackCollHandleBase // +// // +// Description: Base class for collection handles // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: February 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef TRACKCOLLHANDLEBASE_H +#define TRACKCOLLHANDLEBASE_H + +#include "VTI12TrackSystems/TrackTypes.h" +#include "VTI12TrackSystems/TrackCommonFlags.h" +#include "VTI12TrackSystems/TrackSysCommonData.h"//Not strictly needed + //here, but since all + //derived classes will + //need it we put it + //here. +#include "VP1Base/VP1Interval.h" +#include "VP1Base/VP1QtUtils.h" +#include "VTI12TrackSystems/TrackSystemController.h" +#include <QColor> +#include <iostream> + + +class TrackSystemController; +class TrackHandleBase; +class SoSeparator; +class SoMaterial; +class VP1ExtraSepLayerHelper; +class TrackSysCommonData; +namespace Trk { + class Track; + class Segment; + class IExtrapolator; +} + +#include "VP1Base/VP1StdCollection.h" + +class TrackCollHandleBase : public VP1StdCollection +{ + + Q_OBJECT + +public: + + //Each derived class should implement a "static QStringList + //availableCollections();" method, which the collection widget will + //use to determine the available collections. + + TrackCollHandleBase(TrackSysCommonData *, + const QString& name, + TrackType::Type); + virtual void init(VP1MaterialButtonBase* matBut=0);//reimplementations must start with a call to this. + virtual ~TrackCollHandleBase(); + + //Called just after creation. Should set current cut values and + //connections with controller to monitor future changes. Reimplement + //the ..Specific method to setup subsystem specific settings. + void setupSettingsFromController(TrackSystemController*); +protected: + virtual void setupSettingsFromControllerSpecific(TrackSystemController*) {}; +public: + + /////////////////////////////////////////////////////////// + // For loading the data and resetting after each event: // + /////////////////////////////////////////////////////////// + + //For use by the handles: + QString name() const; + TrackSysCommonData * common() const { return m_commonData; } + // + VP1ExtraSepLayerHelper * sephelper() const { return m_sephelper; }//For attaching/detaching. FIXME: TO BASE!! + + virtual bool canUsePropagator() { return true; } + + double trackTubeRadius() const { return m_trackTubeRadius; } + + virtual bool mightHaveSubSystemHitInfo() const { return false; } + + virtual QByteArray persistifiableState() const;//!<Provide specific implementation + virtual void setState(const QByteArray&);//!<Provide specific implementation + +protected: + + //Must be called from derived classes when filling in new track handles. + void hintNumberOfTracksInEvent(unsigned); + void addTrackHandle(TrackHandleBase*); + + //For iterating over track handles: + void trackHandleIterationBegin(); + TrackHandleBase* getNextTrackHandle(); //Returns 0 when done. + + //Override if special cuts. Remember to call base class implementation also for common cuts. + virtual bool cut(TrackHandleBase*);//Return true if should be shown (based on various cuts), false otherwise. + + //Utility (fixme: put in utility class elsewhere). + template <class T> void cleanupPtrContainer(T&) const;//Delete pointers and calls .clear() + // template <class T> void cleanupNodeContainer(T&) const;//unref's pointers and calls .clear() + + void recheckCutStatus(TrackHandleBase*);//Call in derived classes for handles that might be effected by a change in cuts. + + //Convenience methods which can be called from derived classes or + //the trackcollwidget (but specialised procedures might be more + //optimal) +public: + void recheckCutStatusOfAllVisibleHandles(); + void recheckCutStatusOfAllNotVisibleHandles(); + void recheckCutStatusOfAllHandles(); + void update3DObjectsOfAllHandles(bool invalidatePropagatedPoints = false, float maxR = 0.0 ); // maxR being set will override the prop max value from the controller, e.g. for animations + void updateMaterialOfAllHandles(); + void updateInDetProjectionsOfAllHandles(); + void updateMuonProjectionsOfAllHandles(); + + int nShownHandles() { return m_nshownhandles; } + //For use only by TrackHandleBase::setVisible(..): + void incrementNShownHandles() { ++m_nshownhandles; } + void decrementNShownHandles() { --m_nshownhandles; } + + virtual bool mayHaveAssociatedObjects() const { return false; } + + // FIXME - really not sure any of the prop stuff belongs here. Property of commondata/controller, not coll handle. EJWM + Trk::IExtrapolator * propagator() const { return m_propagator; } + TrackSystemController::PropagationOptionFlags propagationOptions() { return m_propagationOptions; } + + bool ignoreMEOTinProp() const { return m_propagationOptions.testFlag(TrackSystemController::IgnoreMEOT); } + bool extendTracks() const { return m_propagationOptions.testFlag(TrackSystemController::ExtendTrack); } + TrackCommonFlags::TrackPartsFlags parts() const { return m_parts; } + + enum COLOURBY { COLOUR_PERCOLLECTION, COLOUR_RANDOM, COLOUR_BYPID, COLOUR_MOMENTUM, COLOUR_CHARGE, COLOUR_DISTANCE, COLOUR_VERTEX }; + static QString toString(const COLOURBY&); + + COLOURBY colourBy() const { return m_colourby; } + + virtual COLOURBY defaultColourBy () const { return COLOUR_PERCOLLECTION; } + virtual bool allowColourByPID() const { return false; } + virtual bool allowColourByMomentum() const { return true; } + virtual bool allowColourByCharge() const { return true; } + virtual bool allowColourByDistanceFromSelectedTrack() const {return VP1QtUtils::environmentVariableIsOn("VP1_TRKSYS_COLOURBYDIST"); } + virtual bool allowColourByVertex() const { return false; } + virtual void collMaterialTransparencyAndBrightnessChanged(); + + // Cuts + bool useDefaultCuts() const; //!< Return true if this collection uses the default (i.e. controller) cuts + bool cutOnlyVertexAssocTracks() const; //!< Return true if this collection should only should tracks associated to a vertex + //General cuts: + VP1Interval cutAllowedPt() const; + VP1Interval cutAllowedEta() const; + QList<VP1Interval> cutAllowedPhi() const;//All off: empty list. All on: list with one entry: ]-inf,inf[ + //Cuts for number of hits per subsystem: + QList<unsigned> cutRequiredNHits() const;//Empty list: no requirements. Otherwise a list + // with a length of four (pixel,sct,trt,muon) + + void vertexCutsAllowed(bool); // called if vertex system is available. + //Truth cuts: + bool cutTruthFromIROnly() const; + bool cutExcludeBarcodeZero() const; + bool cutTruthExcludeNeutrals() const; + +protected: + + qint32 provideCollTypeID() const; + virtual QString provideSection() const { return TrackType::typeToSectionHeader(m_type); };//FIXME + virtual QString provideSectionToolTip() const { return TrackType::typeToSectionHeaderToolTip(m_type); };//FIXME + virtual QString provideText() const { return name(); };//FIXME + virtual void assignDefaultMaterial(SoMaterial*) const; + virtual QColor defaultColor() const = 0;//Will be used in assignDefaultMaterial + QList<QWidget*> provideExtraWidgetsForGuiRow() const; + QByteArray extraWidgetsState() const; + void setExtraWidgetsState(const QByteArray&); +private slots: + void colourByComboBoxItemChanged(); +public slots: + void rerandomiseRandomTrackColours(); + void trackSelectionChanged(); + void setShownTSOSParts(TrackCommonFlags::TSOSPartsFlags); + void setLabels(TrackSystemController::TrackLabelModes); + void setLabelTrkOffset(float); + void setLabelPosOffsets(QList<int>); + void setCustomColouredTSOSParts(TrackCommonFlags::TSOSPartsFlags); + void setUseShortTRTMeasurements(bool); + void setUseShortMDTMeasurements(bool); + void setDrawMeasGlobalPositions(bool); + void setMeasurementsShorttubesScale(double); + void setNStdDevForParamErrors(const double&); + void setNumberOfPointsOnCircles(int); + void setMaterialEffectsOnTrackScale(double); + void setParTubeErrorsDrawCylinders(bool); + void setRequiredNHits(const QList<unsigned>&); + void setOnlyVertexAssocTracks(bool); + void extrapolateToThisVolumeChanged(void); + void clipVolumeChanged(double); +private: + + class Imp; + Imp * m_d; + + int m_nshownhandles; + TrackType::Type m_type; + TrackSysCommonData * m_commonData; + + VP1ExtraSepLayerHelper * m_sephelper; + Trk::IExtrapolator * m_propagator; + TrackSystemController::PropagationOptionFlags m_propagationOptions; + float m_propMaxRadius; + TrackCommonFlags::TrackPartsFlags m_parts; + TrackSystemController::TrackLabelModes m_labels; + float m_labelsTrkOffset; + QList<int> m_labelsPosOffsets; + double m_trackTubeRadius; + COLOURBY m_colourby; + + VP1Interval m_cut_allowedPtSq;//We store the allowed interval for pt squared - to avoid sqrt's. + VP1Interval m_cut_allowedEta; + QList<VP1Interval> m_cut_allowedPhi; + QList<unsigned> m_cut_requiredNHits; + bool m_cut_pt_allowall; + bool m_cut_eta_allowall; + bool m_cut_phi_allowall; + bool m_cut_etaptphi_allwillfail; + void actualSetShownTSOSPartsOnHandles(); + void actualSetCustomColouredTSOSPartsOnHandles(); + void fillObjectBrowser(); + void updateObjectBrowserVisibilityCounts(); + +private slots: + void collVisibilityChanged(bool); + void setPropagator(Trk::IExtrapolator *); + void setPropagationOptions(TrackSystemController::PropagationOptionFlags); + void setPropMaxRadius(float); + void setParts(TrackCommonFlags::TrackPartsFlags); + void setParts(int); + void setTrackTubeRadius(const double&); + void setColourBy(COLOURBY); + void setUseDefaultCuts(bool); + void setCutAllowedPt(const VP1Interval&); + void setCutAllowedEta(const VP1Interval&); + void setCutAllowedPhi(const QList<VP1Interval>&); + void setActualPathShown(bool); + +}; + +//Fixme: Move elsewhere: +template <class T> void TrackCollHandleBase::cleanupPtrContainer(T&t) const +{ + typename T::iterator it(t.begin()), itE(t.end()); + for (;it!=itE;++it) + delete *it; + t.clear(); +} + +#endif + + + + diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackCollHandle_FatrasTruthTracks.h_toBeFixed b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackCollHandle_FatrasTruthTracks.h_toBeFixed new file mode 100644 index 0000000000000000000000000000000000000000..5c4a75ffa98a80c2e015f45be861428639b8099f --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackCollHandle_FatrasTruthTracks.h_toBeFixed @@ -0,0 +1,39 @@ + +//////////////////////////////////////////////////////////////// +// // +// Header file for class TrackCollHandle_FatrasTruthTracks // +// // +// Description: Specialisation of TrkTracks which contains // +// Fatras truth information // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: March 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef TRACKCOLLHANDLE_FATRASTRUTHTRACKS_H +#define TRACKCOLLHANDLE_FATRASTRUTHTRACKS_H + +#include "VP1TrackSystems/TrackCollHandle_TrkTrack.h" + +class TrackCollHandle_FatrasTruthTracks : public TrackCollHandle_TrkTrack { + + Q_OBJECT + +public: + + static QStringList availableCollections(IVP1System*);//For the collection widget. + + TrackCollHandle_FatrasTruthTracks(TrackSysCommonData *, + const QString& name); + virtual ~TrackCollHandle_FatrasTruthTracks() {} + +protected: + virtual bool allowColourByPID() const { return true; } + virtual COLOURBY defaultColourBy () const { return COLOUR_BYPID; } + virtual bool load(); + virtual QColor defaultColor() const { return QColor::fromRgbF(1.0f, 1.0f, 0.0f); } + +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackCollHandle_RefittedTracks.h b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackCollHandle_RefittedTracks.h new file mode 100644 index 0000000000000000000000000000000000000000..be03ccbdb414cb225b04677f3fd53655cb56f724 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackCollHandle_RefittedTracks.h @@ -0,0 +1,46 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class TrackCollHandle_RefittedTracks // +// // +// Description: Specialisation of TrkTracks which contains // +// Fatras truth information // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: September 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef TRACKCOLLHANDLE_REFITTEDTRACKS_H +#define TRACKCOLLHANDLE_REFITTEDTRACKS_H + +#include "VTI12TrackSystems/TrackCollHandle_TrkTrack.h" +#include <QList> + +class TrackCollHandle_RefittedTracks : public TrackCollHandle_TrkTrack { + + Q_OBJECT + +public: + + TrackCollHandle_RefittedTracks( TrackSysCommonData *, + const QString& name, + QList<const Trk::Track*> fittedtracks ); + virtual ~TrackCollHandle_RefittedTracks(); + +protected: + virtual bool load(); + virtual QColor defaultColor() const { return QColor::fromRgbF(0.0f, 1.0f, 1.0f); } + +private: + + class Imp; + Imp * m_d; + +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackCollHandle_TrackParticle.hSave b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackCollHandle_TrackParticle.hSave new file mode 100644 index 0000000000000000000000000000000000000000..ed626960134d7e33b64014e6781f2cede43862e7 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackCollHandle_TrackParticle.hSave @@ -0,0 +1,47 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class TrackCollHandle_TrackParticle // +// // +// Description: Collection handle for track particles // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: May 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef TRACKCOLLHANDLE_TRACKPARTICLE_H +#define TRACKCOLLHANDLE_TRACKPARTICLE_H + +#include "VTI12TrackSystems/TrackCollHandleBase.h" + +class TrackCollHandle_TrackParticle : public TrackCollHandleBase { + + Q_OBJECT + +public: + + static QStringList availableCollections(IVP1System*);//For the collection widget. + + TrackCollHandle_TrackParticle( TrackSysCommonData *, + const QString& name ); + virtual ~TrackCollHandle_TrackParticle(); + +protected: + virtual bool load(); + virtual bool cut(TrackHandleBase*); + virtual QColor defaultColor() const { return QColor::fromRgbF(1.0f, 1.0f, 0.5f); } + bool mightHaveSubSystemHitInfo() const { return true; } + +private: + + class Imp; + Imp * m_d; + +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackCollHandle_TrkSegment.hSave b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackCollHandle_TrkSegment.hSave new file mode 100644 index 0000000000000000000000000000000000000000..26ede8280afefdbc3788772e31d83826f4cb3c4c --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackCollHandle_TrkSegment.hSave @@ -0,0 +1,56 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class TrackCollHandle_TrkSegment // +// // +// Description: fixme // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: February 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef TRACKCOLLHANDLE_TRKSEGMENT_H +#define TRACKCOLLHANDLE_TRKSEGMENT_H + +#include "VTI12TrackSystems/TrackCollHandleBase.h" +#include <QStringList> + +class TrackHandle_TrkSegment; + +class TrackCollHandle_TrkSegment : public TrackCollHandleBase { + + Q_OBJECT + +public: + + static QStringList availableCollections(IVP1System*);//For the collection widget. + + TrackCollHandle_TrkSegment(TrackSysCommonData *, + const QString& name); + virtual ~TrackCollHandle_TrkSegment(); + + void setupSettingsFromControllerSpecific(TrackSystemController*); + + void visibleStateUpdated(TrackHandle_TrkSegment*);//Must be called whenever visibility/material of handle changes. + bool mightHaveSubSystemHitInfo() const { return true; } + +protected: + bool load(); + bool cut(TrackHandleBase*); + virtual QColor defaultColor() const { return QColor::fromRgbF(0.75f, 0.39f, 1.0f ); } + virtual bool allowColourByMomentum() const { return false; } + virtual bool allowColourByCharge() const { return false; } + +private: + + class Imp; + Imp * m_d; + +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackCollHandle_TrkTrack.h b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackCollHandle_TrkTrack.h new file mode 100644 index 0000000000000000000000000000000000000000..f35919db19aab7958780ed7175de58d9102335ed --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackCollHandle_TrkTrack.h @@ -0,0 +1,60 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class TrackCollHandle_TrkTrack // +// // +// Description: Collection handle for Trk::Tracks. // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: February 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef TRACKCOLLHANDLE_TRKTRACK_H +#define TRACKCOLLHANDLE_TRKTRACK_H + +#include "VTI12TrackSystems/TrackCollHandleBase.h" +#include "VTI12TrackSystems/TrackCommonFlags.h" +#include <QStringList> +#include <iostream> + +class TrackHandle_TrkTrack; +namespace Trk { class Track; } +class TrackCollHandle_TrkTrack : public TrackCollHandleBase { + + Q_OBJECT + +public: + + static QStringList availableCollections(IVP1System*);//For the collection widget. + + TrackCollHandle_TrkTrack(TrackSysCommonData *, + const QString& name, + TrackType::Type type = TrackType::TrkTrack); + virtual ~TrackCollHandle_TrkTrack(); + + //NB: All overridden methods should be virtual since + //TrackCollHandle_FatrasTruthTracks inherits from this. + virtual void setupSettingsFromControllerSpecific(TrackSystemController*); + virtual bool allowColourByVertex() const { return true;} + + void visibleStateUpdated(TrackHandle_TrkTrack*);//Must be called whenever visibility/material of handle changes. + bool mightHaveSubSystemHitInfo() const { return true; } + +protected: + virtual bool load(); + virtual bool cut(TrackHandleBase*); + virtual QColor defaultColor() const { return QColor::fromRgbF(1.0f, 0.666667f, 0.0f); } + +private: + + class Imp; + Imp * m_d; + +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackCollHandle_TruthTracks.h b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackCollHandle_TruthTracks.h new file mode 100644 index 0000000000000000000000000000000000000000..60c9d0d51ed9c948949c3890261cf20921711e90 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackCollHandle_TruthTracks.h @@ -0,0 +1,59 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class TrackCollHandle_TruthTracks // +// // +// Description: Collection handle for HepMC/simhit based // +// truth tracks // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: March 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef TRACKCOLLHANDLE_TRUTHTRACKS_H +#define TRACKCOLLHANDLE_TRUTHTRACKS_H + +#include "VTI12TrackSystems/TrackCollHandleBase.h" + +class SimHitHandleBase; + +class TrackCollHandle_TruthTracks : public TrackCollHandleBase { + + Q_OBJECT + +public: + + static QStringList availableCollections(IVP1System*);//For the collection widget. + + TrackCollHandle_TruthTracks(TrackSysCommonData *, + const QString& name); + virtual ~TrackCollHandle_TruthTracks(); + + virtual void setupSettingsFromControllerSpecific(TrackSystemController*); + +protected: + virtual COLOURBY defaultColourBy () const { return COLOUR_BYPID; } + virtual bool allowColourByPID() const { return true; } + virtual bool load(); + virtual bool cut(TrackHandleBase*); + virtual QColor defaultColor() const { return QColor::fromRgbF(0.42f, 0.96f, 0.16f); } + +private slots: + void setCutFromIROnly(bool); + void setCutExcludeBarcodeZero(bool); + void setCutExcludeNeutrals(bool); + void setShowAscObjs(bool); + +private: + + class Imp; + Imp * m_d; + void fixPDGCode(SimHitHandleBase*) const; +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackCollHandle_xAODTrackParticle.hSave b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackCollHandle_xAODTrackParticle.hSave new file mode 100644 index 0000000000000000000000000000000000000000..677fcba3ecd6579fce1325723e7a81e2f1b90ef2 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackCollHandle_xAODTrackParticle.hSave @@ -0,0 +1,45 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +//////////////////////////////////////////////////////////////// + +// // +// Header file for class TrackCollHandle_TrackParticle // +// // +// Description: Collection handle for track particles // +// // +// // +//////////////////////////////////////////////////////////////// + +#ifndef TRACKCOLLHANDLE_XAODTRACKPARTICLE_H +#define TRACKCOLLHANDLE_XAODTRACKPARTICLE_H + +#include "VTI12TrackSystems/TrackCollHandleBase.h" + +class TrackCollHandle_xAODTrackParticle : public TrackCollHandleBase { + + Q_OBJECT + +public: + + static QStringList availableCollections(IVP1System*);//For the collection widget. + + TrackCollHandle_xAODTrackParticle( TrackSysCommonData *, + const QString& name ); + virtual ~TrackCollHandle_xAODTrackParticle(); + +protected: + virtual bool load(); + virtual bool cut(TrackHandleBase*); + virtual QColor defaultColor() const { return QColor::fromRgbF(1.0f, 1.0f, 0.5f); } + bool mightHaveSubSystemHitInfo() const { return true; } + +private: + + class Imp; + Imp * m_d; + +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackCollWidget.h b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackCollWidget.h new file mode 100644 index 0000000000000000000000000000000000000000..e8b2b14e6124ee718d4e706e2cbd9c5762b6bbf9 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackCollWidget.h @@ -0,0 +1,42 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class TrackCollWidget // +// // +// Description: Collection widget. Specialisation which // +// imposes desired section ordering. // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: February 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef TRACKCOLLWIDGET_H +#define TRACKCOLLWIDGET_H + +#include "VP1Base/VP1CollectionWidget.h" + +class TrackCollWidget : public VP1CollectionWidget { + + Q_OBJECT + +public: + + TrackCollWidget(QWidget * parent = 0) : VP1CollectionWidget(parent) {} + virtual ~TrackCollWidget(){} + +protected: + + void sortSections(QList<QString>&); + +private: + class Imp; + +}; + + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackCollectionSettingsButton.h b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackCollectionSettingsButton.h new file mode 100644 index 0000000000000000000000000000000000000000..79f8ad3e3c5c64f99d78eeece38b6cfb90035f3f --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackCollectionSettingsButton.h @@ -0,0 +1,108 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef TRACKCOLLSETTINGSBUTTON_H +#define TRACKCOLLSETTINGSBUTTON_H + +#include "VP1Base/VP1MaterialButton.h" + +class SoDrawStyle; +class SoLightModel; + +class TrackCollectionSettingsButton : public VP1MaterialButtonBase { + + Q_OBJECT + +public: + + TrackCollectionSettingsButton(QWidget * parent = 0, int dim = 25);//dim<=0 => Won't change sizepolicy + virtual ~TrackCollectionSettingsButton(); + + void setDimension(int dim); + + // The below are necessary to fulfill the interface, but will just be passed onto the VP1MaterialButton owned by the TrackCollectionSettingsButton form + virtual bool setMaterial(SoMaterial*); + virtual void copyValuesFromMaterial(SoMaterial*); + virtual double lastAppliedTransparency() const ; + virtual double lastAppliedShininess() const ; + virtual double lastAppliedBrightness() const; + + // GUI for track lines... + double trackTubeRadius() const;//0 => don't show tubes for tracks + bool hideActualTrackPath() const; + + // GUI for cuts + bool useDefaultCuts() const; + bool cutOnlyVertexAssocTracks() const; //!< Return true if this collection should only should tracks associated to a vertex + VP1Interval cutAllowedPt() const; + VP1Interval cutAllowedEta() const; + QList<VP1Interval> cutAllowedPhi() const;//All off: empty list. All on: list with one entry: ]-inf,inf[ + //Cuts for number of hits per subsystem: + QList<unsigned> cutRequiredNHits() const;//Empty list: no requirements. Otherwise a list + // with a length of four (pixel,sct,trt,muon) + //Truth cuts: + bool cutTruthFromIROnly() const; + bool cutExcludeBarcodeZero() const; + bool cutTruthExcludeNeutrals() const; + + //Overall drawstyles, complexities and light models: + SoDrawStyle * trackDrawStyle() const; + SoLightModel * trackLightModel() const; + + QByteArray saveState() const; //!< fill out with the state of the object (used for drag and drop etc) + void restoreFromState( const QByteArray& ); + + signals: + void trackTubeRadiusChanged(const double&); + void lastAppliedChanged(); // emitted when something related to material changes + void hideActualTrackPathChanged(bool); + + void useDefaultCutsChanged(bool); + void cutAllowedPtChanged(const VP1Interval&); + void cutAllowedEtaChanged(const VP1Interval&); + void cutAllowedPhiChanged(const QList<VP1Interval>&); + void cutRequiredNHitsChanged(const QList<unsigned>&); + void cutTruthFromIROnlyChanged(bool); + void cutExcludeBarcodeZeroChanged(bool); + void cutTruthExcludeNeutralsChanged(bool); + void cutOnlyVertexAssocTracksChanged(bool); + + public slots: + void showEditMaterialDialog(); + void setText(const QString&); + + protected slots: + void updateButton(); + + protected: + // void initEditWindow();//!< Make sure that edit window is constructed + void mousePressEvent(QMouseEvent *event); + void mouseMoveEvent(QMouseEvent *event); + void dropEvent(QDropEvent *event); + void dragEnterEvent(QDragEnterEvent *event); + private: + + class Imp; + Imp * m_d; + + private slots: + void updateTrackDrawStyle(); + void updateTrackLightModel(bool); + void updateTrackTubeRadius(); + void updateHideActualTrackPath(bool); + void possibleChange_useDefaultCuts(); + void possibleChange_cutAllowedPt(); + void possibleChange_cutAllowedEta(); + void possibleChange_cutAllowedPhi(); + void possibleChange_cutRequiredNHits(); + void possibleChange_cutTruthFromIROnly(); + void possibleChange_cutExcludeBarcodeZero(); + void possibleChange_cutTruthExcludeNeutrals(); + void possibleChange_cutOnlyVertexAssocTracks(); + +}; + +#endif + + diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackCommonFlags.h b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackCommonFlags.h new file mode 100644 index 0000000000000000000000000000000000000000..a5e7a0ee9aea8a93b2e14e9395d7de3b06706510 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackCommonFlags.h @@ -0,0 +1,79 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +//////////////////////////////////////////////////////////////// +// // +// Various flags - put here to avoid the need to include // +// other header files just for the flags // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: March 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef TRACKCOMMONFLAGS_H +#define TRACKCOMMONFLAGS_H + +#include <QFlags> +#include <QString> + +class TrackCommonFlags { +public: + + enum TrackPartsFlag { + NoParts = 0x0000, + ActualPath = 0x0001, + InDetProjections = 0x0002, + MuonProjections = 0x0004, + VertexProjections = 0x0008 + }; + Q_DECLARE_FLAGS(TrackPartsFlags, TrackPartsFlag) + + enum SELECTIONMODE { SINGLEOBJECT, MULTITRACK, TRACKFIT }; + static QString toString(const SELECTIONMODE&); + + enum FITTERMODE { FROMPRDS, REFITSINGLETRACK, EXTENDTRACKWITHPRDS,COMBINETWOTRACKS }; + static QString toString(const FITTERMODE&); + + enum DETAILLEVEL { SIMPLE, DETAILED, AUTO }; + static QString toString(const DETAILLEVEL& ); + + enum TSOSPartsFlag { + TSOS_NoObjects = 0x0000, + TSOS_TrackPars = 0x0001, //!< bit 0 + TSOS_TrackParsErrorsNotPerigee = 0x0002, //!< bit 1 + TSOS_TrackParsErrorsPerigee = 0x0004, //!< bit 2 + TSOS_MeasError = 0x008, //!< bit 3 + TSOS_MeasRioOnTrackNotOutlier = 0x0010, //!< bit 4 + TSOS_MeasCompetingRioOnTrackNotOutlier = 0x0020, //!< bit 5 + TSOS_MeasRioOnTrackOutlier = 0x0040,//!< bit 6 + TSOS_MeasCompetingRioOnTrackOutlier = 0x0080,//!< bit 7 + TSOS_SurfacesDetElem = 0x0100, //!< bit 9 + TSOS_SurfacesCustom = 0x0200, //!< bit 10 + TSOS_TubeSurfaces = 0x0400, //!< bit 11 + TSOS_MaterialEffectsWithNoDeltaE = 0x1000, //!< bit 12 + TSOS_MaterialEffects = 0x2000,//!< bit 13 + TSOS_Hole = 0x4000,//!< bit 14 + //Convenience + TSOS_AnyMaterialEffects = 0x3000, + TSOS_AnySurface = 0x0700, + TSOS_AnyMeasurement = 0x00F0, + TSOS_AnyMeasurementNotOutlier = 0x0030, + TSOS_AnyMeasurementOutlier = 0x00C0, + TSOS_AnyMeasRioOnTrack = 0x0050, + TSOS_AnyMeasCompetingRioOnTrack = 0x00A0, + TSOS_AnyParsErrors = 0x0006, + TSOS_AnyErrors = 0x10FE + }; + Q_DECLARE_FLAGS(TSOSPartsFlags, TSOSPartsFlag) + +private: + TrackCommonFlags(); + ~TrackCommonFlags(); +}; + +Q_DECLARE_OPERATORS_FOR_FLAGS(TrackCommonFlags::TrackPartsFlags) +Q_DECLARE_OPERATORS_FOR_FLAGS(TrackCommonFlags::TSOSPartsFlags) + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackHandleBase.h b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackHandleBase.h new file mode 100644 index 0000000000000000000000000000000000000000..bd8e9905eaf289118dc6cf83789ab265bbbf6faf --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackHandleBase.h @@ -0,0 +1,208 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class TrackHandleBase // +// // +// Description: Base class for track handles. // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: February 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef TRACKHANDLEBASE_H +#define TRACKHANDLEBASE_H + +#include "VTI12TrackSystems/TrackCommonFlags.h" + +#include "TrkEventPrimitives/ParticleHypothesis.h" +#include "GeoModelKernel/GeoPVConstLink.h" + +//#include "CLHEP/Geometry/Point3D.h" +#include "GeoPrimitives/GeoPrimitives.h" + +#include <QStringList> +#include <QTreeWidgetItem> +#include <vector> +#include <set> +#include <QList> +#include <QFlags> + + +class AssocObjAttachmentHandle; +class AssociatedObjectHandleBase; +class TrackCollHandleBase; +class TrackSysCommonData; +class SoMaterial; +class SoNode; +class TrackLODHandle; + +namespace Trk { + class Track; + class FitQuality; +} + +class TrackHandleBase { +public: + + static int numberOfInstances(); + + TrackHandleBase(TrackCollHandleBase*); + virtual ~TrackHandleBase(); + + TrackSysCommonData * common() const; + + void setVisible(bool);//!< use by the collection handle. + bool visible() const { return m_visible; } + TrackCollHandleBase * collHandle() const { return m_collhandle; } + const std::set<GeoPVConstLink>& touchedMuonChambers() const; + void update3DObjects(bool invalidatePropagatedPoints = false, float maxR=0.0); + // void updateInDetProjections(); + // void updateMuonProjections(); + void updateMaterial(); + void rerandomiseRandomMaterial(); + void updateRandomColourTransparencyAndBrightness(); + SoMaterial * currentMaterial() const { return m_currentmaterial; } + + QStringList baseInfo() const; + /** Called when user selects the node (stringlist is displayed in messagebox). + Reimplementations should add info momInfo() to get momentum, eta, phi, pid,charge, mass printed.*/ + virtual QStringList clicked() const = 0; + + virtual Amg::Vector3D momentum() const { return Amg::Vector3D(0,0,0); } + virtual const Amg::Vector3D * startPoint() const;//!< returns 0 if can't find start point. + virtual const Amg::Vector3D * endPoint() const;//!< returns 0 if can't find start point. + virtual int pdgCode() const { return 0; }//!< 0 means unknown + + //Default implementation of the following two methods will based on + //pdgCode(). In the case of charge(), if it can't be determined + //based on pdgCode(), and attempt will be made by looking at the + //first track parameters charge (if a Trk::Track is + //provided). Override in case the charge/mass can be determined, but + //the pdg code not. (or if there is a faster way to get the charge than by constructing the Trk::Track first). + // + //NB: update: it is the calculateCharge() method which must be reimplemented for the charge! + double charge() const;//Returns unknown() in case of trouble. + virtual double mass() const;//Returns unknown() in case of trouble. + + bool hasCharge() const { return charge()!=unknown(); } + bool hasMass() const { return mass()!=unknown(); } + + static double unknown() { return -999.0; } + + virtual bool hasSubSystemHitInfo() const { return false; } + // virtual unsigned getNVetoHits() const { return 0; } + // virtual unsigned getNTriggerHits() const { return 0; } + // virtual unsigned getNPreshowerHits() const { return 0; } + virtual unsigned getNSCTHits() const { return 0; } + // virtual unsigned getNEcalHits() const { return 0; } + // virtual unsigned getNScintHits() const { return (getNVetoHits() + getNTriggerHits() + getNPreshowerHits()); } + // virtual bool isIDTrack() const ; + // virtual unsigned getNPixelHits() const { return 0; } + // virtual unsigned getNSCTHits() const { return 0; } + // virtual unsigned getNTRTHits() const { return 0; } + // virtual unsigned getNMuonHits() const { return (getNMDTHits()+getNRPCHits()+getNTGCHits()+getNCSCHits()); } + // virtual unsigned getNMuonPhiHits() const { return 0; } //!< The number of phi hits is part of hit counts below (i.e. RPC hits include phi hits), but reported separately due to importance. + // virtual unsigned getNMDTHits() const { return 0; } + // virtual unsigned getNRPCHits() const { return 0; } + // virtual unsigned getNTGCHits() const { return 0; } + // virtual unsigned getNCSCHits() const { return 0; } + // virtual unsigned getNMuonPrecisionHits() const { return getNMDTHits() + getNCSCHits(); } // This should really only count eta csc hits. + virtual const Trk::FitQuality* getFitQuality() const {return 0;} + + QList<AssociatedObjectHandleBase*> getVisibleMeasurements() const; + TrackCommonFlags::TSOSPartsFlags shownTSOSParts() const; + TrackCommonFlags::TSOSPartsFlags customColouredTSOSParts() const; + + std::vector< Amg::Vector3D > * hackGetPointsPropagated();//!< FIXME. Used to get position of track for use in short tubes etc. + + virtual QString shortInfo() const { return QString("Not yet implemented"); } //!< returns mom and hit information about track + virtual QString type() const { return QString("Not yet implemented"); } //!< return very short word with type (maybe link with collection type?) + + // Object browser code + // @TODO revisit this once plan for more general approach is completed. + virtual void fillObjectBrowser(QList<QTreeWidgetItem *>& list); //!< Overload in child classes + void updateObjectBrowser(){}; + QTreeWidgetItem* browserTreeItem() const ; + +protected: + + virtual double calculateCharge() const; + + //Ways of providing path information: + // * Provide a Trk::Track + // * Provide a vector of Amg::Vector3D (this precludes extrapolation) // BEFORE EIGEN MIGRATION WAS: HepGeom::Point3D<double>'s + // + //Override exactly one of the two following methods, in order to + //provide path information. It will be called exactly once and the + //derived class destructor will be responsible of any necessary + //memory cleanup of the returned objects: + virtual const Trk::Track * provide_pathInfoTrkTrack() const { return 0; }; + // virtual const std::vector< HepGeom::Point3D<double> > * provide_pathInfoPoints() const { return 0; } + virtual const std::vector< Amg::Vector3D > * provide_pathInfoPoints() const { return 0; } + + /** Default implementation of this next method bases hypothesis on pdgCode() and charge():*/ + virtual Trk::ParticleHypothesis extrapolationParticleHypothesis() const; + + virtual void visibleStateChanged();//!< override if need to take action in this case. + virtual void currentMaterialChanged() {};//!< override if need to take action in this case. + + QList<AssociatedObjectHandleBase*> getAllAscObjHandles() const; //!< Return list of all AscObj handles. Not guaranteed to be filled unless tsoses are visible. + +private: + + // It is illegal to copy/assign a TrackHandleBase: + TrackHandleBase(const TrackHandleBase & ); + TrackHandleBase & operator= (const TrackHandleBase & ); + + friend class AssocObjAttachmentHandle; + class Imp; + Imp * m_d; + + + //Here for inlining: + bool m_visible; + TrackCollHandleBase * m_collhandle; + SoMaterial * m_currentmaterial; + void clearLine(); + void registerTrack(); + + void updateShapes_TSOSWithMeasurements(); + void updateShapes_TSOSWithErrors(); + void updateShapes_TSOSWithMaterialEffects(); + void setShownTSOSParts(TrackCommonFlags::TSOSPartsFlags f); + void setCustomColouredTSOSParts(TrackCommonFlags::TSOSPartsFlags f); + + //For associated objects: + friend class AssociatedObjectHandleBase; + friend class TrackCollHandleBase; // Troels: maybe not needed... + AssocObjAttachmentHandle * getAttachmentHandle(int regionIndex, const double& crossoverval); +protected: + void registerAssocObject(AssociatedObjectHandleBase*);//!<Trackhandle assumes ownership + +}; + +class AssocObjAttachmentHandle { +public: + void attachNodes( SoNode*simple, SoNode*detailed, bool unpickable ); + void setPickableStateOfNodes( SoNode*simple, SoNode*detailed, bool unpickable );//!<Will attach if not currently attached. + void detachNodes( SoNode*simple, SoNode*detailed ); +private: + friend class TrackHandleBase;//The life of these classes are entirely owned by TrackHandleBase. + friend class TrackHandleBase::Imp;//The life of these classes are entirely owned by TrackHandleBase. + AssocObjAttachmentHandle(TrackLODHandle *,TrackHandleBase* ); + ~AssocObjAttachmentHandle(); + AssocObjAttachmentHandle(const AssocObjAttachmentHandle & ); + AssocObjAttachmentHandle & operator= (const AssocObjAttachmentHandle & ); + void trackMaterialChanged(); + void trackVisibilityChanged(); + class Imp; + Imp * m_d; +}; + + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackHandle_FatrasTruthTrack.hSave b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackHandle_FatrasTruthTrack.hSave new file mode 100644 index 0000000000000000000000000000000000000000..a7b21a9982f2940e40130769c922befd8e6c4869 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackHandle_FatrasTruthTrack.hSave @@ -0,0 +1,49 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +// +// //////////////////////////////////////////////////////////////// +// // // +// // Header file for class TrackHandle_FatrasTruthTrack // +// // // +// // Description: Specialisation of Trk::Track handles used // +// // for FatRas tracks. // +// // // +// // Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// // Initial version: March 2008 // +// // // +// //////////////////////////////////////////////////////////////// +// +// #ifndef TRACKHANDLE_FATRASTRUTHTRACK_H +// #define TRACKHANDLE_FATRASTRUTHTRACK_H +// +// #include "VP1TrackSystems/TrackHandle_TrkTrack.h" +// namespace Fatras{ class TrackParticleState; } +// +// class TrackHandle_FatrasTruthTrack : public TrackHandle_TrkTrack { +// public: +// +// TrackHandle_FatrasTruthTrack(TrackCollHandleBase*,const Fatras::TrackParticleState*); +// virtual ~TrackHandle_FatrasTruthTrack() {}; +// +// virtual QStringList clicked() const; +// +// virtual Amg::Vector3D momentum() const; +// virtual const Amg::Vector3D * startPoint() const; +// virtual int pdgCode() const; +// virtual QString type() const { return QString("Fatras"); } //!< return very short word with type (maybe link with collection type?) +// +// protected: +// virtual double calculateCharge() const; +// virtual Trk::ParticleHypothesis extrapolationParticleHypothesis() const; +// +// private: +// +// class Imp; +// Imp * d; +// +// +// }; +// +// #endif diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackHandle_TrkTrack.h b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackHandle_TrkTrack.h new file mode 100644 index 0000000000000000000000000000000000000000..a2df693d7959babc2b79b71053008c1fc2318726 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackHandle_TrkTrack.h @@ -0,0 +1,67 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class TrackHandle_TrkTrack // +// // +// Description: TrackHandle for Trk::Track's // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: February 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef TRACKHANDLE_TRKTRACK_H +#define TRACKHANDLE_TRKTRACK_H + +#include "VTI12TrackSystems/TrackHandleBase.h" +#include "VTI12TrackSystems/MeasurementToSoNode.h" + +#include "GeoPrimitives/GeoPrimitives.h" + +namespace Trk { + class Track; + class MeasurementBase; +} + +class TrackHandle_TrkTrack : public TrackHandleBase { +public: + + TrackHandle_TrkTrack(TrackCollHandleBase*,const Trk::Track*); + virtual ~TrackHandle_TrkTrack(); + + virtual QStringList clicked() const; + + virtual Amg::Vector3D momentum() const; + const Trk::Track * provide_pathInfoTrkTrack() const { return m_trk; }; + + const Trk::Track* trkTrackPointer() const { return m_trk; } + + virtual bool hasSubSystemHitInfo() const { ensureInitSubSysHitInfo(); return m_hitInfoStatus; } + virtual unsigned getNSCTHits() const { return m_nhits_sct; } + virtual const Trk::FitQuality* getFitQuality() const ; + + virtual void fillObjectBrowser(QList<QTreeWidgetItem *>& list); + void updateObjectBrowser(); + + SoNode* zoomToTSOS(unsigned int index); //!< Depending on controller configuration attempt to zoom to the corresponding TSOS & returned detailed node matching it + + virtual QString shortInfo() const; //!< returns mom and hit information about track + virtual QString type() const { return QString("Track"); } //!< return very short word with type (maybe link with collection type?) + +private: + void visibleStateChanged(); + void currentMaterialChanged(); + mutable unsigned m_nhits_sct; + mutable int m_hitInfoStatus;//!< -1: uninitialized, 0: not present, 1: present. + void ensureInitSubSysHitInfo() const; + +protected: + const Trk::Track* m_trk; + Trk::MeasurementToSoNode m_measToSoNode; //!< Just used to get types, so probably better to hive that functionality off. @FIXME +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackHandle_TruthTrack.h b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackHandle_TruthTrack.h new file mode 100644 index 0000000000000000000000000000000000000000..7c35a0b46fe33772fe30a5855e3c3ca95d0c85ff --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackHandle_TruthTrack.h @@ -0,0 +1,64 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class TrackHandle_TruthTrack // +// // +// Description: Handle for truth tracks based on HepMC // +// records and sim. hits. // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: March 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef TRACKHANDLE_TRUTHTRACK_H +#define TRACKHANDLE_TRUTHTRACK_H + +#include "VTI12TrackSystems/TrackHandleBase.h" +#include "VTI12TrackSystems/SimHitHandleBase.h" + +#include "GeoPrimitives/GeoPrimitives.h" + +namespace HepMC { class GenParticle; } + +class TrackHandle_TruthTrack : public TrackHandleBase { +public: + + TrackHandle_TruthTrack( TrackCollHandleBase*, + const SimBarCode&, + const SimHitList&, + const HepMC::GenParticle* genPart = 0 ); + + virtual ~TrackHandle_TruthTrack(); + + virtual QStringList clicked() const; + + virtual Amg::Vector3D momentum() const; + virtual int pdgCode() const; + bool hasBarCodeZero() const; + + + bool hasVertexAtIR(const double& rmaxsq, const double& zmax) const; + //Fixme: Something like this?: bool isPrimaryTrack() const; + void setAscObjsVisible(bool); + + virtual QString type() const { return QString("Truth"); } //!< return very short word with type (maybe link with collection type?) + + +protected: + virtual double calculateCharge() const; + const Trk::Track * provide_pathInfoTrkTrack() const; + void visibleStateChanged(); + +private: + + class Imp; + Imp * m_d; + +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackLODManager.h b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackLODManager.h new file mode 100644 index 0000000000000000000000000000000000000000..5679101a80a4d270ee9ec54498755d9ce2420768 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackLODManager.h @@ -0,0 +1,73 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class TrackLODManager // +// // +// Description: Manager class for taking care of the LOD // +// nodes needed for associated track objects. // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: March 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef TRACKLODMANAGER_H +#define TRACKLODMANAGER_H + +#include "VP1Base/VP1HelperClassBase.h" +#include "VTI12TrackSystems/TrackCommonFlags.h" +#include <QObject> + +//Fixme: Should this be a general utility class, to be used in the prd +// system as well? + +class TrackLODHandle; +class SoGroup; +class VP1ExtraSepLayerHelper; + +class TrackLODManager : public QObject, public VP1HelperClassBase { + + Q_OBJECT + +public: + TrackLODManager( QObject * parent = 0, IVP1System * sys = 0);// sys != for messages in gui. + virtual ~TrackLODManager(); + + void setAttachNode(SoGroup* attachnode); + void eraseEventData(); + + TrackLODHandle * getLODHandle(int regionindex, const double& crossover_value); + +public slots: + void setDetailLevel(TrackCommonFlags::DETAILLEVEL); + +private: + + class Imp; + Imp * m_d; + friend class TrackLODHandle; +}; + +//Handle class declaration: +class TrackLODHandle { +public: + void addNodes(SoGroup* simple,SoGroup*detailed ); + void removeNodes(SoGroup* simple,SoGroup*detailed ); +private: + TrackLODHandle(SoGroup*,VP1ExtraSepLayerHelper*,VP1ExtraSepLayerHelper*,int, const double& ); + ~TrackLODHandle(); + TrackLODHandle(const TrackLODHandle & ); + TrackLODHandle & operator= (const TrackLODHandle & ); + friend class TrackLODManager; + friend class TrackLODManager::Imp; + class Imp; + Imp * m_d; +}; + + + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackPropagationHelper.h b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackPropagationHelper.h new file mode 100644 index 0000000000000000000000000000000000000000..1b042eb0c24d485f933b147ad86fa928d7f18108 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackPropagationHelper.h @@ -0,0 +1,62 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class TrackPropagationHelper // +// // +// Description: Helper class for using extrapolators to // +// extend raw track data // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Actual extrapolation code by Thijs Cornelissen // +// Initial version: February 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef TRACKPROPAGATIONHELPER_H +#define TRACKPROPAGATIONHELPER_H + +#include "VP1Base/VP1HelperClassBase.h" + +#include "TrkSurfaces/PlaneSurface.h" +#include "TrkEventPrimitives/ParticleHypothesis.h" + +//#include "CLHEP/Geometry/Point3D.h" +#include "GeoPrimitives/GeoPrimitives.h" + +#include <vector> + + + +namespace Trk { + class Track; + class IExtrapolator; + class Volume; +} + +class TrackPropagationHelper : public VP1HelperClassBase { +public: + + TrackPropagationHelper( IVP1System* sys ); + ~TrackPropagationHelper(); + + bool makePointsNeutral( std::vector<Amg::Vector3D >& points, const Trk::Track* ); + bool makePointsCharged( std::vector<Amg::Vector3D >& points, const Trk::Track*, + Trk::IExtrapolator * extrapolator, Trk::ParticleHypothesis hypo = Trk::nonInteracting, bool useMEOT=false, const Trk::Volume* volume=0 ); + + std::vector<Trk::PlaneSurface>& getExtrapolationSurfaces() const; + bool showExtrapolationSurfaces() const; + + // double maxR2ForTracks() const; //!< Returns the maximum r^2 to draw track curves up to. Set by + +private: + + class Imp; + Imp * m_d; + +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackSysCommonData.h b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackSysCommonData.h new file mode 100644 index 0000000000000000000000000000000000000000..426e9c1b9b54a1c27199323b8d30a5462ebf9fcc --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackSysCommonData.h @@ -0,0 +1,126 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class TrackSysCommonData // +// // +// Description: Common pointers, data, node-to-object maps // +// etc. for the track system // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: April 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef TRACKSYSCOMMONDATA_H +#define TRACKSYSCOMMONDATA_H + +#include "VP1Base/VP1HelperClassBase.h" +#include "VP1Base/VisibleObjectToMaterialHelper.h" +#include "VTI12Utils/HitsSoNodeManager.h" + +class VP1TrackSystem; +class IVP13DSystem; +class AscObjSelectionManager; +class TrackSystemController; +// class InDetProjHelper; +class TrackPropagationHelper; +class TrackLODManager; +class VP1TrackSanity; +class SoNode; +class TrackHandleBase; +class SoPointSet; +class QTreeWidgetItem; +class SoSeparator;//Fixme! + +namespace Trk { + class Track; + class Segment; +} +class VP1TrackSystem; + +class TrackSysCommonData : public VP1HelperClassBase { +public: + + TrackSysCommonData(VP1TrackSystem * sys,TrackSystemController *); + virtual ~TrackSysCommonData(); + + VP1TrackSystem * system() const; + AscObjSelectionManager* ascObjSelectionManager() const;//returns null if not in refreshed state + TrackSystemController * controller() const; + // InDetProjHelper * indetProjHelper_Pixel() const; + // InDetProjHelper * indetProjHelper_SCT() const; + // InDetProjHelper * indetProjHelper_TRT() const; + TrackPropagationHelper * trackPropagationHelper() const; + TrackLODManager* trackLODManager() const; + VisibleObjectToMaterialHelper<Trk::Track> * visTrkTracksToMaterialHelper() const; + VisibleObjectToMaterialHelper<Trk::Segment> * visTrkSegmentsToMaterialHelper() const; + VP1TrackSanity * trackSanityHelper() const; + SoPointSet * singlePoint() const;//A single point at (0,0,0) + HitsSoNodeManager& nodeManager(); + + void setEventData(AscObjSelectionManager*); + void clearEventData(); //Deletes AscObjSelectionManager + + //register node->track connection (erased at next clearEventData) + void registerTrack(SoNode*,TrackHandleBase*); + void unregisterTrack(SoNode*); + + // void registerBrowserItem(QTreeWidgetItem* item, SoNode* node); + // void unregisterBrowserItem(QTreeWidgetItem* item); + + //get the connection: + TrackHandleBase* trackHandle(SoNode*n); + SoNode* node(TrackHandleBase* h); //!< Returns the node associated with this handle. Returns zero if no match found. + SoNode* node(QTreeWidgetItem* item); //!< Returns the node associated with this item. Returns zero if no match found. + + void setLastSelectedTrack(TrackHandleBase* sel); + TrackHandleBase* lastSelectedTrackHandle();//!< pointer to base of last selected track (zero if nothing selected) + SoSeparator* textSep(); // FIXME! FIXME! + + SoSeparator* m_textSep; // FIXME! FIXME! Make private, but then need set method for VP1TrackSystem.cxx:247 + + const TrackHandleBase* getHandle(const Trk::Track* trk); + +private: + class Imp; + Imp * m_d; + + VP1TrackSystem * m_3dsystem; + AscObjSelectionManager* m_ascObjSelectionManager; + TrackSystemController * m_controller; + // InDetProjHelper * m_indetProjHelper_Pixel; + // InDetProjHelper * m_indetProjHelper_SCT; + // InDetProjHelper * m_indetProjHelper_TRT; + TrackPropagationHelper * m_trackPropagationHelper; + TrackLODManager* m_trackLODManager; + VisibleObjectToMaterialHelper<Trk::Track> * m_visTrkTracksToMaterialHelper; + VisibleObjectToMaterialHelper<Trk::Segment> * m_visTrkSegmentsToMaterialHelper; + VP1TrackSanity * m_trackSanity; + SoPointSet * m_singlePoint; + TrackHandleBase* m_lastSelectedTrack; + HitsSoNodeManager m_nodeManager; +}; + +inline VP1TrackSystem* TrackSysCommonData::system() const { return m_3dsystem; } +inline AscObjSelectionManager* TrackSysCommonData::ascObjSelectionManager() const { return m_ascObjSelectionManager; } +inline TrackSystemController * TrackSysCommonData::controller() const { return m_controller; } +// inline InDetProjHelper * TrackSysCommonData::indetProjHelper_Pixel() const { return m_indetProjHelper_Pixel; } +// inline InDetProjHelper * TrackSysCommonData::indetProjHelper_SCT() const { return m_indetProjHelper_SCT; } +// inline InDetProjHelper * TrackSysCommonData::indetProjHelper_TRT() const { return m_indetProjHelper_TRT; } +inline TrackPropagationHelper * TrackSysCommonData::trackPropagationHelper() const { return m_trackPropagationHelper; } +inline TrackLODManager* TrackSysCommonData::trackLODManager() const { return m_trackLODManager; } +inline VisibleObjectToMaterialHelper<Trk::Track> * TrackSysCommonData::visTrkTracksToMaterialHelper() const { return m_visTrkTracksToMaterialHelper; } +inline VisibleObjectToMaterialHelper<Trk::Segment> * TrackSysCommonData::visTrkSegmentsToMaterialHelper() const { return m_visTrkSegmentsToMaterialHelper; } +inline VP1TrackSanity * TrackSysCommonData::trackSanityHelper() const { return m_trackSanity; } +inline SoPointSet * TrackSysCommonData::singlePoint() const { return m_singlePoint; } +inline void TrackSysCommonData::setLastSelectedTrack( TrackHandleBase* sel) {m_lastSelectedTrack=sel;} +inline TrackHandleBase* TrackSysCommonData::lastSelectedTrackHandle() {return m_lastSelectedTrack;} +inline SoSeparator* TrackSysCommonData::textSep() {return m_textSep;} // FIXME! FIXME! +inline HitsSoNodeManager& TrackSysCommonData::nodeManager() {return m_nodeManager;} + +#endif + diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackSystemController.h b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackSystemController.h new file mode 100644 index 0000000000000000000000000000000000000000..b95ba96f06fb22b7304a23d5fda3f0b3d7170eeb --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackSystemController.h @@ -0,0 +1,275 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class TrackSystemController // +// // +// Description: Controller widget for the track system // +// Keeps all nasty gui stuff internally, and // +// only presents the actual interesting data // +// with specialised access methods and signals. // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: February 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef TRACKSYSTEMCONTROLLER_H +#define TRACKSYSTEMCONTROLLER_H + +#include "VP1Base/VP1Controller.h" +#include "VTI12TrackSystems/TrackCommonFlags.h" +#include "TrkEventPrimitives/ParticleHypothesis.h" +#include <QFlags> +#include "GaudiKernel/ServiceHandle.h" +#include "TrkDetDescrInterfaces/ITrackingVolumesSvc.h" + +class TrackCollWidget; +class SoMaterial; +class SoDrawStyle; +// class SoLightModel; +class SoComplexity; +class TrackSysCommonData; + +// class TrackObjectBrowserController; + +class QTreeWidget; +class QTreeWidgetItem; + +namespace Trk { + class IExtrapolator; + class ITrackFitter; + class Track; + class Volume; +} + +class TrackSystemController : public VP1Controller { + + Q_OBJECT + +public: + + TrackSystemController(IVP1System * sys); + virtual ~TrackSystemController(); + + void initTools();//comboboxes for selecting tools + tool creation is + //postponed until this call (so it can wait until + //systemcreate()) + + void actualRestoreSettings(VP1Deserialise&); + int currentSettingsVersion() const; + void actualSaveSettings(VP1Serialise&) const; + + /*So we can enable/disable parts based on whether prd's & Tracks are selected:*/ + void setNumberOfSelectedPRDsAndTracks(unsigned prds, unsigned trks); + + TrackCollWidget * collWidget() const; + + /////////////////////////////////// + // Access Methods for settings // + /////////////////////////////////// + TrackCommonFlags::TrackPartsFlags shownTrackParts() const; + int vertexProjectionAngle() const; //Ranges from 0-179 i.e. is in degrees. Might be disabled, in which case will be -ve. + + // double trackTubeRadius() const;//0 => don't show tubes for tracks + enum PropagationOptionFlag {NoPropOptions=0x0000, IgnoreMEOT=0x0001, ExtendTrack=0x0002}; + Q_DECLARE_FLAGS(PropagationOptionFlags, PropagationOptionFlag) + Trk::IExtrapolator * propagator() const;//Null for no propagator - i.e. show raw data. + PropagationOptionFlags propagationOptions() const; + float propMaxRadius() const; + + bool ignoreMeasurementEffectsOnTrackInProp() ; //!< If true (default) don't use TSOS with MEOT to draw track points + // ITrackingVolumesSvc * trackingVolumeSvc() const; + const Trk::Volume * extrapolateToThisVolume() const ; //!< Returns the volume to which we extrapolate ID tracks, or zero if no VolumesSvc found. + Trk::ITrackFitter * trackFitter() const; + + QString nameOfNewlyFittedCollections() const;//queried on-demand, no signal. + TrackCommonFlags::SELECTIONMODE selectionMode() const; + TrackCommonFlags::FITTERMODE fitterMode() const; + bool fitterRemoveOutliers() const; + Trk::ParticleHypothesis fitterParticleHypthesis() const; + TrackCommonFlags::DETAILLEVEL assocObjDetailLevel() const; + + //Associated objects (base): + TrackCommonFlags::TSOSPartsFlags shownTSOSParts() const; + TrackCommonFlags::TSOSPartsFlags customColouredTSOSParts() const; + bool drawMeasGlobalPositions() const; + + bool hideCustomSurfaces() const; + bool hideTubeSurfaces() const; + double measurementsShorttubesScale() const; + double nStdDevForParamErrors() const; + bool parTubeErrorsDrawCylinders() const; + int numberOfPointsOnCircles() const;//will return numbers in {4,8,12,16,...} + double materialEffectsOnTrackScale() const; + + + bool showTruthAscObjs() const;//Fixme: obsolete + //General cuts: + VP1Interval cutAllowedPt() const; + VP1Interval cutAllowedEta() const; + QList<VP1Interval> cutAllowedPhi() const;//All off: empty list. All on: list with one entry: ]-inf,inf[ + //Cuts for number of hits per subsystem: + QList<unsigned> cutRequiredNHits() const;//Empty list: no requirements. Otherwise a list + // with a length of four (pixel,sct,trt,muon) + + void vertexCutsAllowed(bool); // called if vertex system is available. + bool cutOnlyVertexAssocTracks() const; + //Truth cuts: + bool cutTruthFromIROnly() const; + bool cutExcludeBarcodeZero() const; + bool cutTruthExcludeNeutrals() const; + //Interactions: + bool showTotMomentumOnMultiTrackSelection() const; + //No associated signals for the next four (only queried on-click): + bool orientAndZoomOnSingleSelection() const; + bool printInfoOnSingleSelection() const; + bool printVerboseInfoOnSingleSelection() const; + bool printTotMomentumOnMultiTrackSelection() const; + + //Material pointers returned by the next methods won't change during + //the lifetime of the system (but their fields may get updated by + //the controller): + SoMaterial * getMaterialForPDGCode(const int& pdgcode) const; + SoMaterial * getMaterialForCharge(const double& charge) const; + SoMaterial * getMaterialForMomentum(const double& absmom) const; + SoMaterial * customMatMeasurements() const; + SoMaterial * customMatMeasurementsOutliers() const; + SoMaterial * customMatParameters() const; + SoMaterial * customMatHoleParameters() const; + SoMaterial * customMatParameterErrors() const; + SoMaterial * customMatMaterialEffects() const; + SoMaterial * customMatSurfaces() const; + + //Overall drawstyles, complexities and light models: + // SoDrawStyle * trackDrawStyle() const; + // SoLightModel * trackLightModel() const; + SoDrawStyle * ascObjDrawStyle() const; + SoComplexity * ascObjComplexity() const; + + QTreeWidget* trackObjBrowser() const; //!< Returns a pointer to the Track Object Browser (if it exists) + TrackSysCommonData * common() const; //!< Returns a pointer to the common data (if it exists) + void setCommonData(TrackSysCommonData *) ; //!< set pointer to the common data + + // Return special information for VP1_TRKSYS_SHIFTCHAMBERS mode + std::vector<double> alignmentShiftValue(); + int alignmentShiftLevel(); + + // Labels + bool doTrackLabels(); + enum TrackLabelMode {NoLabels=0x0000, P=0x0001, Pt=0x0002, Pid=0x0004, Hits=0x0008, + FitQuality=0x0010, Direction=0x0020}; + Q_DECLARE_FLAGS(TrackLabelModes, TrackLabelMode) + + TrackLabelModes trackLabels(); + + float trackLabelTrkOffset() ; //!< Percentage of postion along track + QList<int> trackLabelPosOffset() ; //!< Offset in x,y,z + + int labelXOffset() ; //!< Absolute x offset + int labelYOffset() ; //!< Absolute y offset + int labelZOffset() ; //!< Absolute z offset + + /////////////////////////////////////// + // Signals for changes in settings // + /////////////////////////////////////// +signals: + void rerandomise();//This one doesn't have an access method, but is just emitted when needed. + void refit();//[TEMPORARY] This one doesn't have an access method, but is just emitted when needed. + void shownTrackPartsChanged(TrackCommonFlags::TrackPartsFlags); + void vertexProjectionAngleChanged(int); + void trackLabelsChanged(TrackSystemController::TrackLabelModes); + void trackLabelTrkOffsetChanged(float); + void trackLabelPosOffsetChanged(QList<int>); + // void trackTubeRadiusChanged(const double&); + void shownTSOSPartsChanged(TrackCommonFlags::TSOSPartsFlags); + void customColouredTSOSPartsChanged(TrackCommonFlags::TSOSPartsFlags); + void drawMeasGlobalPositionsChanged(bool); + void measurementsShorttubesScaleChanged(double); + void nStdDevForParamErrorsChanged(const double&); + void parTubeErrorsDrawCylindersChanged(bool); + void numberOfPointsOnCirclesChanged(int); + void materialEffectsOnTrackScaleChanged(double); + void propagatorChanged(Trk::IExtrapolator *); + void propagationOptionsChanged(TrackSystemController::PropagationOptionFlags); + void propMaxRadiusChanged(float); + void extrapolateToThisVolumeChanged(void); + // void ignoreMeasurementEffectsOnTrackInPropChanged(bool); + void trackFitterChanged(Trk::ITrackFitter *); + void selectionModeChanged(TrackCommonFlags::SELECTIONMODE); + void showTruthAscObjsChanged(bool); + void assocObjDetailLevelChanged( TrackCommonFlags::DETAILLEVEL ); + void cutAllowedPtChanged(const VP1Interval&); + void cutAllowedEtaChanged(const VP1Interval&); + void cutAllowedPhiChanged(const QList<VP1Interval>&); + void cutRequiredNHitsChanged(const QList<unsigned>&); + void cutTruthFromIROnlyChanged(bool); + void cutExcludeBarcodeZeroChanged(bool); + void cutTruthExcludeNeutralsChanged(bool); + void cutOnlyVertexAssocTracksChanged(bool); + void showTotMomentumOnMultiTrackSelectionChanged(bool); + +private: + + class Imp; + Imp * m_d; + + //For verbose output: + template <class T> static QString toString( const T& t ) { return VP1Controller::toString(t); }//unhide base methods + static QString toString( const TrackCommonFlags::SELECTIONMODE& par ) { return TrackCommonFlags::toString(par); } + static QString toString( const TrackCommonFlags::DETAILLEVEL& par ) { return TrackCommonFlags::toString(par); } + static QString toString( const QList<unsigned>& par ); + static QString toString( const QList<int>& par ); + +private slots: + void emitRerandomise(); + void emitRefit(); + // void updateTrackDrawStyle(); + // void updateTrackLightModel(); + void updateAscObjDrawStyle(); + void updateAscObjComplexity(); + void availableExtrapolatorsChanged(const QStringList&); + void availableFittersChanged(const QStringList&); + void emitExtrapolateToHereChanged(int); + void possibleChange_shownTrackParts(); + void possibleChange_vertexProjectionAngle(); + // void possibleChange_trackTubeRadius(); + void possibleChange_trackLabels(); + void possibleChange_trackLabelTrkOffset(); + void possibleChange_trackLabelPosOffset(); + void possibleChange_shownTSOSParts(); + void possibleChange_customColouredTSOSParts(); + void possibleChange_drawMeasGlobalPositions(); + void possibleChange_measurementsShorttubesScale(); + void possibleChange_nStdDevForParamErrors(); + void possibleChange_parTubeErrorsDrawCylinders(); + void possibleChange_numberOfPointsOnCircles(); + void possibleChange_materialEffectsOnTrackScale(); + void possibleChange_propagator(); + void possibleChange_propagationOptions(); + void possibleChange_propMaxRadius(); + // void possibleChange_ignoreMeasurementEffectsOnTrackInProp(); + void possibleChange_trackFitter(); + void possibleChange_selectionMode(); + void possibleChange_assocObjDetailLevel(); + void possibleChange_showTruthAscObjs(); + void possibleChange_cutAllowedPt(); + void possibleChange_cutAllowedEta(); + void possibleChange_cutAllowedPhi(); + void possibleChange_cutRequiredNHits(); + void possibleChange_cutTruthFromIROnly(); + void possibleChange_cutExcludeBarcodeZero(); + void possibleChange_cutTruthExcludeNeutrals(); + void possibleChange_cutOnlyVertexAssocTracks(); + void possibleChange_showTotMomentumOnMultiTrackSelection(); + void objectBrowserClicked(QTreeWidgetItem * item, int); + void updateFitPRDButtonState(); +}; + +Q_DECLARE_OPERATORS_FOR_FLAGS(TrackSystemController::TrackLabelModes) +Q_DECLARE_OPERATORS_FOR_FLAGS(TrackSystemController::PropagationOptionFlags) + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackTypes.h b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackTypes.h new file mode 100644 index 0000000000000000000000000000000000000000..1f257378ed6fccd77f626873abea89691c487b36 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrackTypes.h @@ -0,0 +1,33 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef TRACKTYPES_H +#define TRACKTYPES_H + +#include <QString> + +class TrackType { +public: + //NB: The order listed here is the order presented in the GUI (see TrackCollWidget::sortSections(..)) + enum Type { + Unknown, TrkTrack, TrackParticle, FatrasTruthTrack, RefittedTrack, TrkSegment, TruthTrack, SimulationTrack, AnalysisObject, xAOD + }; + + static qint32 typeToInt(const Type&); + static Type intToType(const qint32&); + + static QString typeToString(const Type&); + static Type stringToType(const QString&str, bool & status); + + //For getting a pretty more human-readable string for the section headers: + static QString typeToSectionHeader(const Type&); + static Type sectionHeaderToType(const QString&, bool & status); + static QString typeToSectionHeaderToolTip(const Type&); + +private: + TrackType(); +}; + + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrkObjToString.h b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrkObjToString.h new file mode 100644 index 0000000000000000000000000000000000000000..88ba6b5d0aae3171a2a645badf6b4ebc660b99a7 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/TrkObjToString.h @@ -0,0 +1,107 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef TRK_VP1TRACKSYSTEMS_TRKOBJTOSTRING_H +#define TRK_VP1TRACKSYSTEMS_TRKOBJTOSTRING_H +#include <string> +#include <QString> +#include <QStringList> +#include "TrkParameters/TrackParameters.h" +// #include "Identifier/Identifier.h" +#include "TrkEventPrimitives/FitQualityOnSurface.h" //typedef + +// class CscIdHelper; +// class RpcIdHelper; +// class TgcIdHelper; +// class MdtIdHelper; + +// namespace InDet { +// class PixelCluster; +// class SCT_Cluster; +// class TRT_DriftCircle; +// } + + +namespace Trk { + class PrepRawData; + class RIO_OnTrack; + class CompetingRIOsOnTrack; + class PseudoMeasurementOnTrack; + class MeasurementBase; + class MaterialEffectsBase; + class Segment; + class DetElementBase; +} + +class TrkObjToString { +public: + enum MeasurementType { + // Veto, + // Trigger, + // Preshower, + SCT, + // Ecal, + Hole, + CompetingROT, + PseudoMeasurement, + Segment, + Unknown + }; + + static MeasurementType type(const Trk::PrepRawData* prd); + static MeasurementType type(const Trk::MeasurementBase* meas); + static MeasurementType type(const Trk::TrkDetElementBase* detEl); + + static std::string typeName(MeasurementType type); //!< Returns a very short summary of the object type + static std::string typeName(const Trk::MeasurementBase& mb); //!< Returns a very short summary of mb + + static QString name(const Trk::MeasurementBase& mb); + static QString name(const Trk::TrackParameters& mb); + static QString name(const Trk::MaterialEffectsBase& mb); + static QString name(const Trk::FitQuality& mb); + + static QString shortInfo(const Trk::MeasurementBase& mb); + static QString shortInfo(const Trk::TrackParameters& tp); + static QString shortInfo(const Trk::MaterialEffectsBase& me); + static QString shortInfo(const Trk::FitQuality& fqos); + + static QStringList fullInfo(const Trk::MeasurementBase& tp); //!< Returns list of key, value, key, value etc + static QStringList fullInfo(const Trk::TrackParameters& tp); //!< Returns list of key, value, key, value etc + static QStringList fullInfo(const Trk::MaterialEffectsBase& tp); //!< Returns list of key, value, key, value etc + static QStringList fullInfo(const Trk::FitQuality& tp); //!< Returns list of key, value, key, value etc + + static void addBaseROTInfo(QString& info, const Trk::MeasurementBase& mb); + static void addFullInfo(QStringList& info, const Trk::RIO_OnTrack*); + static void addFullInfo(QStringList& info, const Trk::CompetingRIOsOnTrack*); + static void addFullInfo(QStringList& info, const Trk::PseudoMeasurementOnTrack*); + static void addFullInfo(QStringList& info, const Trk::Segment*); +}; + +inline +std::string +TrkObjToString::typeName(TrkObjToString::MeasurementType type) +{ + switch (type){ + // case Veto: return std::string("Veto RIO_OnTrack"); + // case Trigger: return std::string("Trigger RIO_OnTrack"); + // case Preshower: return std::string("Preshower RIO_OnTrack"); + case SCT: return std::string("SCT RIO_OnTrack"); + // case Ecal: return std::string("Ecal RIO_OnTrack"); + case Hole: return std::string("Hole"); + case CompetingROT: return std::string("CompetingROT"); + case PseudoMeasurement: return std::string("Pseudo"); + case Segment: return std::string("Segment"); + case Unknown: return std::string("Unknown"); + } + return std::string("Error!"); +} + +inline +std::string +TrkObjToString::typeName(const Trk::MeasurementBase& mb) +{ + return typeName(type(&mb)); +} + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/VP1TrackSanity.h b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/VP1TrackSanity.h new file mode 100644 index 0000000000000000000000000000000000000000..38865da5e7e832ede1d1e09f2c865b9397700345 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/VP1TrackSanity.h @@ -0,0 +1,56 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class VP1TrackSanity // +// // +// Description: Helper class for ensuring track parameters, // +// measurements, etc. are constructed properly // +// before we start to ask them about their // +// global positions, etc. // +// // +// Authors: Edward Moyse (Edward.Moyse@cern.ch) // +// Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: March 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef VP1TRACKSANITY_H +#define VP1TRACKSANITY_H + +#include "VP1Base/VP1HelperClassBase.h" +#include "TrkParameters/TrackParameters.h" + +namespace Trk { + class TrackStateOnSurface; + class MeasurementBase; + class RIO_OnTrack; + class PrepRawData; +} + +class VP1TrackSanity : public VP1HelperClassBase { +public: + + VP1TrackSanity(IVP1System * sys=0);//sys!=0 for messages in gui. + virtual ~VP1TrackSanity(); + + bool isSafe(const Trk::TrackStateOnSurface* ) const; + bool isSafe(const Trk::TrackParameters* ) const; + bool isSafe(const Trk::MeasurementBase* ) const; + bool isSafe(const Trk::RIO_OnTrack* ) const; + bool isSafe(const Trk::PrepRawData* ) const; + + //TK: OK, maybe we can't call all of these "isSafe", if more than + //one of the arguments inherit from the same baseclass (not sure if + //they do apart from measurementbase/rioontrack). +private: + + class Imp; + Imp * m_d; + +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/VP1TrackSummary.h b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/VP1TrackSummary.h new file mode 100644 index 0000000000000000000000000000000000000000..e4e70fba8ad4addcdcb46224b526744854b3f09d --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/VP1TrackSummary.h @@ -0,0 +1,47 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class VP1TrackSummary // +// // +// Description: A few basic helpers providing track summary // +// information. // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: November 2009 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef VP1TRACKSUMMARY_H +#define VP1TRACKSUMMARY_H +#include <set> + +namespace Trk { class Track; class Segment; class MeasurementBase; class TrkDetElementBase;} +class FaserDetectorID; + +class VP1TrackSummary { +public: + + static bool countHits( const Trk::Track*, + unsigned& nSCThits + ); + + static bool countHits( const Trk::Segment*, + unsigned& nSCThits + ); + + static void addCounts( std::set<const Trk::TrkDetElementBase*>& detelems, const Trk::MeasurementBase* meas, + const FaserDetectorID * idhelper, + unsigned& nSCThits + ); + +private: + VP1TrackSummary(); + ~VP1TrackSummary(); + +}; + +#endif diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/VP1TrackSystem.h b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/VP1TrackSystem.h new file mode 100644 index 0000000000000000000000000000000000000000..d34a0e902535b563ef51ba16b4c7532c3b405ffc --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/VTI12TrackSystems/VP1TrackSystem.h @@ -0,0 +1,99 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class VP1TrackSystem // +// // +// Description: System displaying all track-like objects // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: February 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef VP1TRACKSYSTEM_H +#define VP1TRACKSYSTEM_H + +#include "VP1Base/IVP13DSystemSimple.h" +// #include "VTI12Utils/InDetProjFlags.h" +#include "GeoModelKernel/GeoPVConstLink.h" +#include <QList> +#include <vector> +#include <map> +class SoMaterial; +class SoCooperativeSelection; +class TrackHandleBase; + +namespace Trk { + class Track; + class Segment; + class PrepRawData; + class ITrackFitter; +} + +class VP1TrackSystem : public IVP13DSystemSimple { + + Q_OBJECT + +public: + + VP1TrackSystem(QString name="Tracks"); + virtual ~VP1TrackSystem(); + + void systemcreate(StoreGateSvc* detstore); + void systemuncreate(); + QWidget * buildController(); + void buildEventSceneGraph(StoreGateSvc* sg, SoSeparator *root); + void systemerase(); + QByteArray saveState(); + void restoreFromState(QByteArray); + + void userPickedNode(SoNode* pickedNode, SoPath *pickedPath); + void userSelectedSingleNode(SoCooperativeSelection*, SoNode* , SoPath*);//SINGLE + void userDeselectedSingleNode(SoCooperativeSelection*, SoNode* , SoPath*);//SINGLE + void userChangedSelection(SoCooperativeSelection*, QSet<SoNode*>, QSet<SoPath*>);//TOGGLE/SHIFT + void userClickedOnBgd(); + SoCooperativeSelection * selTracks(); //!< Needed in TrackSystemController::objectBrowserClicked(QTreeWidgetItem * item, int) + SoCooperativeSelection * selAscs(); //!< Needed in TrackSystemController::objectBrowserClicked(QTreeWidgetItem * item, int) + SoMaterial* materialFromVertex(const TrackHandleBase* trk) const; //!< Returns the material for the vertex which knows this trackhandle (if known) + + public slots: + + //Fixme: It would be better (and more like the tracksys/segmentsys->prd sys interaction) just to receive a list of visible vertices/jets and their colours!! + // void highlightTracks( const std::vector<std::pair<SoMaterial*,std::set<const Trk::Track*> > >&);//Orders remembered on a per-sender basis, so a given sender + //(JetSystem/VertexSystem/...) can override its own orders again. + // void setApplicableIDProjections( InDetProjFlags::InDetProjPartsFlags pixel, + // InDetProjFlags::InDetProjPartsFlags sct, + // InDetProjFlags::InDetProjPartsFlags trt ); + + void setSelectedPRDs(const QList<const Trk::PrepRawData*>&); + void updateAlignment(); //!< Special mode to allow in VP1 alignment tests + void tracksFromVertexChanged(QList< std::pair<const SoMaterial*, QList< const Trk::Track*> > >& ); + +signals: + void visibleTracksChanged(const std::vector< std::pair<const Trk::Track*, const SoMaterial*> >&); + void visibleSegmentsChanged(const std::vector< std::pair<const Trk::Segment*, const SoMaterial*> >&); + // void usedIDProjectionsChanged( InDetProjFlags::DetTypeFlags ); + void newTrackSelected( const TrackHandleBase&); + +private slots: + void visibleObjectsChanged(); + void updateSelectionMode(); + void updateShownTotMomentum(); + // void possiblyEmitUsedIDProjectionsChanged(); + void refit();//Temporary +private: + + void refitFromPRDs(const Trk::ITrackFitter* currentFitter, QList<const Trk::Track*>& fittedtracks); + void refitSingleTrack(const Trk::ITrackFitter* currentFitter, QList<const Trk::Track*>& fittedtracks); + + class Imp; + Imp * m_d; + +}; + +#endif +// diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/AscObjSelectionManager.cxx b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/AscObjSelectionManager.cxx new file mode 100644 index 0000000000000000000000000000000000000000..ee188215c772a885004726c13c727a0f3caf9ea8 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/AscObjSelectionManager.cxx @@ -0,0 +1,414 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class AscObjSelectionManager // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: April 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12TrackSystems/AscObjSelectionManager.h" +#include "VTI12TrackSystems/TrackSystemController.h" +#include "VTI12TrackSystems/AssociatedObjectHandleBase.h" +#include "VP1Base/IVP13DSystem.h" +#include "VP1Base/SoCooperativeSelection.h" +#include "VP1Base/VP1QtInventorUtils.h" +#include "VP1Base/VP1Msg.h" +#include <Inventor/nodes/SoSeparator.h> +#include <Inventor/SoPath.h> +#include <QApplication> +#include<map> + +//____________________________________________________________________ +class AscObjSelectionManager::Imp { +public: + Imp(AscObjSelectionManager * tc,SoSeparator* root,IVP13DSystem * sys,TrackSystemController*c) + : theclass(tc), + eventRoot(root), + system(sys), + controller(c), + mode(SINGLE) + { + eventRoot->ref(); + sel_assocobjs_click = new SoCooperativeSelection; + sel_assocobjs_click->setName("sel_assocobjs_click"); + sel_assocobjs_click->ref(); + sel_assocobjs_click->activePolicy = SoCooperativeSelection::ACTIVE; + sel_assocobjs_click->policy = SoCooperativeSelection::SINGLE; + sys->registerSelectionNode(sel_assocobjs_click); + + sel_assocobjs = new SoCooperativeSelection; + sel_assocobjs->setName("sel_assocobjs"); + sel_assocobjs->ref(); + sel_assocobjs->activePolicy = SoCooperativeSelection::INERT; + sel_assocobjs_click->policy = SoCooperativeSelection::SINGLE; + sys->registerSelectionNode(sel_assocobjs); + + sel_assocobjs->addChild(sel_assocobjs_click); + root->addChild(sel_assocobjs); + } + ~Imp() + { + system->unregisterSelectionNode(sel_assocobjs_click); + sel_assocobjs_click->unref(); + sel_assocobjs->unref(); + eventRoot->unref(); + } + + AscObjSelectionManager * theclass; + SoSeparator* eventRoot; + IVP13DSystem * system; + TrackSystemController*controller; + MODE mode; + SoCooperativeSelection * sel_assocobjs_click; + SoCooperativeSelection * sel_assocobjs; + + std::map<SoSeparator*,AssociatedObjectHandleBase*> ascobjs_simpleToHandle; + std::map<SoSeparator*,AssociatedObjectHandleBase*> ascobjs_detailedToHandle; + +// bool ascObjHandleFixSelectionPath(AssociatedObjectHandleBase*,SoPath*); + AssociatedObjectHandleBase* ascObjHandle(const SoPath*); + AssociatedObjectHandleBase* ascObjHandle(const SoSeparator*); + QList<AssociatedObjectHandleBase*> selAscObjHandles; + + void updateSelectionVisuals(); + static bool shiftIsDown() { return Qt::ShiftModifier & QApplication::keyboardModifiers(); } + +}; + + + +//____________________________________________________________________ +AscObjSelectionManager::AscObjSelectionManager(SoSeparator* event_root,IVP13DSystem * sys,TrackSystemController*controller) + : QObject(sys), VP1HelperClassBase(sys,"AscObjSelectionManager"), m_d(new Imp(this,event_root,sys,controller)) +{ + connect(controller,SIGNAL(assocObjDetailLevelChanged(TrackCommonFlags::DETAILLEVEL)),this,SLOT(ascObjDetailLevelChanged())); + ascObjDetailLevelChanged(); +} + +//____________________________________________________________________ +void AscObjSelectionManager::aboutTodelete() +{ + //fixme: clear maps and emit signals! +} + +//____________________________________________________________________ +AscObjSelectionManager::~AscObjSelectionManager() +{ + //Fixme: sanity check that maps are cleared. + delete m_d; +} + +//____________________________________________________________________ +QString AscObjSelectionManager::toString(MODE m) const +{ + if (m==SINGLE) return "SINGLE"; + else if (m==TOGGLE) return "TOGGLE"; + else if (m==SHIFT) return "SHIFT"; + else return "UNKNOWN(ERROR)"; +} + +//____________________________________________________________________ +AscObjSelectionManager::MODE AscObjSelectionManager::mode() const +{ + return m_d->mode; +} + +//____________________________________________________________________ +void AscObjSelectionManager::setMode(MODE m) +{ + if (m_d->mode==m) + return; + message("Mode changed to "+toString(m)); + m_d->mode=m; +} + + +//____________________________________________________________________ +SoSeparator * AscObjSelectionManager::getAscObjAttachSep() const +{ + return m_d->sel_assocobjs_click; +} +//____________________________________________________________________ +void AscObjSelectionManager::registerAscObj(SoSeparator*simple,SoSeparator *detailed,AssociatedObjectHandleBase*handle) +{ + if (VP1Msg::verbose()) { + if (!simple||!detailed||!handle) { + message("registerAscObj ERROR: Received null pointer!"); + return; + } + std::map<SoSeparator*,AssociatedObjectHandleBase*>::iterator it, itE; + itE = m_d->ascobjs_simpleToHandle.end(); + for (it=m_d->ascobjs_simpleToHandle.begin();it!=itE;++it) { + if (it->first==simple||it->second==handle) + message("registerAscObj ERROR: Simple separator/handle already registered!"); + } + itE = m_d->ascobjs_detailedToHandle.end(); + for (it=m_d->ascobjs_detailedToHandle.begin();it!=itE;++it) { + if (it->first==detailed||it->second==handle) + message("registerAscObj ERROR: Detailed separator/handle already registered!"); + } + } + m_d->ascobjs_simpleToHandle[simple]=handle; + m_d->ascobjs_detailedToHandle[detailed]=handle; +} + +//____________________________________________________________________ +void AscObjSelectionManager::unregisterAscObj(SoSeparator*simple,SoSeparator *detailed) +{ + if (VP1Msg::verbose()) { + if (!simple||!detailed) { + message("unregisterAscObj ERROR: Received null pointer!"); + return; + } + } + std::map<SoSeparator*,AssociatedObjectHandleBase*>::iterator itSimple = m_d->ascobjs_simpleToHandle.find(simple); + if (itSimple==m_d->ascobjs_simpleToHandle.end()) { + message("unregisterAscObj ERROR: Not previously registered simple sep!"); + } else { + m_d->ascobjs_simpleToHandle.erase(itSimple); + } + std::map<SoSeparator*,AssociatedObjectHandleBase*>::iterator itDetailed = m_d->ascobjs_detailedToHandle.find(detailed); + if (itDetailed==m_d->ascobjs_detailedToHandle.end()) { + message("unregisterAscObj ERROR: Not previously registered detailed sep!"); + } else { + m_d->ascobjs_detailedToHandle.erase(itDetailed); + } +} + +//____________________________________________________________________ +AssociatedObjectHandleBase* AscObjSelectionManager::Imp::ascObjHandle(const SoPath*path) +{ + const int n(path?path->getLength():0); + AssociatedObjectHandleBase * handle(0); + for (int i = 0; i < n; ++i) { + if (path->getNodeFromTail(i)->getTypeId()==SoSeparator::getClassTypeId()) { + handle = ascObjHandle(static_cast<SoSeparator*>(path->getNodeFromTail(i))); + if (handle) + return handle; + } + } + return 0; +} + +//____________________________________________________________________ +AssociatedObjectHandleBase* AscObjSelectionManager::Imp::ascObjHandle(const SoSeparator*s) +{ + std::map<SoSeparator*,AssociatedObjectHandleBase*>::const_iterator + it(ascobjs_simpleToHandle.find(const_cast<SoSeparator*>(s))); + if (it!=ascobjs_simpleToHandle.end()) + return it->second; + it = ascobjs_detailedToHandle.find(const_cast<SoSeparator*>(s)); + return it==ascobjs_detailedToHandle.end() ? 0 : it->second; +} + +//____________________________________________________________________ +void AscObjSelectionManager::Imp::updateSelectionVisuals() +{ + const bool isSimpleMode = controller->assocObjDetailLevel()==TrackCommonFlags::SIMPLE; + sel_assocobjs->deselectAll(); + foreach (AssociatedObjectHandleBase* handle,selAscObjHandles) { + SoPath * path = new SoPath(sel_assocobjs); + path->ref(); + if (!VP1QtInventorUtils::changePathTail(path,sel_assocobjs, + (isSimpleMode?handle->shapeSimple():handle->shapeDetailed()))) { + theclass->message("updateSelectionVisuals ERROR: Failed to relocate picked node."); + path->unref(); + continue; + } + sel_assocobjs->select(path); + path->unref(); + } +} + + +//____________________________________________________________________ +bool AscObjSelectionManager::handleUserSelectedSingleNode( SoCooperativeSelection* sel, SoNode*, SoPath* pickedPath, AssociatedObjectHandleBase*& pickedHandle ) +{ + messageVerbose("handleUserSelectedSingleNode"); + pickedHandle = 0; + if (sel==m_d->sel_assocobjs) { + messageVerbose(" => ignore selections for m_d->sel_assocobjs"); + return true;//We simply ignore those + } + if (sel!=m_d->sel_assocobjs_click) { + messageVerbose(" => We don't handle this selection."); + return false; + } + + AssociatedObjectHandleBase* handle = m_d->ascObjHandle(pickedPath); + m_d->sel_assocobjs_click->deselectAll(); + if (!handle) { + message("ERROR: Unknown associated object."); + return true; + } + messageVerbose(" => Found handle. Mode is "+toString(m_d->mode)+", and number of previously selected handles is "+str(m_d->selAscObjHandles.count())); + pickedHandle = handle; + pretendUserClicked(handle);//we are not really pretending in this case of course... + return true; +} + +//____________________________________________________________________ +void AscObjSelectionManager::pretendUserClicked(AssociatedObjectHandleBase*handle) +{ + assert(handle); + if (!handle) + return; + const bool alreadyselected = m_d->selAscObjHandles.contains(handle); + qSort(m_d->selAscObjHandles); + QList<AssociatedObjectHandleBase*> selHandlesBefore = m_d->selAscObjHandles; + + if (m_d->mode==SINGLE) { + if (m_d->selAscObjHandles.isEmpty()) { + //Add handle to selection. + m_d->selAscObjHandles << handle; + if (m_d->controller->printInfoOnSingleSelection()) + m_d->system->message(handle->clicked()); + } else { + //Clear selection. + m_d->selAscObjHandles.clear(); + //Add if not already selected: + if (!alreadyselected) { + m_d->selAscObjHandles << handle; + if (m_d->controller->printInfoOnSingleSelection()) + m_d->system->message(handle->clicked()); + } + } + } else if (m_d->mode==SHIFT) { + if (Imp::shiftIsDown()) { + if (alreadyselected) + m_d->selAscObjHandles.removeAll(handle); + else + m_d->selAscObjHandles << handle; + } else { + m_d->selAscObjHandles.clear(); + if (!alreadyselected) + m_d->selAscObjHandles << handle; + } + } else if (m_d->mode==TOGGLE) { + if (alreadyselected) { + m_d->selAscObjHandles.removeAll(handle); + } else { + m_d->selAscObjHandles << handle; + } + } else { + message("ERROR: Should not happen!"); + deselectAll(); + return; + } + qSort(m_d->selAscObjHandles); + + if (selHandlesBefore!=m_d->selAscObjHandles) { + m_d->updateSelectionVisuals(); + currentSelectionChanged(m_d->selAscObjHandles); + } +} + + +//____________________________________________________________________ +void AscObjSelectionManager::userClickedOnBgd() +{ + if (m_d->mode==TOGGLE) + return; + if (m_d->mode==SHIFT&&Imp::shiftIsDown()) + return; + deselectAll(); +} + +//____________________________________________________________________ +void AscObjSelectionManager::deselectAll() +{ + if (m_d->selAscObjHandles.isEmpty()) + return; + m_d->selAscObjHandles.clear(); + currentSelectionChanged(m_d->selAscObjHandles); + m_d->updateSelectionVisuals(); +} + +//____________________________________________________________________ +void AscObjSelectionManager::ensureDeselected(const QList<AssociatedObjectHandleBase*>& handles) +{ + if (handles.isEmpty()) + return; + QList<AssociatedObjectHandleBase*> selHandlesBefore = m_d->selAscObjHandles; + foreach (AssociatedObjectHandleBase*handle,handles) + m_d->selAscObjHandles.removeAll(handle); + if (selHandlesBefore!=m_d->selAscObjHandles) { + m_d->updateSelectionVisuals(); + currentSelectionChanged(m_d->selAscObjHandles); + } +} + +//____________________________________________________________________ +void AscObjSelectionManager::ensureSelected(const QList<AssociatedObjectHandleBase*>& handles) +{ + if (handles.isEmpty()) + return; + if (m_d->mode==SINGLE) { + //Single selections + if (handles.count()>1) + message("WARNING: ensureSelected called with more than one handle in SINGLE mode. Ignoring all but the first."); + if (m_d->selAscObjHandles.contains(handles.at(0))) + return; + m_d->selAscObjHandles.clear(); + m_d->selAscObjHandles << handles.at(0); + currentSelectionChanged(m_d->selAscObjHandles); + m_d->updateSelectionVisuals(); + } else { + //Multi selections allowed + QList<AssociatedObjectHandleBase*> selHandlesBefore = m_d->selAscObjHandles; + foreach (AssociatedObjectHandleBase*handle,handles) { + if (!m_d->selAscObjHandles.contains(handle)) + m_d->selAscObjHandles << handle; + } + qSort(m_d->selAscObjHandles); + if (selHandlesBefore!=m_d->selAscObjHandles) { + m_d->updateSelectionVisuals(); + currentSelectionChanged(m_d->selAscObjHandles); + } + } + +} + +//____________________________________________________________________ +void AscObjSelectionManager::ascObjDetailLevelChanged() +{ + messageVerbose("Signal received in ascObjDetailLevelChanged slot"); + if (m_d->selAscObjHandles.isEmpty()) { + m_d->sel_assocobjs->deselectAll(); + return; + } + const SoPathList * pathlist = m_d->sel_assocobjs->getList(); + if (!pathlist||pathlist->getLength()!=m_d->selAscObjHandles.count()) + return; + + const bool isSimpleMode = (m_d->controller->assocObjDetailLevel()==TrackCommonFlags::SIMPLE); + int i(0); + foreach (AssociatedObjectHandleBase* handle,m_d->selAscObjHandles) { + SoPath * path = (*pathlist)[i++]; + if (!path) + continue; + if (!VP1QtInventorUtils::changePathTail(path,m_d->sel_assocobjs, + (isSimpleMode?handle->shapeSimple():handle->shapeDetailed()))) { + message("Warning: Failed to relocate picked node."); + deselectAll(); + return; + } + } +} + +//____________________________________________________________________ +QList<AssociatedObjectHandleBase*> AscObjSelectionManager::currentSelection() const +{ + return m_d->selAscObjHandles; +} + +SoSeparator* AscObjSelectionManager::eventRoot() +{ + return m_d->eventRoot; +} diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/AscObj_TSOS.cxx b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/AscObj_TSOS.cxx new file mode 100644 index 0000000000000000000000000000000000000000..7e96708b11b6bad45ecf793de1683e2ec828cebc --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/AscObj_TSOS.cxx @@ -0,0 +1,1107 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class AscObj_TSOS // +// // +// Author: Troels Kofoed Jacobsen // +// Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: June 2008 // +// // +//////////////////////////////////////////////////////////////// + +//Surface from materialeffects. + +//Troels todo: +// projections (not right away) + +//Thomas todo: +// print truth info (get rid of truth points) +// Notify when path changes. +// +// Fixme: shared objects? Or cache scene parts for faster updating?? + +#include "VTI12TrackSystems/AscObj_TSOS.h" +#include "VTI12TrackSystems/VP1TrackSystem.h" +#include "VTI12TrackSystems/TrackSysCommonData.h" +#include "VTI12TrackSystems/TrackHandleBase.h" +#include "VTI12TrackSystems/TrackSystemController.h" +#include "VTI12TrackSystems/AscObjSelectionManager.h" +#include "VTI12TrackSystems/TrkObjToString.h" + +#include "VP1Base/VP1Msg.h" +#include "VP1Base/VP1CameraHelper.h" +#include "VP1Base/IVP13DSystem.h" +#include "VP1Base/VP1QtInventorUtils.h" +#include "VP1Base/VP1QtUtils.h" +#include "VTI12Utils/SurfaceToSoNode.h" +#include "VTI12Utils/VP1LinAlgUtils.h" +#include "VTI12Utils/VP1ErrorUtils.h" +#include "VTI12Utils/VP1DetInfo.h" +#include "VP1HEPVis/nodes/SoTransparency.h" + +#include "FaserDetDescr/FaserDetectorID.h" + +// #include "TrkEventPrimitives/DriftCircleSide.h" +// #include "TrkEventPrimitives/DriftCircleStatus.h" + + +#include "TrkSurfaces/CylinderSurface.h" +#include "TrkSurfaces/DiscSurface.h" +#include "TrkSurfaces/PerigeeSurface.h" +#include "TrkSurfaces/PlaneSurface.h" +#include "TrkSurfaces/StraightLineSurface.h" +#include "TrkMaterialOnTrack/MaterialEffectsBase.h" +#include "TrkMaterialOnTrack/EstimatedBremOnTrack.h" +#include "TrkMaterialOnTrack/MaterialEffectsOnTrack.h" +#include "TrkMaterialOnTrack/EnergyLoss.h" +#include "TrkMaterialOnTrack/ScatteringAngles.h" +#include "TrkTrack/TrackStateOnSurface.h" + +#include "TrkParameters/TrackParameters.h" + +#include "TrkMeasurementBase/MeasurementBase.h" +#include "TrkRIO_OnTrack/RIO_OnTrack.h" +// #include "InDetRIO_OnTrack/TRT_DriftCircleOnTrack.h" +#include "TrkCompetingRIOsOnTrack/CompetingRIOsOnTrack.h" + +#include <Inventor/nodes/SoLineSet.h> +#include <Inventor/nodes/SoSeparator.h> +#include <Inventor/nodes/SoVertexProperty.h> +#include <Inventor/nodes/SoPointSet.h> +#include <Inventor/nodes/SoCamera.h> +#include <Inventor/nodes/SoCylinder.h> +#include <Inventor/nodes/SoMaterial.h> +#include <Inventor/nodes/SoRotationXYZ.h> +#include <Inventor/nodes/SoTransform.h> +#include <Inventor/nodes/SoTranslation.h> +#include <Inventor/nodes/SoSphere.h> + +#include <set> + +#include "EventPrimitives/EventPrimitivesToStringConverter.h" +#include "GeoPrimitives/GeoPrimitivesToStringConverter.h" + +//____________________________________________________________________ +AscObj_TSOS::AscObj_TSOS( TrackHandleBase *track, + const Trk::TrackStateOnSurface * tsos, + unsigned indexOfPointOnTrack ) + : AssociatedObjectHandleBase(track), m_tsos(tsos), + m_parts(TrackCommonFlags::TSOS_NoObjects), + m_indexOfPointOnTrack(indexOfPointOnTrack), + m_distToNextPar(-1), + m_objBrowseTree(0) +{ + SoTransparency::initClass(); + + const Trk::Surface * surf(0); + + if (m_tsos->type(Trk::TrackStateOnSurface::Hole)) m_parts |= TrackCommonFlags::TSOS_Hole; + + if (m_tsos->trackParameters()) { + m_parts |= TrackCommonFlags::TSOS_TrackPars; + if (dynamic_cast<const Trk::TrackParameters *>(m_tsos->trackParameters())) { + if (m_tsos->type(Trk::TrackStateOnSurface::Perigee)) { + m_parts |= TrackCommonFlags::TSOS_TrackParsErrorsPerigee; + } + else { + m_parts |= TrackCommonFlags::TSOS_TrackParsErrorsNotPerigee; + } + } + surf = &(m_tsos->trackParameters()->associatedSurface()); + } + + if (measurement()) { + m_parts |= TrackCommonFlags::TSOS_MeasError; + if (rioOnTrack()) { + if (m_tsos->type(Trk::TrackStateOnSurface::Outlier)) + m_parts |= TrackCommonFlags::TSOS_MeasRioOnTrackOutlier; + else + m_parts |= TrackCommonFlags::TSOS_MeasRioOnTrackNotOutlier; + } else if (competingRIOsOnTrack()) { + if (m_tsos->type(Trk::TrackStateOnSurface::Outlier)) + m_parts |= TrackCommonFlags::TSOS_MeasCompetingRioOnTrackOutlier; + else + m_parts |= TrackCommonFlags::TSOS_MeasCompetingRioOnTrackNotOutlier; + } else + VP1Msg::messageDebug("Warning: Ignoring measurement which is not a (competing) rio on track."); + if (!surf) surf = &(measurement()->associatedSurface()); + } + const Trk::MaterialEffectsBase* matEff = m_tsos->materialEffectsOnTrack(); + if (matEff) { + const Trk::MaterialEffectsOnTrack * meot = dynamic_cast<const Trk::MaterialEffectsOnTrack * >(matEff); + if (meot) { + if (meot->energyLoss()&&meot->energyLoss()->deltaE()!=0) + m_parts |= TrackCommonFlags::TSOS_MaterialEffects; + else + m_parts |= TrackCommonFlags::TSOS_MaterialEffectsWithNoDeltaE; + } else { + if (dynamic_cast<const Trk::EstimatedBremOnTrack * >(matEff)) + VP1Msg::messageDebug("Warning: Ignoring EstimatedBremOnTrack."); + else + VP1Msg::messageDebug("Warning: Ignoring material effect which is not MaterialEffectsOnTrack."); + } + if (!surf) + surf = &(matEff->associatedSurface()); + } + if (surf) { + if (surf->associatedDetectorElement()) + m_parts |= TrackCommonFlags::TSOS_SurfacesDetElem; + else + m_parts |= TrackCommonFlags::TSOS_SurfacesCustom; + + } +} + +//____________________________________________________________________ +void AscObj_TSOS::setDistToNextPar(const double& d) +{ + //We assume this is called right after the constructor - so no need + //to update 3D objects. + m_distToNextPar = d; +} + +//____________________________________________________________________ +Amg::Vector3D AscObj_TSOS::approxCenter() const +{ + if (hasParameters()) + return m_tsos->trackParameters()->position(); + if (hasSurface()) + return surface()->center(); + VP1Msg::message("AscObj_TSOS::approxCenter() WARNING: Failed to determine" + " position from either params or surface"); + return Amg::Vector3D(0,0,0); +} + +//____________________________________________________________________ +int AscObj_TSOS::regionIndex() const +{ + Amg::Vector3D c = approxCenter(); + static const double l=30.0*CLHEP::cm; + return static_cast<int>(c.z()/l) + +1000*static_cast<int>(c.y()/l) + +1000000*static_cast<int>(c.x()/l); +} + +//____________________________________________________________________ +const Trk::MeasurementBase * AscObj_TSOS::measurement() const +{ + return m_tsos->measurementOnTrack(); +} + +//____________________________________________________________________ +SoTranslation* AscObj_TSOS::getZTranslationTube( const Trk::Surface * theSurface, + const double& maxTrans ) const +{ + const Amg::Vector3D* origo = theSurface->localToGlobal(Amg::Vector2D(0,0)); + const Amg::Vector3D* unitz = theSurface->localToGlobal(Amg::Vector2D(0,1)); + + std::vector< Amg::Vector3D > * points = trackHandle()->hackGetPointsPropagated();//FIXME + + double min = std::numeric_limits<double>::max(); + double smin=0; + size_t imin=0; + //First we find the point in PointsPropageted closest to the line. + for ( size_t i = 0; i<points->size(); i++) + { + double s; + double dist = VP1LinAlgUtils::distPointLine2( (*points)[i], *origo, *unitz, s ); + if (dist < min) + { + min = dist; + imin = i; + } + } + + if (points->size()>1 ){ + // FIXME - don't think we should ever really need this test. EJWM. + + //Then we get the parameters on the forward and backward lines giving the points with + //the shortest distances. + //We then use the line which has the parameter closest to 0.5 which means that it + //is inside the part of the line between this point and the next/previous + double sp,tp,sm,tm; + if (imin+1 < points->size() && imin >= 1) + { + VP1LinAlgUtils::distLineLineParam((*points).at(imin),(*points).at(imin+1),*origo,*unitz,tp,sp); + VP1LinAlgUtils::distLineLineParam((*points).at(imin-1),(*points).at(imin),*origo,*unitz,tm,sm); + smin = fabs(tm - 0.5) < fabs(tp - 0.5) ? sm : sp; + } else if (imin+1 >= points->size() && imin >= 1 ) + { + VP1LinAlgUtils::distLineLineParam((*points).at(imin-1),(*points).at(imin),*origo,*unitz,tm,sm); + smin = sm; + } else + { + VP1LinAlgUtils::distLineLineParam((*points).at(imin),(*points).at(imin+1),*origo,*unitz,tp,sp); + smin = sp; + } + } else { + // probably something is wrong! + VP1Msg::message("AscObj_TSOS::getZTranslationTube: <2 points returned by trackHandle!"); + } + + //Ensure that we do not get out of bounds, preserve sign of translation. + if (fabs(smin) > maxTrans) + { + double sign = smin > 0 ? 1.0 : -1.0; + smin = sign*maxTrans; + } + + SoTranslation * trans = new SoTranslation; + trans->translation.setValue(0,0,smin); + + return trans; +} + +double AscObj_TSOS::deviationFromMeasurement(const bool& absolute) +{ + double rioValue = 0; + double paramValue = 0; + double sigma = 1; + + const Trk::RIO_OnTrack* rio = rioOnTrack(); + if (!rio && competingRIOsOnTrack()!=0 ) { + // must be crot + rio = &(competingRIOsOnTrack()->rioOnTrack(competingRIOsOnTrack()->indexOfMaxAssignProb () )); + } else { + VP1Msg::message(" No ROT or cROT in AscObj_TSOS::deviationFromMeasurement(const bool& absolute)!"); + return 0.0; + } + return absolute ? fabs( rioValue - paramValue ) : fabs( rioValue - paramValue )/sigma; +} + +//____________________________________________________________________ +void AscObj_TSOS::addTrackParamInfoToShapes( SoSeparator*&shape_simple, + SoSeparator*&shape_detailed, + bool showPars, bool showParsErrors, bool showSurfaces) +{ + const Trk::TrackParameters* trackParams = m_tsos->trackParameters(); + Q_ASSERT(trackParams); + ensureInitSeps(shape_simple,shape_detailed); + + Amg::Vector3D p1(trackParams->position());//point + + if (showPars) { + +// Trk::GlobalMomentum u(trackParams->momentum().unit());//mom direction + Amg::Vector3D u(trackParams->momentum().unit());//mom direction + + double length = 5*CLHEP::cm; + if (m_distToNextPar>0) + length = std::min(m_distToNextPar*0.75,length); + Amg::Vector3D p2 = p1+length*u; + + //Line: + SoLineSet * line = new SoLineSet(); + SoVertexProperty * vertices = new SoVertexProperty(); + vertices->vertex.set1Value(0,p1.x(),p1.y(),p1.z()); + vertices->vertex.set1Value(1,p2.x(),p2.y(),p2.z()); + line->numVertices.set1Value(0,2); + + //Point: + SoPointSet * points = new SoPointSet; + SoVertexProperty * vertices2 = new SoVertexProperty; + vertices2->vertex.set1Value(0,p1.x(),p1.y(),p1.z()); + points->numPoints=1; + line->vertexProperty = vertices; + points->vertexProperty = vertices2; + + bool isHole= m_parts & TrackCommonFlags::TSOS_Hole; + if (trackHandle()->customColouredTSOSParts()&TrackCommonFlags::TSOS_TrackPars + || (isHole&&(trackHandle()->customColouredTSOSParts() & TrackCommonFlags::TSOS_Hole) ) ) { + SoMaterial * mat = isHole?common()->controller()->customMatHoleParameters():common()->controller()->customMatParameters(); + SoSeparator * sep = new SoSeparator; + sep->addChild(mat); + sep->addChild(line); + sep->addChild(points); + shape_simple->addChild(sep); + shape_detailed->addChild(sep); + } else { + shape_simple->addChild(line); + shape_simple->addChild(points); + shape_detailed->addChild(line); + shape_detailed->addChild(points); + } + } + + if ( showParsErrors ){ + SoTransform* theHitTransform = VP1LinAlgUtils::toSoTransform(surface()->transform()); // FIXME - remove if working in local coords + shape_detailed->addChild(theHitTransform); + // Need to cast in order to get error Matrix + if (trackParams->covariance()) // Only draw error if point is a measurement + { + // fixme! This is really ugly - can't be cast to a base class? MeasuredTrackParameters doesn't know LP. + const Trk::AtaStraightLine * atas = dynamic_cast<const Trk::AtaStraightLine *>(trackParams); + const Trk::Perigee * per = dynamic_cast<const Trk::Perigee *>(trackParams); + const Trk::AtaPlane * aap = dynamic_cast<const Trk::AtaPlane *>(trackParams); + const Trk::AtaDisc * aad = dynamic_cast<const Trk::AtaDisc *>(trackParams); + if (per||atas||aap||aad){ + const Amg::Vector2D& localPos = atas ? atas->localPosition() : (per ? per->localPosition() : (aap ? aap->localPosition() : aad->localPosition())); +// addErrors(*(trackParams->associatedSurface()), meas->localErrorMatrix().covariance(), localPos, p1, showSurfaces, shape_simple, shape_detailed, false, false); //FIXME - last parameter false when working in correct local coords + addErrors(trackParams->associatedSurface(), *trackParams->covariance(), localPos, p1, showSurfaces, shape_simple, shape_detailed, false, false); //FIXME - last parameter false when working in correct local coords + } else { + VP1Msg::messageVerbose("Not a supported parameter for errors: "); + // std::cout<<(*trackParams)<<std::endl; + } + } + } +} + +void AscObj_TSOS::addErrors(const Trk::Surface& theSurface, const AmgSymMatrix(5)& tmpCovMat, + const Amg::Vector2D& localPos, const Amg::Vector3D& p1, bool showSurfaces, SoSeparator* shape_simple, SoSeparator* shape_detailed, bool force1D, bool applyLocalTrans ) +{ + VP1Msg::messageVerbose("addErrors"); + if (applyLocalTrans) VP1Msg::messageVerbose("applyLocalTrans"); + + //Fixme: get from collhandle:!! + const bool settingsDRAWCYLINDER = common()->controller()->parTubeErrorsDrawCylinders(); + const bool settingsDRAWZERRCIRCLES = settingsDRAWCYLINDER; + const double settingsSIGMASCALE = common()->controller()->nStdDevForParamErrors(); + + SoSeparator * errSimple = new SoSeparator; + SoSeparator * errDetailed = new SoSeparator; + + //Possibly a custom colour + if (trackHandle()->customColouredTSOSParts()&TrackCommonFlags::TSOS_AnyParsErrors) { + // FIXME - what about meas errors? + SoMaterial * mat = common()->controller()->customMatParameterErrors(); + errSimple->addChild( mat ); + errDetailed->addChild( mat ); + } + // SoTransparency * transparent = new SoTransparency; + // transparent->transparency.setValue(0.5); + // errSimple->addChild( transparent ); + // errDetailed->addChild( transparent ); + + const int npoints = common()->controller()->numberOfPointsOnCircles(); + // Check for type of associated surface + // const Trk::Surface * theSurface = trackParams->associatedSurface(); + const Trk::CylinderSurface * cylSurf = dynamic_cast<const Trk::CylinderSurface *>(&theSurface); + const Trk::DiscSurface * disSurf = dynamic_cast<const Trk::DiscSurface *>(&theSurface); + const Trk::PerigeeSurface * perSurf = dynamic_cast<const Trk::PerigeeSurface *>(&theSurface); + const Trk::PlaneSurface * plaSurf = dynamic_cast<const Trk::PlaneSurface *>(&theSurface); + const Trk::StraightLineSurface * strSurf = dynamic_cast<const Trk::StraightLineSurface *>(&theSurface); + if ( plaSurf ) /* Plane Surface */ + { + // Shift from Surface centre to correct position + if (applyLocalTrans) { + SoTranslation * theTransform = new SoTranslation; + const Amg::Vector2D* locPosTmp = surface()->globalToLocal(p1); + if (locPosTmp) { + theTransform->translation.setValue(locPosTmp->x(),locPosTmp->y(),0.0); + // std::cout<<"applyLocalTrans & Offset=("<<locPosTmp->x()<<","<<locPosTmp->y()<<std::endl; + errSimple->addChild(theTransform); + errDetailed->addChild(theTransform); + delete locPosTmp; + } else { + VP1Msg::message("AscObj_TSOS::addErrors - failed to get tmp position"); + } + } + + VP1Msg::messageVerbose("Plane surf error of size:"+QString::number(tmpCovMat.rows())); + if (force1D) VP1Msg::messageVerbose("Forcing 1D"); + VP1ErrorUtils::errorAtPlaneSurface(errSimple, errDetailed, tmpCovMat, &theSurface, p1, settingsSIGMASCALE, npoints, showSurfaces, force1D, false ); + ensureInitSeps(shape_simple,shape_detailed); + shape_simple->addChild( errSimple ); + shape_detailed->addChild( errDetailed ); + } else if ( strSurf || perSurf) { + /* Straight Line Surface or perigee surface*/ + // Shift from Surface centre to correct position + if (applyLocalTrans){ + SoTranslation * theTransform = getZTranslationTube(&theSurface,10000.0); + errSimple->addChild(theTransform); + errDetailed->addChild(theTransform); + } + VP1ErrorUtils::errorAtStraightLineSurface(errSimple, errDetailed, tmpCovMat, localPos, &theSurface, settingsSIGMASCALE, settingsDRAWZERRCIRCLES, settingsDRAWCYLINDER, npoints, force1D, false); + ensureInitSeps(shape_simple,shape_detailed); + shape_simple->addChild( errSimple ); + shape_detailed->addChild( errDetailed ); + } else if ( cylSurf ) { + VP1Msg::message("WARNING: Visualisation of errors on Cylinder Surface not implemented"); + } else if ( disSurf ) { + VP1Msg::message("WARNING: Visualisation of errors on Disc Surface not implemented"); + } + VP1Msg::messageVerbose("leaving addErrors"); + + return; +} + +//____________________________________________________________________ +void AscObj_TSOS::addSurfaceToShapes( SoSeparator*&shape_simple, SoSeparator*&shape_detailed) +{ + // static int ignoreTubes=-1; + // if (ignoreTubes==-1) + // ignoreTubes = VP1QtUtils::environmentVariableIsOn("VP1_TRKSYS_NEVERSHOWTUBESURFACES") ? 1 : 0; + + if (common()->controller()->hideTubeSurfaces() &&dynamic_cast<const Trk::StraightLineSurface*>(surface())) + return; + + SurfaceToSoNode surfCnv;//fixme: check if need in common() + SoNode* theSurfSepSimple = surfCnv.translateSurface(*(surface()),true); + SoNode* theSurfSep = surfCnv.translateSurface(*(surface())); + if (theSurfSep) { + SoNode * nodeToAddSimple = theSurfSepSimple; + SoNode * nodeToAdd = theSurfSep; + ensureInitSeps(shape_simple,shape_detailed); + if (trackHandle()->customColouredTSOSParts()&TrackCommonFlags::TSOS_AnySurface) { + SoMaterial * mat = common()->controller()->customMatSurfaces(); + if (theSurfSep->getTypeId().isDerivedFrom(SoSeparator::getClassTypeId())) { + static_cast<SoSeparator*>(theSurfSepSimple)->insertChild(mat,0); + static_cast<SoSeparator*>(theSurfSep)->insertChild(mat,0); + } else { + SoSeparator * sepSimple = new SoSeparator; + sepSimple->addChild(mat); + sepSimple->addChild(theSurfSepSimple); + nodeToAddSimple = sepSimple; + SoSeparator * sep = new SoSeparator; + sep->addChild(mat); + sep->addChild(theSurfSep); + nodeToAdd = sep; + } + } +// shape_simple->addChild(nodeToAdd); //todo: check this. I changed nodeToAdd to nodeToAddSimple + shape_simple->addChild(nodeToAddSimple); + shape_detailed->addChild(nodeToAdd); + } else { + VP1Msg::message("AscObj_TSOS::addSurfaceToShapes WARNING: Got null shape."); + } +} + +//____________________________________________________________________ +void AscObj_TSOS::addMaterialEffectsToShapes( SoSeparator*&shape_simple, SoSeparator*&shape_detailed) +{ + const double settingsForceOnTrack = false; + + ensureInitSeps(shape_simple,shape_detailed); + SoSeparator * matSepSimple = new SoSeparator; + SoSeparator * matSepDetailed = new SoSeparator; + + //1) Transformation. + + if (m_tsos->trackParameters()) { + //Put on position of track parameter + Amg::Vector3D p1(m_tsos->trackParameters()->position());//point + SoTranslation * theTransform = new SoTranslation; + theTransform->translation.setValue(p1.x(),p1.y(),p1.z()); + matSepSimple->addChild(theTransform); + matSepDetailed->addChild(theTransform); + } else { + const Trk::Surface * surf = surface(); + if (!surf) { + VP1Msg::message("AscObj_TSOS::addMaterialEffectsToShapes WARNING: Has neither surface or parameter to get position!"); + } else { + if (settingsForceOnTrack) { + VP1Msg::message("AscObj_TSOS::addMaterialEffectsToShapes WARNING: settingsForceOnTrack not implemented"); + + //Take position from surface and somehow constrain it onto the line. + //(Fixme... same kind of treatment as in the "short tubes"... how?). + } else { + //Take center of surface if present. + SoTransform * theTransform = VP1LinAlgUtils::toSoTransform(surf->transform()); + matSepSimple->addChild(theTransform); + matSepDetailed->addChild(theTransform); + } + } + } + //2) Possibly a custom colour + + if (trackHandle()->customColouredTSOSParts()&TrackCommonFlags::TSOS_AnyMaterialEffects) { + SoMaterial * mat = common()->controller()->customMatMaterialEffects(); + matSepSimple->addChild(mat); + matSepDetailed->addChild(mat); + } + + //3) The shape + + SoPointSet * point = common()->singlePoint(); + matSepSimple->addChild(point); + + if (m_parts & TrackCommonFlags::TSOS_MaterialEffectsWithNoDeltaE) { + matSepDetailed->addChild(point); + } else { + const Trk::MaterialEffectsBase* matEff = m_tsos->materialEffectsOnTrack(); + const Trk::MaterialEffectsOnTrack* matEffOnTrk = dynamic_cast<const Trk::MaterialEffectsOnTrack*>(matEff); + if (matEffOnTrk){ + const double absDeltaE = fabs(matEffOnTrk->energyLoss()->deltaE()); + const double radius(absDeltaE > 1*CLHEP::eV ? 5.0*exp(log(absDeltaE/CLHEP::MeV)/3.0) : 0);//\propto cube root + //TK: radius used to be: 5.0*sqrt(absDE), but we want sphere volume \propto deltaE + const double scale = common()->controller()->materialEffectsOnTrackScale(); + if (scale * radius > 0.1) { + SoSphere * meotSphere = new SoSphere; + meotSphere->radius.setValue( scale * radius ); + matSepDetailed->addChild(meotSphere); + } else { + matSepDetailed->addChild(point); + } + } + } + + //Attach: + shape_simple->addChild(matSepSimple); + shape_detailed->addChild(matSepDetailed); +} + +//____________________________________________________________________ +void AscObj_TSOS::addRIO_OnTrackInfoToShapes( SoSeparator*&shape_simple, + SoSeparator*&shape_detailed, + const Trk::RIO_OnTrack* rio, bool blockDrawingOfGP) +{ + // VP1Msg::messageVerbose("AscObj_TSOS::addRIO_OnTrackInfoToShapes() start"); + + if (!rio) { return;} +// Identifier id = rio->identify(); + + ensureInitSeps(shape_simple,shape_detailed); + + TrackCommonFlags::TSOSPartsFlags f(trackHandle()->shownTSOSParts()&m_parts); + const bool showMeas(f & TrackCommonFlags::TSOS_AnyMeasurement); + const bool showMeasErrors(f & TrackCommonFlags::TSOS_MeasError); + + // TrkObjToString::MeasurementType type = m_objToType.type(rio); + // std::cout<<">>>>>>>>>>> addRIO_OnTrackInfoToShapes: Have measurement of type: "<<static_cast<unsigned int>(type)<<" & showRioOnTrack="<<showMeas<<std::endl; + if (showMeas){ + // std::pair<SoSeparator*, std::vector<SoNode*> > detailed_nodes, simple_nodes; + // handle colouring + // VP1Msg::message(m_objToType.name(*rio)); + + if (m_parts & trackHandle()->customColouredTSOSParts()&TrackCommonFlags::TSOS_AnyMeasRioOnTrack) { + SoMaterial * mat; + if (m_parts & trackHandle()->customColouredTSOSParts()&TrackCommonFlags::TSOS_MeasRioOnTrackNotOutlier) + mat = common()->controller()->customMatMeasurements(); + else + mat = common()->controller()->customMatMeasurementsOutliers(); + shape_simple->addChild(mat); + shape_detailed->addChild(mat); + } + + m_hitToSoNode.buildStripShapes(*rio,shape_simple,shape_detailed,blockDrawingOfGP); // transforms to localPos (i.e. assumes in surface frame) + } + +//Errors + if (showMeasErrors){ + const Trk::LocalParameters & locParams = rio->localParameters () ; +// VP1Msg::message( "Trying to draw measurement errors for ROT with id="+QString::number(rio->identify().get_compact())+" locparams have dim="+QString::number(locParams.dimension())+", locellmat="+QString::number(rio->localErrorMatrix().covariance().num_row())); + VP1Msg::message( "Trying to draw measurement errors for ROT with id="+QString::number(rio->identify().get_compact())+" locparams have dim="+QString::number(locParams.dimension())+", locellmat="+QString::number(rio->localCovariance().rows())); + + Amg::Vector2D localPos; + /* + * see: + * https://svnweb.cern.ch/trac/atlasoff/browser/Tracking/TrkEvent/TrkEventPrimitives/trunk/TrkEventPrimitives/LocalParameters.h + * https://svnweb.cern.ch/trac/atlasoff/browser/Tracking/TrkEvent/TrkEventPrimitives/trunk/src/LocalParameters.cxx + */ + if (locParams.contains(Trk::loc1)) { + localPos( locParams.get(Trk::loc1), locParams.contains(Trk::loc2) ? locParams.get(Trk::loc2) : 0 ); + } else{ + VP1Msg::message( "WARNING: locParams.contains(Trk::loc1) is FALSE!!"); + } + + bool force1D=false; + if (locParams.dimension ()!=rio->localCovariance().rows()){ + VP1Msg::message( "WARNING: ROT has inconsistent dimensions between cov matrix and local parameters. Forcing to 1D."); + force1D=true; + } + force1D=true; //FIXME! + + // last parameter sets whether we do a local shift. + addErrors(rio->associatedSurface(), rio->localCovariance(), localPos, rio->globalPosition(), false, + shape_simple, shape_detailed, force1D, true); + VP1Msg::message( "Done with measurement errors"); + } +} + +//____________________________________________________________________ +void AscObj_TSOS::addCompetingRIO_OnTrackInfoToShapes( SoSeparator*&shape_simple, + SoSeparator*&shape_detailed) +{ + // std::cout<<"addCompetingRIO_OnTrackInfoToShapes"<<std::endl; + const Trk::CompetingRIOsOnTrack * crio = competingRIOsOnTrack(); + + ensureInitSeps(shape_simple,shape_detailed); + + //Possibly a custom colour + if (m_parts & trackHandle()->customColouredTSOSParts()&TrackCommonFlags::TSOS_MeasCompetingRioOnTrackNotOutlier) { + SoMaterial * mat = common()->controller()->customMatMeasurements(); + shape_simple->addChild(mat); + shape_detailed->addChild(mat); + } else if (m_parts & trackHandle()->customColouredTSOSParts()&TrackCommonFlags::TSOS_MeasCompetingRioOnTrackOutlier) { + SoMaterial * mat = common()->controller()->customMatMeasurementsOutliers(); + shape_simple->addChild(mat); + shape_detailed->addChild(mat); + } + + if (common()->controller()->drawMeasGlobalPositions()){ + // std::cout<<"cROT - showing globalpositions."<<std::endl; + + // if (surface()!=crio->rioOnTrack(crio->indexOfMaxAssignProb ())->associatedSurface()) + // VP1Msg::message("AscObj_TSOS::addCompetingRIO_OnTrackInfoToShapes WARNING: cROT surface doesn't match one from surface()") ; +//Draw cross marking global position of the rio on track + SoTranslation * theTransform = new SoTranslation; + Amg::Vector3D offset = crio->globalPosition() - crio->associatedSurface().center(); + // std::cout<<"globalPOS=("<<crio->globalPosition().x()<<","<<crio->globalPosition().y()<<","<<crio->globalPosition().z()<<")"<<std::endl; + // std::cout<<"associatedSurf centre =("<<crio->associatedSurface().center().x()<<","<<crio->associatedSurface().center().y()<<","<<crio->associatedSurface().center().z()<<")"<<std::endl; + // std::cout<<"offset=("<<offset.x()<<","<<offset.y()<<","<<offset.z()<<")"<<std::endl; + // theTransform->translation.setValue( offset.x(), offset.y(), offset.z()); + + + Amg::Vector3D locPos = (crio->associatedSurface().transform().rotation().inverse())*(offset); + theTransform->translation.setValue( locPos.x(), locPos.y(), locPos.z()); + // std::cout<<"the GP Transform=("<<locPos.x()<<","<<locPos.y()<<","<<locPos.z()<<")"<<std::endl; + + // double xoff= crio->localParameters().get(Trk::loc1); + // double yoff= crio->localParameters().get(Trk::loc2); + // double zoff= globalpos.z()-surface().center().z(); + // theTransform->translation.setValue(xoff,yoff,0.0); + // SoTranslation * theTransformBack = new SoTranslation; + // theTransformBack->translation.setValue(-locPos.x(), -locPos.y(), -locPos.z()); + // std::cout<<"theTransformBack="<<Amg::toString(*theTransformBack)<<std::endl; + + SoSeparator * gpSep = new SoSeparator; + + gpSep->addChild(theTransform); + gpSep->addChild(common()->nodeManager().getShapeNode_Cross(50)); + shape_detailed->addChild(gpSep); + } + + //Draw all contained rio on tracks + TrackCommonFlags::TSOSPartsFlags f(trackHandle()->shownTSOSParts()&m_parts); + const bool showcRioOnTrack(f & TrackCommonFlags::TSOS_AnyMeasurement); + + if (showcRioOnTrack){ + + // FIXME - shouldn't need to use so many seps, but having problems with transformations. + SoSeparator * rotSepSimple = new SoSeparator; + SoSeparator * rotSepDetailed = new SoSeparator; + + // std::cout<<"addCompetingRIO_OnTrackInfoToShapes: About to draw most probable ROT"<<std::endl; + unsigned int maxProb = crio->indexOfMaxAssignProb (); + // std::cout<<"Drawing maxProb ["<<maxProb<<"] strip "<<std::endl; + addRIO_OnTrackInfoToShapes(rotSepSimple,rotSepDetailed, &(crio->rioOnTrack(maxProb)), true); + shape_detailed->addChild(rotSepDetailed); + shape_simple->addChild(rotSepSimple); + + // std::cout<<"addCompetingRIO_OnTrackInfoToShapes: Done drawing most probable"<<std::endl; + + SoTransparency * transparent = new SoTransparency; + transparent->transparency.setValue(0.5); + shape_detailed->addChild( transparent ); + + const Trk::RIO_OnTrack* rot = &(crio->rioOnTrack(maxProb)); + //if (rot==0 || rot == NULL) { VP1Msg::message("WARNING: cROT max prob ROT is NULL. Aborting."); return;} + if (!rot) { VP1Msg::message("WARNING: cROT has empty max prob ROT. Aborting."); return;} + // Now, last position drawn was that of strip pos for most probable ROT. So take this as basis. + if (!rot->detectorElement()) { VP1Msg::message("WARNING: most prob ROT from cROT has empty DE. Aborting."); return;} + + const Trk::Surface* lastSurf=&(crio->rioOnTrack(maxProb).associatedSurface()); + + // std::cout<<"lastSurf = ("<<*lastSurf<<") for most prob="<<rot->identify().get_compact()<<std::endl; + unsigned int nrio = crio->numberOfContainedROTs(); + for (unsigned int n = 0; n < nrio; n++) + { + if (n==maxProb) continue; // already drawn. + // std::cout<<"Strip #"<<n<<std::endl; + const Trk::RIO_OnTrack* rot = &(crio->rioOnTrack(n)); + + // SoTranslation * theTransform = new SoTranslation; + if (!rot) { VP1Msg::message("WARNING: cROT has empty ROT. Skipping."); continue;} + + // Now do offset from last strip pos, to new one (for strips on different layers, this will include a zoffset) + // const MuonGM::TgcReadoutElement* tgcDetEl = + // dynamic_cast<const MuonGM::TgcReadoutElement*>(rot->detectorElement()); + // const MuonGM::RpcReadoutElement* rpcDetEl = + // dynamic_cast<const MuonGM::RpcReadoutElement*>(rot->detectorElement()); + // + // // FIXME - could do all this a bit more elegantly with templates + // + // if ( (!tgcDetEl) && (!rpcDetEl)) { VP1Msg::message("WARNING: ROT from cROT has Unknown DE type. Skipping."); std::cout<<*rot<<std::endl; continue;} + // + // if (tgcDetEl){ + // currPos = tgcDetEl->stripPos(rot->identify()); + // } else { + // currPos = rpcDetEl->stripPos(rot->identify()); + // } + // Amg::Vector3D offset = currPos - lastPos; + // Amg::Vector3D<double> locPos = (rot->associatedSurface().transform().inverse())*(offset); + // theTransform->translation.setValue( locPos.x(), locPos.y(), locPos.z()); + // lastPos=currPos; + SoSeparator * rotSepSimple = new SoSeparator; + SoSeparator * rotSepDetailed = new SoSeparator; + + if ( &(rot->associatedSurface ())!=lastSurf) { + // std::cout<<"New surface!"<<std::endl; + // Do transformation to centre of new surface, especially important if there is a zoffset. + // NB we're assuming that the surfaces are aligned! Might not be entirely safe, but really should be! + // (I hate cROTs) + Amg::Vector3D offset = rot->associatedSurface().center() - lastSurf->center(); + // std::cout<<"new surf offset = "<<Amg::toString(offset)<<std::endl; + + // lastSurf = &(rot->associatedSurface()); + Amg::Vector3D locPos = (rot->associatedSurface().transform().rotation().inverse())*(offset); + // std::cout<<"new surf locPos = "<<Amg::toString(locPos)<<std::endl; + + SoTranslation * theTransform = new SoTranslation; + theTransform->translation.setValue( locPos.x(), locPos.y(), locPos.z()); + rotSepDetailed->addChild(theTransform); + rotSepSimple->addChild(theTransform); + } + // lastSurf = &(rot->associatedSurface()); + + // rotSepDetailed->addChild(theTransform); + // rotSepSimple->addChild(theTransform); + + + m_hitToSoNode.buildStripShapes(crio->rioOnTrack(n),rotSepSimple,rotSepDetailed,true); + shape_simple->addChild(rotSepSimple); + shape_detailed->addChild(rotSepDetailed); + // back to centre + + // std::cout<<"Rot "<<n<<" Done"<<std::endl; + + } + } +} + +//____________________________________________________________________ +void AscObj_TSOS::ensureInitSeps( SoSeparator*&shape_simple, + SoSeparator*&shape_detailed) +{ + if (!shape_simple) + shape_simple = new SoSeparator; + if (!shape_detailed) + shape_detailed = new SoSeparator; +} + +//____________________________________________________________________ +const Trk::RIO_OnTrack * AscObj_TSOS::rioOnTrack() const +{ + return dynamic_cast<const Trk::RIO_OnTrack *>(m_tsos->measurementOnTrack()); +} + +//____________________________________________________________________ +const Trk::CompetingRIOsOnTrack * AscObj_TSOS::competingRIOsOnTrack() const +{ + return dynamic_cast<const Trk::CompetingRIOsOnTrack *>(m_tsos->measurementOnTrack()); +} + +//____________________________________________________________________ +const Trk::Surface * AscObj_TSOS::surface() const +{ + const Trk::Surface * surf(0); + if (m_tsos->trackParameters()) + surf = &(m_tsos->trackParameters()->associatedSurface()); + if (!surf&&m_tsos->measurementOnTrack()) + surf = &(m_tsos->measurementOnTrack()->associatedSurface()); + if (!surf&&m_tsos->materialEffectsOnTrack()) + surf = &(m_tsos->materialEffectsOnTrack()->associatedSurface()); + return surf; +} + +void AscObj_TSOS::addTransformToSurface(SoSeparator*& shape_simple,SoSeparator*& shape_detailed){ + // SurfaceToSoNode surfCnv;//fixme: check if need in common() + // SoNode* theSurfSepSimple = surfCnv.translateSurface(*(surface()),true); + // SoNode* theSurfSep = surfCnv.translateSurface(*(surface())); + if (!surface()) {VP1Msg::message( "AscObj_TSOS::addTransformToSurface: WARNING: TSOS without Surface! Unable to get transform!");return;} + + // This is all a bit complicated, and can probably be cleaned up. The point is that TGCs need to be handled specially, or we could just use + // surface(), I think. + + TrkObjToString::MeasurementType type=TrkObjToString::Unknown; + if (surface()->associatedDetectorElement()) type= m_objToType.type(surface()->associatedDetectorElement()); + +// const Trk::RIO_OnTrack* rio = rioOnTrack() ? rioOnTrack() : competingRIOsOnTrack() ? competingRIOsOnTrack()->rioOnTrack(competingRIOsOnTrack()->indexOfMaxAssignProb()) : 0; + const Trk::RIO_OnTrack* rio = rioOnTrack() ? rioOnTrack() : competingRIOsOnTrack() ? &(competingRIOsOnTrack()->rioOnTrack(competingRIOsOnTrack()->indexOfMaxAssignProb())) : 0; + if (type==TrkObjToString::Unknown && rio) type=m_objToType.type(rio); + + SoTransform* theHitTransform=0; + if (rio) { + // TrkObjToString::MeasurementType type=m_objToType.type(rio); + // std::cout<<"Got ROT of type"<<static_cast<unsigned int>(type)<<std::endl; + theHitTransform=m_hitToSoNode.createTransform(*rio, true); + } else { + if (hasSurface() ) theHitTransform = VP1LinAlgUtils::toSoTransform(surface()->transform()); + } + + if (!theHitTransform) { + VP1Msg::message( "AscObj_TSOS::addTransformToSurface: WARNING: Unable to build transform"); + return; + } + shape_simple->addChild(theHitTransform); + shape_detailed->addChild(theHitTransform); +} + +//____________________________________________________________________ +void AscObj_TSOS::buildShapes(SoSeparator*&shape_simple, + SoSeparator*&shape_detailed) +{ + VP1Msg::messageVerbose("AscObj_TSOS::buildShapes() start"); + + TrackCommonFlags::TSOSPartsFlags f(trackHandle()->shownTSOSParts()&m_parts); + if (f==TrackCommonFlags::TSOS_NoObjects) + return; + const bool showPars(f & TrackCommonFlags::TSOS_TrackPars); + const bool showParsErrors(f & TrackCommonFlags::TSOS_AnyParsErrors); + const bool showRioOnTrack(f & TrackCommonFlags::TSOS_AnyMeasRioOnTrack); + const bool showCompetingRioOnTrack(f & TrackCommonFlags::TSOS_AnyMeasCompetingRioOnTrack); + const bool showSurfaces(f & TrackCommonFlags::TSOS_AnySurface); + const bool showMaterialEffects(f & TrackCommonFlags::TSOS_AnyMaterialEffects); + const bool showMeasErrors(f & TrackCommonFlags::TSOS_MeasError); + + ensureInitSeps(shape_simple,shape_detailed); + + // FIXME - would like to simplify this and use transform returned from surface, but means internal changes below + SoSeparator* param_simple= new SoSeparator; + SoSeparator* param_detailed= new SoSeparator; + if (showPars||showParsErrors) + addTrackParamInfoToShapes(param_simple,param_detailed,showPars,showParsErrors,showSurfaces); + shape_simple->addChild(param_simple); + shape_detailed->addChild(param_detailed); + + if (showMaterialEffects) + addMaterialEffectsToShapes( shape_simple, shape_detailed); + + if (showSurfaces) + addSurfaceToShapes( shape_simple, shape_detailed); + + // Transform to centre of surface. All other seps will (eventually) hang from this. + // TGCs are special, in that the position returned is that of the strip, due to rotation + addTransformToSurface(shape_simple,shape_detailed); + + // Measurements are a bit different and create a sep outside addRIO_OnTrackInfoToShapes, because addRIO_OnTrackInfoToShapes is used + // by addCompetingRIO_OnTrackInfoToShapes too + SoSeparator* meas_simple= new SoSeparator; + SoSeparator* meas_detailed= new SoSeparator; + if (rioOnTrack() && (showRioOnTrack||showMeasErrors)) + addRIO_OnTrackInfoToShapes(meas_simple,meas_detailed,rioOnTrack(), !(common()->controller()->drawMeasGlobalPositions())); + if (showCompetingRioOnTrack) + addCompetingRIO_OnTrackInfoToShapes(meas_simple,meas_detailed); // FIXME - handle cROT errors too. + shape_simple->addChild(meas_simple); + shape_detailed->addChild(meas_detailed); + + //Currently this doesn't do much as rio->globalPosition() returns a position + //along the axis! + /**bool showDeviationsFromMeasurements = false;//Fixme (and see below) + if ( showDeviationsFromMeasurements + && hasParameters() + && rioOnTrack() + && dynamic_cast<const Trk::TrackParameters *>(m_tsos->trackParameters()) ) + addDeviationFromMeasurementInfoToShapes(shape_simple,shape_detailed); + **/ + VP1Msg::messageVerbose("AscObj_TSOS::buildShapes() end"); + +} + +//____________________________________________________________________ +QStringList AscObj_TSOS::clicked() +{ + QStringList l; + if (!m_tsos) { + l << "ERROR: This associated object handle has a NULL TSOS pointer!!"; + return l; + } + + + l << "---"<<"Track State On Surface #"+VP1Msg::str(m_indexOfPointOnTrack)+":"; + + if (hasParameters()) + { + l << "----> "+TrkObjToString::name(*(m_tsos->trackParameters())); + QStringList list = TrkObjToString::fullInfo( *(m_tsos->trackParameters()) ); + for (int i = 0; i < (list.size()-1); ){ + l<< (list.at(i)+QString(" = ")+list.at(i+1) ); + i+=2; + } + // l << " -> Position (x,y,z) [CLHEP::mm]: "+VP1Msg::str(m_tsos->trackParameters()->position()/CLHEP::mm); + // l << " -> Momentum (Px,Py,Pz) [MeV]: "+VP1Msg::str(m_tsos->trackParameters()->momentum()/MeV) + ", |P| [GeV]: "+VP1Msg::str(m_tsos->trackParameters()->momentum().mag()/GeV); + // l << " -> Momentum (Pt) [GeV]: "+VP1Msg::str(m_tsos->trackParameters()->momentum().perp()/GeV); + //FIXME: parameter errors + } + + bool showDeviationsFromMeasurements = true;//Fixme (and see above) + if ( showDeviationsFromMeasurements + && hasParameters() + && (rioOnTrack() || competingRIOsOnTrack() ) + && dynamic_cast<const Trk::TrackParameters *>(m_tsos->trackParameters()) ) + { + if ( m_tsos->type(Trk::TrackStateOnSurface::Outlier)) + l << " -> Std deviations from measurement: " + VP1Msg::str(deviationFromMeasurement()) + " (Outlier)"; + else + l << " -> Std deviations from measurement: " + VP1Msg::str(deviationFromMeasurement()); + } + + if (m_tsos->measurementOnTrack()){ + l << "----> "+TrkObjToString::name(*(m_tsos->measurementOnTrack())); + QStringList list = TrkObjToString::fullInfo( *(m_tsos->measurementOnTrack()) ); + for (int i = 0; i < (list.size()-1); ){ + l<< (list.at(i)+QString(" = ")+list.at(i+1) ); + i+=2; + } + } + + + if (m_tsos->fitQualityOnSurface()) + { + l << "----> "+TrkObjToString::name(*(m_tsos->fitQualityOnSurface())); + QStringList list = TrkObjToString::fullInfo( *(m_tsos->fitQualityOnSurface()) ); + for (int i = 0; i < (list.size()-1); ){ + l<< (list.at(i)+QString(" = ")+list.at(i+1) ); + i+=2; + } + } + + if (m_tsos->materialEffectsOnTrack()) + { + l << "----> "+TrkObjToString::name(*(m_tsos->materialEffectsOnTrack())) ; + QStringList list = TrkObjToString::fullInfo( *(m_tsos->materialEffectsOnTrack()) ); + for (int i = 0; i < (list.size()-1); ){ + l<< (list.at(i)+QString(" = ")+list.at(i+1) ); + i+=2; + } + } + + if (common()->controller()->printVerboseInfoOnSingleSelection()) { + l << " ===== TrackStateOnSurface ====="; + std::ostringstream s2; + s2 << *m_tsos; + l << QString(s2.str().c_str()).split('\n'); + + if (surface()) { + l << " ===== Surface ====="; + std::ostringstream s; + s << *(surface()); + l << QString(s.str().c_str()).split('\n'); + } + } + + // Object browser stuff m_indexOfPointOnTrack + QTreeWidgetItem* trkObjBrowseritem = trackHandle()->browserTreeItem(); + if (trkObjBrowseritem){ + QTreeWidgetItem* me = trkObjBrowseritem->child(m_indexOfPointOnTrack); // I hope! + if (!me) { + VP1Msg::messageVerbose("ERROR! Can't find AscObj_TSOS item in track obj browser."); + } else { + QTreeWidget* trkObjBrowser = trkObjBrowseritem->treeWidget(); + trkObjBrowser->setCurrentItem(me); + trkObjBrowser->scrollToItem(me); + } + } + + zoomView(); // depending on controller settings, zoom view + + return l; +} + +void AscObj_TSOS::setVisible(bool vis) { + AssociatedObjectHandleBase::setVisible(vis); + + QTreeWidgetItem* trkObjBrowseritem = trackHandle()->browserTreeItem(); + if (trkObjBrowseritem){ + QTreeWidgetItem* me = trkObjBrowseritem->child(m_indexOfPointOnTrack); // I hope! + if (!me) { + VP1Msg::messageVerbose("ERROR! Can't find AscObj_TSOS item in track obj browser."); + } else { + QFont itemFont = me->font(1); + + if (!visible()) { + // std::cout<<"Hidden"<<std::endl; + me->setFlags(0); // not selectable, not enabled + itemFont.setStrikeOut(true); + + } else { + // std::cout<<"Vis"<<std::endl; + me->setFlags(Qt::ItemIsSelectable | Qt::ItemIsEnabled); // selectable, enabled + itemFont.setStrikeOut(false); + + } + } + } +} + + +bool AscObj_TSOS::isShortMeasurement(){ + bool isShortMeasurement; + + isShortMeasurement = false; + + return isShortMeasurement; +} + +void AscObj_TSOS::zoomView() { + VP1Msg::messageVerbose("AscObj_TSOS::zoomView()"); + + if ( common()->controller()->orientAndZoomOnSingleSelection() ) + { + const bool showParsErrors( trackHandle()->shownTSOSParts()&m_parts & TrackCommonFlags::TSOS_AnyParsErrors); + + + if (!showParsErrors && !isShortMeasurement()) + { // Zoom without orientation + VP1Msg::messageVerbose("AscObj_TSOS::zoomView() Zoom without orientation"); + std::set<SoCamera*> cameras = common()->system()->getCameraList(); + std::set<SoCamera*>::iterator it,itE = cameras.end(); + for (it=cameras.begin();it!=itE;++it) { + if (common()->controller()->assocObjDetailLevel()==TrackCommonFlags::SIMPLE) + { + VP1CameraHelper::animatedZoomToSubTree(*it,common()->ascObjSelectionManager()->getAscObjAttachSep(),shapeSimple(),2.0,1.0); + } else + { + VP1CameraHelper::animatedZoomToSubTree(*it,common()->ascObjSelectionManager()->getAscObjAttachSep(),shapeDetailed(),2.0,1.0); + } + } + } else + { // Zoom and orient (this is dependant of surface type) + VP1Msg::messageVerbose("AscObj_TSOS::zoomView() Zoom and orient"); + + const Trk::Surface * theSurface = surface(); + const Trk::PerigeeSurface * perSurf = dynamic_cast<const Trk::PerigeeSurface *>(theSurface); + const Trk::PlaneSurface * plaSurf = dynamic_cast<const Trk::PlaneSurface *>(theSurface); + const Trk::StraightLineSurface * strSurf = dynamic_cast<const Trk::StraightLineSurface *>(theSurface); + if ( plaSurf || perSurf ) + { +// Trk::GlobalMomentum u(m_tsos->trackParameters()->momentum().unit()); + Amg::Vector3D u(m_tsos->trackParameters()->momentum().unit()); + + SbVec3f lookat0 = SbVec3f(-u[0],-u[1],-u[2]); + + std::set<SoCamera*> cameras = common()->system()->getCameraList(); + std::set<SoCamera*>::iterator it,itE = cameras.end(); + for (it=cameras.begin();it!=itE;++it) { + if (common()->controller()->assocObjDetailLevel()==TrackCommonFlags::SIMPLE) + { + VP1CameraHelper::animatedZoomToSubTree(*it,common()->ascObjSelectionManager()->getAscObjAttachSep(),shapeSimple(),2.0,100.0,100.0,1.0,lookat0); + } else + { + VP1CameraHelper::animatedZoomToSubTree(*it,common()->ascObjSelectionManager()->getAscObjAttachSep(),shapeDetailed(),2.0,100.0,100.0,1.0,lookat0); + } + } + } else if ( strSurf ) + { + SbVec3f lookat0 = SbVec3f(0,0,1); + SbVec3f lookat1; + + SbRotation rot = VP1LinAlgUtils::toSoTransform(theSurface->transform())->rotation.getValue(); + rot.multVec(lookat0,lookat0); + + std::set<SoCamera*> cameras = common()->system()->getCameraList(); + std::set<SoCamera*>::iterator it,itE = cameras.end(); + for (it=cameras.begin();it!=itE;++it) { + SbRotation camrot = (*it)->orientation.getValue(); + SbVec3f cameraDir = SbVec3f(0,0,-1); + camrot.multVec(cameraDir,cameraDir); + + lookat1 = cameraDir.dot(lookat0) > 0 ? lookat0 : -lookat0; + if (common()->controller()->assocObjDetailLevel()==TrackCommonFlags::SIMPLE) + { + VP1CameraHelper::animatedZoomToSubTree(*it,common()->ascObjSelectionManager()->getAscObjAttachSep(),shapeSimple(),2.0,100.0,100.0,1.0,lookat1); + } else + { + VP1CameraHelper::animatedZoomToSubTree(*it,common()->ascObjSelectionManager()->getAscObjAttachSep(),shapeDetailed(),2.0,100.0,100.0,1.0,lookat1); + } + } + } + } + } else { + VP1Msg::messageVerbose("AscObj_TSOS::zoomView() - zooming on selection not turned on."); + } +} diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/AscObj_TruthPoint.cxx b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/AscObj_TruthPoint.cxx new file mode 100644 index 0000000000000000000000000000000000000000..29b651441fd5cae38e26c0872877dc3a434fed7f --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/AscObj_TruthPoint.cxx @@ -0,0 +1,160 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class AscObj_TruthPoint // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: May 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12TrackSystems/AscObj_TruthPoint.h" +#include "VTI12TrackSystems/SimHitHandleBase.h" +#include "VP1Base/VP1Msg.h" +#include "HepMC/GenParticle.h" +#include "HepMC/GenVertex.h" + +// Eigen migration +//#include "TrkEventPrimitives/GlobalPosition.h" +//#include "TrkEventPrimitives/GlobalMomentum.h" +#include "GeoPrimitives/GeoPrimitives.h" +#include "GeoPrimitives/AmgStringHelpers.h" + +#include <Inventor/C/errors/debugerror.h> +#include <Inventor/nodes/SoLineSet.h> +#include <Inventor/nodes/SoSeparator.h> +#include <Inventor/nodes/SoVertexProperty.h> +#include "CLHEP/Units/SystemOfUnits.h" + +#include <string> // for C++11 to_string features + + +//____________________________________________________________________ +class AscObj_TruthPoint::Imp { +public: + Imp(const HepMC::GenVertex * v, const HepMC::GenParticle * p) + : genVertex(v), genParticle(p), simhit(0) {} + Imp(SimHitHandleBase*s) + : genVertex(0), genParticle(0), simhit(s) {} + const HepMC::GenVertex * genVertex; + const HepMC::GenParticle * genParticle; + SimHitHandleBase * simhit; +}; + + +//____________________________________________________________________ +AscObj_TruthPoint::AscObj_TruthPoint(TrackHandleBase*th, const HepMC::GenVertex * v, const HepMC::GenParticle * p) + : AssociatedObjectHandleBase(th), m_d(new Imp(v,p)) +{ +} + +//____________________________________________________________________ +AscObj_TruthPoint::AscObj_TruthPoint(TrackHandleBase*th, SimHitHandleBase*s) + : AssociatedObjectHandleBase(th), m_d(new Imp(s)) +{ +} + +//____________________________________________________________________ +AscObj_TruthPoint::~AscObj_TruthPoint() +{ + delete m_d; +} + +//____________________________________________________________________ +void AscObj_TruthPoint::buildShapes(SoSeparator*&shape_simple, SoSeparator*&shape_detailed) +{ + VP1Msg::message("AscObj_TruthPoint::buildShapes."); + + // Eigen migration +// Trk::GlobalPosition p1;//point +// Trk::GlobalMomentum u;//mom direction + Amg::Vector3D p1;//point + Amg::Vector3D u;//mom direction + + + if (m_d->simhit) { + p1 = m_d->simhit->posStart(); + u = m_d->simhit->momentumDirection(); + } + else + { + // Eigen migration +// p1 = Trk::GlobalPosition(m_d->genVertex->point3d().x(),m_d->genVertex->point3d().y(),m_d->genVertex->point3d().z()); +// u = Trk::GlobalMomentum(m_d->genParticle->momentum().px(),m_d->genParticle->momentum().py(),m_d->genParticle->momentum().pz()).unit(); + p1 = Amg::Vector3D(m_d->genVertex->point3d().x(),m_d->genVertex->point3d().y(),m_d->genVertex->point3d().z()); + u = Amg::Vector3D(m_d->genParticle->momentum().px(),m_d->genParticle->momentum().py(),m_d->genParticle->momentum().pz()).unit(); + } + + // Eigen migration +// Trk::GlobalPosition p2 = p1+5*CLHEP::cm*u; + Amg::Vector3D p2 = p1+5*CLHEP::cm*u; + + SoLineSet * line = new SoLineSet(); + SoVertexProperty * vertices = new SoVertexProperty(); + vertices->vertex.set1Value(0,p1.x(),p1.y(),p1.z()); + vertices->vertex.set1Value(1,p2.x(),p2.y(),p2.z()); + line->numVertices.set1Value(0,2); + line->vertexProperty = vertices; + + shape_simple = new SoSeparator; + shape_simple->addChild(line); + shape_detailed = shape_simple; + +// //Fixme: Uncomment these two lines: +// shape_detailed = new SoSeparator; +// shape_detailed->addChild(line); +} + +//____________________________________________________________________ +QStringList AscObj_TruthPoint::clicked() +{ + VP1Msg::messageVerbose("AscObj_TruthPoint::clicked()"); + + QStringList l; + + l << " ==> Truth point"; + if (m_d->simhit) { + l << "Sim Hit ("+m_d->simhit->type()+")"; +//// l << " Position: "+VP1Msg::str( m_d->simhit->posStart() ) ; +// l << " Direction: "+VP1Msg::str( m_d->simhit->momentumDirection() ); +// l << " Momentum: "+VP1Msg::str(m_d->simhit->momentum()/CLHEP::GeV)+" GeV"+(m_d->simhit->actualMomentum()==m_d->simhit->momentum()?"":" (fudged)"); + l << " Position: " + QString::fromStdString(Amg::AsString(m_d->simhit->posStart())); + l << " Direction: " + QString::fromStdString(Amg::AsString(m_d->simhit->momentumDirection())); + l << " Momentum: " + VP1Msg::str(m_d->simhit->momentum()/CLHEP::GeV)+" GeV"+(m_d->simhit->actualMomentum()==m_d->simhit->momentum()?"":" (fudged)"); + } else { + if (!m_d->genVertex||!m_d->genParticle) { + l << "ERROR"; + return l; + } + +// Trk::GlobalPosition p(m_d->genVertex->point3d().x(),m_d->genVertex->point3d().y(),m_d->genVertex->point3d().z()); +// Trk::GlobalMomentum mom(m_d->genParticle->momentum().px(),m_d->genParticle->momentum().py(),m_d->genParticle->momentum().pz()); + Amg::Vector3D p(m_d->genVertex->point3d().x(),m_d->genVertex->point3d().y(),m_d->genVertex->point3d().z()); + Amg::Vector3D mom(m_d->genParticle->momentum().px(),m_d->genParticle->momentum().py(),m_d->genParticle->momentum().pz()); + + l << "Gen Particle vertex"; +// l << " Position: "+VP1Msg::str(p); +// l << " Direction: "+ VP1Msg::str(mom.unit()); + l << " Position: "+ QString::fromStdString(Amg::AsString(p)); + l << " Direction: "+ QString::fromStdString( Amg::AsString(mom.unit()) ); + l << " Momentum: "+ VP1Msg::str(mom.mag()/CLHEP::GeV)+" GeV"; + } + + return l; +} + +//____________________________________________________________________ +int AscObj_TruthPoint::regionIndex() const +{ + return 0; +} + +//____________________________________________________________________ +double AscObj_TruthPoint::lodCrossOverValue() const +{ + return 100; +} diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/AssociatedObjectHandleBase.cxx b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/AssociatedObjectHandleBase.cxx new file mode 100644 index 0000000000000000000000000000000000000000..73c6f5fa067f35f4924ce37b1cf459c2e0a12b3f --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/AssociatedObjectHandleBase.cxx @@ -0,0 +1,208 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class AssociatedObjectHandleBase // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: March 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12TrackSystems/AssociatedObjectHandleBase.h" +#include "VTI12TrackSystems/TrackHandleBase.h" +#include "VTI12TrackSystems/TrackCollHandleBase.h" +#include "VTI12TrackSystems/TrackSysCommonData.h" +#include "VTI12TrackSystems/AscObjSelectionManager.h" +#include "VTI12TrackSystems/VP1TrackSystem.h" +#include "VP1Base/VP1Msg.h" + +#include <Inventor/nodes/SoSeparator.h> + +//____________________________________________________________________ +class AssociatedObjectHandleBase::Imp { +public: + static int nascobjs; + Imp() : sep_simple(0), + sep_detailed(0), + attachhandle(0) + //,transform(0) + {} + SoSeparator * sep_simple; + SoSeparator * sep_detailed; + AssocObjAttachmentHandle * attachhandle; + + //SoTransform * transform; + void detach(); + void attach(AssociatedObjectHandleBase * theclass ); + void ensureShapesBuild(AssociatedObjectHandleBase * theclass ); + void ensureShapesErased(AssociatedObjectHandleBase * theclass ); +}; + +int AssociatedObjectHandleBase::Imp::nascobjs = 0; + +//____________________________________________________________________ +void AssociatedObjectHandleBase::Imp::ensureShapesBuild( AssociatedObjectHandleBase * theclass ) +{ + if (sep_simple&&sep_detailed) + return; + if (!sep_simple&&!sep_detailed) { + theclass->buildShapes(sep_simple, sep_detailed); + if (!sep_simple&&!sep_detailed) { + VP1Msg::messageDebug("AssociatedObjectHandleBase WARNING: Got null shapes! Replacing with simple points."); + sep_simple = new SoSeparator;//Fixme: Shared point!!! + } + if (sep_simple) + sep_simple->ref(); + if (sep_detailed) + sep_detailed->ref(); + } + if (!sep_detailed) { + sep_detailed = sep_simple; + sep_detailed->ref(); + } + if (!sep_simple) { + sep_simple = sep_detailed; + sep_simple->ref(); + } + + theclass->registerShapes(sep_simple,sep_detailed); +} + +//____________________________________________________________________ +void AssociatedObjectHandleBase::Imp::ensureShapesErased(AssociatedObjectHandleBase * theclass ) +{ + if (sep_simple||sep_detailed) { + theclass->unregisterShapes(sep_simple,sep_detailed); + if (sep_simple) { + sep_simple->unref(); + sep_simple = 0; + } + if (sep_detailed) { + sep_detailed->unref(); + sep_detailed = 0; + } + } +} + +//____________________________________________________________________ +void AssociatedObjectHandleBase::registerShapes(SoSeparator*simple,SoSeparator*detailed) +{ + m_trackHandle->collHandle()->common()->ascObjSelectionManager()->registerAscObj(simple,detailed,this); +} + +//____________________________________________________________________ +void AssociatedObjectHandleBase::unregisterShapes(SoSeparator*simple,SoSeparator*detailed) +{ + m_trackHandle->collHandle()->common()->ascObjSelectionManager()->unregisterAscObj(simple,detailed); +} + +//____________________________________________________________________ +TrackSysCommonData * AssociatedObjectHandleBase::common() const +{ + return m_trackHandle->common(); +} + +//____________________________________________________________________ +AssociatedObjectHandleBase::AssociatedObjectHandleBase(TrackHandleBase*th) + : m_d(new Imp),m_trackHandle(th), m_visible(false), m_pickStyle(UNPICKABLE/*better default?*/) +{ + ++Imp::nascobjs; +} + +//____________________________________________________________________ +AssociatedObjectHandleBase::~AssociatedObjectHandleBase() +{ + if (m_d->attachhandle&&m_visible&&m_d->sep_simple&&m_d->sep_detailed) { + m_d->attachhandle->detachNodes(m_d->sep_simple,m_d->sep_detailed); + } + m_d->ensureShapesErased(this ); + delete m_d; + --Imp::nascobjs; + +} + +//____________________________________________________________________ +int AssociatedObjectHandleBase::numberOfInstances() +{ + return Imp::nascobjs; +} + +//____________________________________________________________________ +void AssociatedObjectHandleBase::setPickable( PICKSTYLE ps ) +{ + if (m_pickStyle==ps) + return; + m_pickStyle=ps; + + //Fixme... + +} + +//____________________________________________________________________ +void AssociatedObjectHandleBase::Imp::detach() +{ + if (!attachhandle) + return;//Can't have been attached. + attachhandle->detachNodes(sep_simple,sep_detailed); +} + +//____________________________________________________________________ +AssocObjAttachmentHandle * AssociatedObjectHandleBase::getAttachmentHandle() +{ + return m_trackHandle->getAttachmentHandle(regionIndex(), lodCrossOverValue()); +} + + +//____________________________________________________________________ +void AssociatedObjectHandleBase::Imp::attach(AssociatedObjectHandleBase * theclass ) +{ + if (!attachhandle) + attachhandle = theclass->getAttachmentHandle(); + attachhandle->attachNodes(sep_simple,sep_detailed,(theclass->pickStyle()!=UNPICKABLE)); +} + + +//____________________________________________________________________ +void AssociatedObjectHandleBase::setVisible( bool b ) +{ + if (m_visible==b) + return; + m_visible=b; + if (b) { + m_d->ensureShapesBuild(this); + m_d->attach(this); + } else { + m_d->detach(); + } +} + +//____________________________________________________________________ +void AssociatedObjectHandleBase::update3DObjects() +{ + VP1Msg::messageVerbose("AssociatedObjectHandleBase update3DObjects."); + + if (m_visible) { + m_d->detach(); + m_d->ensureShapesErased(this); + m_d->ensureShapesBuild(this); + m_d->attach(this); + } else { + m_d->ensureShapesErased(this); + } +} + +//____________________________________________________________________ +SoSeparator* AssociatedObjectHandleBase::shapeSimple() const +{ + return m_d->sep_simple; +} + +//____________________________________________________________________ +SoSeparator* AssociatedObjectHandleBase::shapeDetailed() const +{ + return m_d->sep_detailed; +} diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/MeasurementToSoNode.cxx b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/MeasurementToSoNode.cxx new file mode 100644 index 0000000000000000000000000000000000000000..634f9a072e60872b457d048481eee9e8e1f604b3 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/MeasurementToSoNode.cxx @@ -0,0 +1,288 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#include "VTI12TrackSystems/MeasurementToSoNode.h" + +#include <Inventor/C/errors/debugerror.h> +#include <Inventor/nodes/SoSeparator.h> +#include <Inventor/nodes/SoTransform.h> +#include <Inventor/nodes/SoSphere.h> +#include "VP1HEPVis/nodes/SoTubs.h" +#include "VP1HEPVis/nodes/SoGenericBox.h" +#include <Inventor/nodes/SoPointSet.h> +#include <Inventor/nodes/SoLineSet.h> +#include <Inventor/nodes/SoCylinder.h> +#include <Inventor/nodes/SoRotationXYZ.h> + +#include "VTI12Utils/VP1LinAlgUtils.h" +#include "VTI12Utils/HitsSoNodeManager.h" +#include "VP1Base/VP1Msg.h" + + + +// Amg Eigen objects +#include "GeoPrimitives/GeoPrimitives.h" + +//MeasurementBase +#include "TrkMeasurementBase/MeasurementBase.h" + +//ROTs +#include "TrkRIO_OnTrack/RIO_OnTrack.h" +// #include "InDetRIO_OnTrack/PixelClusterOnTrack.h" +// #include "InDetRIO_OnTrack/SCT_ClusterOnTrack.h" +// #include "InDetRIO_OnTrack/TRT_DriftCircleOnTrack.h" +// #include "InDetRIO_OnTrack/SiClusterOnTrack.h" + +//CompetingROTs +#include "TrkCompetingRIOsOnTrack/CompetingRIOsOnTrack.h" + +//Pseudo Measurements +#include "TrkPseudoMeasurementOnTrack/PseudoMeasurementOnTrack.h" + +//Segments +#include "TrkSegment/Segment.h" + +// PRDs +// #include "InDetPrepRawData/PixelCluster.h" +// #include "InDetPrepRawData/SCT_Cluster.h" +// #include "InDetPrepRawData/TRT_DriftCircle.h" + +//IdHelpers +Trk::MeasurementToSoNode::MeasurementToSoNode() + : + m_stripThickness(0.8), + m_clusDrawMode(Trk::MeasurementToSoNode::SingleStrip), + m_dtLength(10.0) +{ + SoTubs::initClass(); + SoGenericBox::initClass(); + // Have simple view on by default + for (int i=0; i<TrkObjToString::Unknown ; i++) m_simpleView.push_back(true); +} + +std::pair<SoSeparator*, std::vector<SoNode*> > +Trk::MeasurementToSoNode::createMeasSep( const Trk::MeasurementBase& meas) +{ + + VP1Msg::messageVerbose("Trk::MeasurementToSoNode::createMeasSep()"); + + // Vector to hold all the nodes associated with this measurement + std::vector<SoNode*> measurements; + SoTransform* theHitTransform=0; + TrkObjToString::MeasurementType detType = m_objToType.type(&meas); + // Find the correct type and call that method. + + switch (detType) + { + case TrkObjToString::SCT: + { + const Trk::RIO_OnTrack* rot = dynamic_cast<const Trk::RIO_OnTrack*>(&meas); + if (rot){ + measurements = toSoNodes( *rot ); + theHitTransform=createTransform(*rot, detType); + } + break; + } + case TrkObjToString::CompetingROT: + { + const Trk::CompetingRIOsOnTrack* crot = dynamic_cast<const Trk::CompetingRIOsOnTrack*>(&meas); + if (crot){ + measurements = toSoNodes(*crot); + const Trk::RIO_OnTrack* mostProbROT = &(crot->rioOnTrack( crot->indexOfMaxAssignProb ())); + theHitTransform=createTransform( static_cast<const Trk::MeasurementBase&>(*mostProbROT), TrkObjToString::type( mostProbROT )); + } + break; + } + case TrkObjToString::PseudoMeasurement: + { + const Trk::PseudoMeasurementOnTrack* pseudo = dynamic_cast<const Trk::PseudoMeasurementOnTrack*>(&meas) ; + if (pseudo){ + measurements = toSoNodes(*pseudo); + theHitTransform=createTransform( *pseudo, detType); + } + break; + } + case TrkObjToString::Segment: + case TrkObjToString::Hole: + case TrkObjToString::Unknown: + { + std::cerr<< "MeasurementToSoNode::createMeasSep: WARNING - Unknown detector type!"<<std::endl; + std::cerr<<" Dumping MeasurementBase: "<<meas<<std::endl; + } + + } + // Add all the above to the separator + SoSeparator *theHitMarkerSep = new SoSeparator; + theHitMarkerSep->addChild(theHitTransform); + + std::vector<SoNode*>::const_iterator it, itEnd=measurements.end(); + for ( it = measurements.begin(); it!=itEnd; it++) + { + theHitMarkerSep->addChild(*it); + } + //std::cout<<"MeasurementToSoNode::createMeasSep - done"<<std::endl; + + return std::make_pair(theHitMarkerSep, measurements); +} + +std::vector<SoNode*> +Trk::MeasurementToSoNode::toSoNodes(const Trk::RIO_OnTrack& rot) +{ + //std::cout<<"toSoNodes"<<std::endl; + + //TODO Implement modes properly + std::vector<SoNode*> nodes ; + switch (m_clusDrawMode) + { + case SingleStrip: + case MultipleStrips: + case Errors: + { + double coord1 = rot.localParameters().get(Trk::loc1); + double coord2 = 0.0; + if (rot.localParameters().dimension()>1) coord2 = rot.localParameters().get(Trk::loc2); +// nodes.push_back( toSoNode(rot.detectorElement(), rot.identify(), m_objToType.type(&rot), Trk::LocalPosition(coord1,coord2) ) ); + nodes.push_back( toSoNode(rot.detectorElement(), rot.identify(), m_objToType.type(&rot), Amg::Vector2D(coord1,coord2) ) ); + break; + } + default: + break; + } + return nodes; +} + +std::vector<SoNode*> +Trk::MeasurementToSoNode::toSoNodes(const Trk::CompetingRIOsOnTrack& crot) +{ + VP1Msg::messageVerbose("Trk::MeasurementToSoNode::CompetingRIOsOnTrack()"); + + // + // ++++++++++++++++++++++ TO DO! +++++++++++++++++++++++++ + // + const Trk::RIO_OnTrack* mostProbROT = &(crot.rioOnTrack( crot.indexOfMaxAssignProb ())); + std::vector<SoNode*> nodes = toSoNodes( *mostProbROT ); // Temporary hack - should draw all competing ROTs and show them linked somehow. + return nodes; +} + +std::vector<SoNode*> +Trk::MeasurementToSoNode::toSoNodes(const Trk::PseudoMeasurementOnTrack& /*rot*/) +{ + // + // ++++++++++++++++++++++ TO DO! +++++++++++++++++++++++++ + // + VP1Msg::messageVerbose("Trk::MeasurementToSoNode::PseudoMeasurementOnTrack()"); + + std::vector<SoNode*> nodes ; + nodes.push_back( m_nodeManager.getShapeNode_Strip(10.0, 10.0, 10.0) ); + return nodes; +} + +SoNode* +Trk::MeasurementToSoNode::toSoNode(const Trk::TrkDetElementBase* /*baseDetEl*/, Identifier /*id*/, TrkObjToString::MeasurementType prdType, Amg::Vector2D /*locPos*/) +{ + VP1Msg::messageVerbose("Trk::MeasurementToSoNode::toSoNode(Trk)"); + + SoNode *theHitMarker = 0; + switch (prdType) + { + // case TrkObjToString::SCT: + // { + // const InDetDD::SiDetectorElement* detEl = dynamic_cast<const InDetDD::SiDetectorElement*>(baseDetEl); + // if(detEl){ // by definition this should never fail + // theHitMarker = toSoNode(detEl, id, prdType, locPos); + // } + // break; + // } + default: + //message( "Specific Hit type could not be identified."); + theHitMarker = m_nodeManager.getShapeNode_Strip(10.0, 10.0, 10.0); + break; + } + return theHitMarker; +} + + +// SoNode* +// Trk::MeasurementToSoNode::toSoNode( const InDetDD::SiDetectorElement* detEl, Identifier /*id*/, TrkObjToString::MeasurementType detType, Amg::Vector2D& locPos) +// { +// VP1Msg::messageVerbose("Trk::MeasurementToSoNode::toSoNode(InDetDD)"); + +// SoNode *theHitMarker = 0; +// if ( isSimpleView(TrkObjToString::Pixel) && detType==TrkObjToString::Pixel) +// { +// // theHitMarker = createPointMarker(); // Simple Pixel +// theHitMarker = m_nodeManager.getShapeNode_Point(); // Simple Pixel +// } +// else +// { + +// double stripLength=detEl->etaPitch() ; +// if (isSimpleView(TrkObjToString::SCT) && detType==TrkObjToString::SCT) +// { +// theHitMarker = createLineMarker(stripLength/2.0); // Simple SCT +// } +// else +// { +// double stripWidth=detEl->phiPitch( locPos ); +// theHitMarker = m_nodeManager.getShapeNode_Strip(stripLength, stripWidth, m_stripThickness); // Detailed SCT/Pixel +// } +// } +// return theHitMarker; +// } + +SoNode* +Trk::MeasurementToSoNode::createLineMarker( double halfLength, bool isTube ) +{ + //////std::cout<<"createLineMarker. halfLength="<<halfLength<<std::endl; + SoVertexProperty * scatVtxProperty = new SoVertexProperty(); + if (isTube) + { + scatVtxProperty->vertex.set1Value(0, 0.0,0.0,-halfLength); + scatVtxProperty->vertex.set1Value(1, 0.0,0.0, halfLength); + } + else + { + scatVtxProperty->vertex.set1Value(0, 0.0,-halfLength,0.0); + scatVtxProperty->vertex.set1Value(1, 0.0,halfLength,0.0); + } + SoLineSet * line = new SoLineSet(); + line->numVertices = 2; + line->vertexProperty = scatVtxProperty; + return line; +} + +SoTransform* +Trk::MeasurementToSoNode::createTransform( const Trk::MeasurementBase& mb, TrkObjToString::MeasurementType detType) +{ + const Trk::Surface& theSurface = mb.associatedSurface(); + + // We need to handle various cases: + // -> full tubes - use the surface position (or equivalent, global position of straw) + // -> short tubes/strips - use the global position of the ROT (but this is now done inside AscoObj_TSOS) + // -> long strips - use the global position of centre of strip. + + SoTransform* theHitTransform = VP1LinAlgUtils::toSoTransform(theSurface.transform()); + + Amg::Vector3D theHitGPos={-999.0,-999.0,-999.0} ; + // so, strips + switch (detType) { + // case TrkObjToString::SCT: + // { // For strips we should use the centre of the strip - this is a bit of a hack - should use detector elements (add above) + // const Amg::Vector3D* tempHitGPos = theSurface.localToGlobal( mb.localParameters() ); + // theHitGPos=*tempHitGPos; + // delete tempHitGPos; + // break; + // } + default: + // shouldn't ever get in here! + // initializations to avoid warnings + theHitGPos[0]=-999.; + theHitGPos[1]=-999.; + theHitGPos[2]=-999.; + break; + } + + theHitTransform->translation.setValue(theHitGPos[0], theHitGPos[1], theHitGPos[2]); + return theHitTransform; +} diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/SimHitHandle_ScintHit.cxx b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/SimHitHandle_ScintHit.cxx new file mode 100644 index 0000000000000000000000000000000000000000..bde3998c6407bf15c88f16c49276368982ed92b5 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/SimHitHandle_ScintHit.cxx @@ -0,0 +1,172 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class SimHitHandle_ScintHit // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: March 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12TrackSystems/SimHitHandle_ScintHit.h" +#include "VP1Base/VP1Msg.h" +#include "VTI12Utils/VP1DetInfo.h" +#include "VTI12Utils/VP1ParticleData.h" + +#include "ScintSimEvent/ScintHit.h" +#include "ScintReadoutGeometry/ScintDetectorElement.h" +#include "ScintReadoutGeometry/VetoDetectorManager.h" +// #include "ScintReadoutGeometry/TriggerDetectorManager.h" +// #include "ScintReadoutGeometry/PreshowerDetectorManager.h" +#include "ScintIdentifier/VetoID.h" +// #include "ScintIdentifier/TriggerID.h" +// #include "ScintIdentifier/PreshowerID.h" +#include "VTI12TrackSystems/VP1TrackSanity.h" + +//____________________________________________________________________ +class SimHitHandle_ScintHit::Imp { +public: + Imp( const ScintHit * h ) : thehit(h),detelem(0) {} + const ScintHit * thehit; + mutable const ScintDD::ScintDetectorElement * detelem; + bool ensureDetElemInit() const; + Amg::Vector3D localToGlobal(const HepGeom::Point3D<double>&) const; +}; + + +//____________________________________________________________________ +SimHitHandle_ScintHit::SimHitHandle_ScintHit(const ScintHit * h) + : SimHitHandleBase(), m_d(new Imp(h)) +{ + if (!h) + VP1Msg::message("SimHitHandle_ScintHit constructor ERROR: Received null hit pointer"); +} + +//____________________________________________________________________ +SimHitHandle_ScintHit::~SimHitHandle_ScintHit() +{ + delete m_d; +} + +//____________________________________________________________________ +bool SimHitHandle_ScintHit::Imp::ensureDetElemInit() const +{ + if (detelem) + return true; + int Station = thehit->getStation(); + //Not needed anymore and spoils stuff for slhc studies: if (Barrel== 1) Barrel = -2;//Found this hack in GeoSiHit. + + if (thehit->isVeto()) { + Identifier id = VP1DetInfo::vetoIDHelper()->plate_id( Station, + thehit->getPlate() ); + //fixme: id is_valid ? + detelem = VP1DetInfo::vetoDetMgr()->getDetectorElement(id); + // } else if (theHit->isTrigger()) { + // Identifier id = VP1DetInfo::triggerIDHelper()->plate_id( Station, + // thehit->getPlate() ); + // //fixme: id is_valid ? + // detelem = VP1DetInfo::triggerDetMgr()->getDetectorElement(id); + // } else if (theHit->isPreshower()) { + // Identifier id = VP1DetInfo::preshowerIDHelper()->plate_id( Station, + // thehit->getPlate() ); + } + //Fixme : Handle case where detelem can not be found gracefully. And check pointers from VP1DetInfo!! + if (!detelem) + VP1Msg::messageDebug("SimHitHandle_ScintHit ERROR: Could not get detector element for hit!"); + return detelem!=0; +} + +//____________________________________________________________________ +//Trk::GlobalMomentum SimHitHandle_SiHit::momentumDirection() const +Amg::Vector3D SimHitHandle_ScintHit::momentumDirection() const +{ + if (VP1Msg::verbose()&&m_d->thehit->localEndPosition()==m_d->thehit->localStartPosition()) + VP1Msg::messageVerbose("SimHitHandle_ScintHit::momentumDirection() ERROR: posStart()==posEnd()"); + return (posEnd()-posStart()).unit(); +} + +//____________________________________________________________________ +Amg::Vector3D SimHitHandle_ScintHit::Imp::localToGlobal( const HepGeom::Point3D<double>& local ) const +{ + if (!ensureDetElemInit()) + return Amg::Vector3D(0,0,0); + return Amg::Vector3D(Amg::EigenTransformToCLHEP(detelem->transformHit()) * local); +} + +//____________________________________________________________________ +Amg::Vector3D SimHitHandle_ScintHit::posStart() const +{ + return m_d->localToGlobal(m_d->thehit->localStartPosition()); +} + +//____________________________________________________________________ +Amg::Vector3D SimHitHandle_ScintHit::posEnd() const +{ + return m_d->localToGlobal(m_d->thehit->localEndPosition()); +} + +//____________________________________________________________________ +double SimHitHandle_ScintHit::hitTime() const +{ + return m_d->thehit->meanTime(); +} + +//____________________________________________________________________ +const HepMcParticleLink& SimHitHandle_ScintHit::particleLink() const +{ + return m_d->thehit->particleLink(); +} + +//____________________________________________________________________ +Trk::TrackParameters * SimHitHandle_ScintHit::createTrackParameters() const +{ + //Find charge and magnitude of momentum: + double c; + if ( !hasCharge() ) { + bool ok; + c = VP1ParticleData::particleCharge(pdg(),ok); + if (!ok) { + VP1Msg::message("SimHitHandle_ScintHit::createTrackParameters ERROR: Could not find particle charge (pdg=" + +QString::number(pdg())+"). Assuming charge=+1."); + c = +1.0; + } else { + if (VP1Msg::verbose()) + VP1Msg::messageVerbose("Looked up particle charge for scintillator simhit with pdg code "+VP1Msg::str(pdg())+": "+VP1Msg::str(c)); + } + const_cast<SimHitHandle_ScintHit*>(this)->setCharge(c); + } else { + c = charge(); + } + + double mom = momentum(); + if (mom<=0) { + VP1Msg::message("SimHitHandle_ScintHit::createTrackParameters ERROR: Unknown momentum. Using 1 GeV"); + mom = 1*CLHEP::GeV; + } + + ////We could in principle get a surface like this: + // if (!m_d->ensureDetElemInit()) { + // VP1Msg::messageDebug("SimHitHandle_SiHit WARNING: Could not get detector element!"); + // return 0; + // } + // const Trk::PlaneSurface * surf + // = dynamic_cast<const Trk::PlaneSurface *>( &(m_d->detelem->surface())); + // if (!surf) { + // VP1Msg::message("SimHitHandle_SiHit::createTrackParameters ERROR: could not get Trk::PlaneSurface"); + // return 0; + // } + ////And then proceed to construct a new AtaPlane parameter with that + ////surface. However, that gives some problems, so instead we simply + ////create a perigee: + + const Amg::Vector3D globpos = posStart(); + +// const Trk::GlobalMomentum u(momentumDirection()); + const Amg::Vector3D u(momentumDirection()); + + return new Trk::Perigee(0, 0, u.phi(), u.theta(), c/mom, globpos); +} diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/SimHitHandle_TrackRecord.cxx b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/SimHitHandle_TrackRecord.cxx new file mode 100644 index 0000000000000000000000000000000000000000..816c08f3ebdc3c3571a0cc549a16d921c6f5ce49 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/SimHitHandle_TrackRecord.cxx @@ -0,0 +1,63 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class SimHitHandle_TrackRecord // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: May 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12TrackSystems/SimHitHandle_TrackRecord.h" +#include "VTI12Utils/VP1ParticleData.h" +#include "VP1Base/VP1Msg.h" + +#include "GeneratorObjects/HepMcParticleLink.h" +#include "TrkSurfaces/PlaneSurface.h" + +#include "TrkParameters/TrackParameters.h" + +//____________________________________________________________________ +SimHitHandle_TrackRecord::SimHitHandle_TrackRecord(const TrackRecord* tr) + : SimHitHandleBase(), + m_trkrecord(const_cast<TrackRecord*>(tr)), + m_mom(m_trkrecord->GetMomentum().mag()), + m_momdir( Amg::Hep3VectorToEigen( m_trkrecord->GetMomentum().unit() ) ), + m_link( new HepMcParticleLink(m_trkrecord->GetBarCode()))//NB: We assume an event index of 0 here!!! +{ +} + +//____________________________________________________________________ +SimHitHandle_TrackRecord::~SimHitHandle_TrackRecord() +{ + delete m_link; +} + +//____________________________________________________________________ +Trk::TrackParameters * SimHitHandle_TrackRecord::createTrackParameters() const +{ + Amg::Transform3D transf = Amg::CLHEPTranslate3DToEigen(HepGeom::Translate3D(m_trkrecord->GetPosition().x(),m_trkrecord->GetPosition().y(),m_trkrecord->GetPosition().z())); + //Surface: + const Trk::PlaneSurface * surf + = new Trk::PlaneSurface( &transf ); + //Fixme: surface and transform ever DELETED?? + + //Fixme: Don't do this in every simhit!!: + bool hasCharge; + double charge; + charge = VP1ParticleData::particleCharge(pdg(),hasCharge); + if (!hasCharge) { + VP1Msg::message("SimHitHandle_TrackRecord::createTrackParameters ERROR: Could not find particle charge (pdg=" + +QString::number(pdg())+"). Assuming charge=+1."); + charge = +1.0; + } else { + if (VP1Msg::verbose()) + VP1Msg::messageVerbose("Looked up particle charge for track record with pdg code "+VP1Msg::str(pdg())+": "+VP1Msg::str(charge)); + } + return new Trk::AtaPlane(posStart(), Amg::Hep3VectorToEigen(m_trkrecord->GetMomentum()),charge,*surf); +} + diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackCollHandleBase.cxx b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackCollHandleBase.cxx new file mode 100644 index 0000000000000000000000000000000000000000..a37d36c151efcfc06c04a37bd879d627c8172e4a --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackCollHandleBase.cxx @@ -0,0 +1,1256 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class TrackCollHandleBase // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: February 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12TrackSystems/TrackCollHandleBase.h" +#include "VTI12TrackSystems/VP1TrackSystem.h" +#include "VTI12TrackSystems/TrackHandleBase.h" +#include "VTI12TrackSystems/TrackSystemController.h" +#include "VTI12TrackSystems/AscObjSelectionManager.h" +#include "VTI12TrackSystems/AscObj_TSOS.h" +#include "VTI12TrackSystems/TrackCollectionSettingsButton.h" + +#include "VP1Base/VP1ExtraSepLayerHelper.h" +#include "VP1Utils/VP1LinAlgUtils.h" +#include "VP1Base/IVP13DSystem.h" +#include "VP1Base/VP1QtInventorUtils.h" +#include "VP1Base/VP1Serialise.h" +#include "VP1Base/VP1Deserialise.h" +#include "VP1Base/VP1CustomTourEditor.h" +#include "VP1Base/VP1Msg.h" + + +#include <Inventor/nodes/SoSeparator.h> +#include <Inventor/nodes/SoMaterial.h> +#include <Inventor/nodes/SoSwitch.h> +#include "Inventor/nodes/SoDrawStyle.h" +#include "Inventor/nodes/SoLightModel.h" + +#include "EventPrimitives/EventPrimitives.h" +#include "GeoPrimitives/GeoPrimitives.h" + +#include <QComboBox> +#include <QTreeWidgetItem> + +#include <qdatetime.h> +#include <vector> + +// #include "VP1TrackSystems/TrackObjectBrowserController.h" + + +//____________________________________________________________________ +class TrackCollHandleBase::Imp { +public: + TrackCollHandleBase * theclass; + QString name; + + //Vector of track handles: + std::vector<TrackHandleBase*> trackhandles; + //For iteration: + std::vector<TrackHandleBase*>::iterator itTrackHandles; + std::vector<TrackHandleBase*>::iterator itTrackHandlesEnd; + + Trk::IExtrapolator * lastUsedPropagator; + bool notifystatesave; + + TrackCommonFlags::TSOSPartsFlags shownTSOSParts; + TrackCommonFlags::TSOSPartsFlags customColouredTSOSParts; + bool tsos_useShortTRTMeasurements; + bool tsos_useShortMDTMeasurements; + bool tsos_drawMeasGlobalPositions; + double tsos_measurementsShorttubesScale; + double tsos_nStdDevForParamErrors; + int tsos_numberOfPointsOnCircles; + double tsos_materialEffectsOnTrackScale; + bool tsos_parTubeErrorsDrawCylinders; + + //Extra widgets: + QComboBox * comboBox_colourby; + + static QString comboBoxEntry_ColourByCollection() { return "Uniform"; } + static QString comboBoxEntry_ColourByRandom() { return "Random"; } + static QString comboBoxEntry_ColourByMomentum() { return "Mom."; } + static QString comboBoxEntry_ColourByCharge() { return "Charge"; } + static QString comboBoxEntry_ColourByPID() { return "PID"; } + static QString comboBoxEntry_ColourByDistanceFromSelectedTrack() { return "Dist. Sel."; } + static QString comboBoxEntry_ColourByVertex() { return "Vertex"; } + + QTreeWidgetItem* objBrowseTree; + TrackCollectionSettingsButton * matButton; + bool last_useDefaultCuts; +}; + + + +//____________________________________________________________________ +TrackCollHandleBase::TrackCollHandleBase( TrackSysCommonData * cd, + const QString& name, + TrackType::Type type) + : VP1StdCollection(cd->system(),"TrackCollHandle_"+TrackType::typeToString(type)+"_"+name), m_d(new Imp), + m_nshownhandles(0), m_type(type), + m_commonData(cd), + m_sephelper(0), + m_propagator(0), + m_propagationOptions(TrackSystemController::NoPropOptions), + m_propMaxRadius(0.0), + m_parts(TrackCommonFlags::NoParts), + m_labels(TrackSystemController::NoLabels), m_labelsTrkOffset(0.0), + m_trackTubeRadius(0.0), + m_colourby(COLOUR_PERCOLLECTION), + m_cut_allowedPtSq(VP1Interval()), + m_cut_allowedEta(VP1Interval()), + m_cut_allowedPhi(QList<VP1Interval>()), + m_cut_requiredNHits(QList<unsigned>()), + m_cut_pt_allowall(false), + m_cut_eta_allowall(false), + m_cut_phi_allowall(false), + m_cut_etaptphi_allwillfail(true) +{ + m_d->theclass = this; + m_d->name = name; + m_d->lastUsedPropagator = 0; + m_d->notifystatesave = false; + m_d->shownTSOSParts = TrackCommonFlags::TSOS_NoObjects; + m_d->customColouredTSOSParts = TrackCommonFlags::TSOS_NoObjects; + //Fixme: to avoid double work on startup, these should have the same + //values here as the controller defaults: + m_d->tsos_useShortTRTMeasurements = true; + m_d->tsos_useShortMDTMeasurements = true; + m_d->tsos_drawMeasGlobalPositions = false; + m_d->tsos_measurementsShorttubesScale = 2.0; + m_d->tsos_nStdDevForParamErrors = false; + m_d->tsos_numberOfPointsOnCircles = 12; + m_d->tsos_materialEffectsOnTrackScale = 2.0; + m_d->tsos_parTubeErrorsDrawCylinders = false; + + m_d->comboBox_colourby = new QComboBox; + m_d->objBrowseTree = 0; + m_d->matButton=0; +} + +//____________________________________________________________________ +void TrackCollHandleBase::init(VP1MaterialButtonBase*) +{ + m_d->matButton = new TrackCollectionSettingsButton; + m_d->matButton->setText(text()); + VP1StdCollection::init(m_d->matButton);//this call is required. Passing in TrackCollectionSettingsButton means we have the more complex button. + + setupSettingsFromController(common()->controller()); + + //Setup colour by: + m_d->comboBox_colourby->setToolTip("Determine how tracks from this collection are coloured.\n The 'Dist. Sel.' option means the tracks will be coloured by distance from the last selected track. "); + QStringList l; + l << Imp::comboBoxEntry_ColourByCollection(); + l << Imp::comboBoxEntry_ColourByRandom(); + if (allowColourByPID()) + l << Imp::comboBoxEntry_ColourByPID(); + if (allowColourByMomentum()) + l << Imp::comboBoxEntry_ColourByMomentum(); + if (allowColourByCharge()) + l << Imp::comboBoxEntry_ColourByCharge(); + if (allowColourByDistanceFromSelectedTrack()) + l << Imp::comboBoxEntry_ColourByDistanceFromSelectedTrack(); + if (allowColourByVertex()) { + // messageVerbose("Allow colour by vertex!"); + l << Imp::comboBoxEntry_ColourByVertex(); + } + m_d->comboBox_colourby->addItems(l); + m_d->comboBox_colourby->setCurrentIndex(0);//corresponds to per collection. + connect(m_d->comboBox_colourby,SIGNAL(currentIndexChanged(int)), + this,SLOT(colourByComboBoxItemChanged())); + + connect(this,SIGNAL(visibilityChanged(bool)),this,SLOT(collVisibilityChanged(bool))); + setColourBy(defaultColourBy()); + + // add stuff to control per collection settings. + collSwitch()->addChild(m_d->matButton->trackLightModel()); + collSwitch()->addChild(m_d->matButton->trackDrawStyle()); +} + +//____________________________________________________________________ +TrackCollHandleBase::~TrackCollHandleBase() +{ + messageVerbose("destructor start"); + cleanupPtrContainer(m_d->trackhandles); + if (m_sephelper) { + SoSeparator * sep = m_sephelper->topSeparator(); + sep->ref(); + delete m_sephelper; + sep->unref(); + } + delete m_d; + messageVerbose("destructor end"); +} + +//____________________________________________________________________ +void TrackCollHandleBase::setupSettingsFromController(TrackSystemController* controller) +{ + messageVerbose("setupSettingsFromController start"); + + assert(controller); + largeChangesBegin(); + + connect(controller->customTourEditor(),SIGNAL(clipVolumeRadiusChanged(double)),this,SLOT(clipVolumeChanged(double))); + + connect(controller,SIGNAL(propagatorChanged(Trk::IExtrapolator *)),this,SLOT(setPropagator(Trk::IExtrapolator *))); + setPropagator(controller->propagator()); + + connect(controller,SIGNAL(propagationOptionsChanged(TrackSystemController::PropagationOptionFlags)),this,SLOT(setPropagationOptions(TrackSystemController::PropagationOptionFlags))); + setPropagationOptions(controller->propagationOptions()); + + connect(controller,SIGNAL(propMaxRadiusChanged(float)),this,SLOT(setPropMaxRadius(float))); + setPropMaxRadius(controller->propMaxRadius()); + + // Doing this in a slightly different way to avoid making lots of new stuff in controller. + connect(controller,SIGNAL(extrapolateToThisVolumeChanged(void)),this,SLOT(extrapolateToThisVolumeChanged(void))); + + connect(controller,SIGNAL(shownTrackPartsChanged(TrackCommonFlags::TrackPartsFlags)),this,SLOT(setParts(TrackCommonFlags::TrackPartsFlags))); + connect(m_d->matButton,SIGNAL(hideActualTrackPathChanged(bool)),this,SLOT(setActualPathShown(bool))); + setParts(controller->shownTrackParts()); + + connect(controller,SIGNAL(vertexProjectionAngleChanged(int)),this,SLOT(setParts(int))); + setParts(controller->vertexProjectionAngle()); + + // connect(controller,SIGNAL(trackTubeRadiusChanged(const double&)),this,SLOT(setTrackTubeRadius(const double&))); + connect(m_d->matButton,SIGNAL(trackTubeRadiusChanged(const double&)),this,SLOT(setTrackTubeRadius(const double&))); + setTrackTubeRadius(m_d->matButton->trackTubeRadius()); + + connect(controller,SIGNAL(rerandomise()),this,SLOT(rerandomiseRandomTrackColours())); + + connect(common()->system(),SIGNAL(newTrackSelected( const TrackHandleBase&)),this,SLOT(trackSelectionChanged())); + + //cuts + connect(m_d->matButton,SIGNAL(useDefaultCutsChanged(bool)),this,SLOT(setUseDefaultCuts(bool))); + setUseDefaultCuts(m_d->matButton->useDefaultCuts()); + + connect(controller,SIGNAL(cutAllowedPtChanged(const VP1Interval&)),this,SLOT(setCutAllowedPt(const VP1Interval&))); + connect(m_d->matButton,SIGNAL(cutAllowedPtChanged(const VP1Interval&)),this,SLOT(setCutAllowedPt(const VP1Interval&))); + setCutAllowedPt(useDefaultCuts()?controller->cutAllowedPt():m_d->matButton->cutAllowedPt()); + + connect(controller,SIGNAL(cutAllowedEtaChanged(const VP1Interval&)),this,SLOT(setCutAllowedEta(const VP1Interval&))); + connect(m_d->matButton,SIGNAL(cutAllowedEtaChanged(const VP1Interval&)),this,SLOT(setCutAllowedEta(const VP1Interval&))); + setCutAllowedEta(useDefaultCuts()?controller->cutAllowedEta():m_d->matButton->cutAllowedEta()); + + connect(controller,SIGNAL(cutAllowedPhiChanged(const QList<VP1Interval>&)),this,SLOT(setCutAllowedPhi(const QList<VP1Interval>&))); + connect(m_d->matButton,SIGNAL(cutAllowedPhiChanged(const QList<VP1Interval>&)),this,SLOT(setCutAllowedPhi(const QList<VP1Interval>&))); + setCutAllowedPhi(useDefaultCuts()?controller->cutAllowedPhi():m_d->matButton->cutAllowedPhi()); + + connect(controller,SIGNAL(cutRequiredNHitsChanged(const QList<unsigned>&)),this,SLOT(setRequiredNHits(const QList<unsigned>&))); + connect(m_d->matButton,SIGNAL(cutRequiredNHitsChanged(const QList<unsigned>&)),this,SLOT(setRequiredNHits(const QList<unsigned>&))); + setRequiredNHits(useDefaultCuts()?controller->cutRequiredNHits():m_d->matButton->cutRequiredNHits()); + + connect(controller,SIGNAL(cutOnlyVertexAssocTracksChanged(bool)),this,SLOT(setOnlyVertexAssocTracks(bool))); + connect(m_d->matButton,SIGNAL(cutOnlyVertexAssocTracksChanged(bool)),this,SLOT(setOnlyVertexAssocTracks(bool))); + setOnlyVertexAssocTracks(useDefaultCuts()?controller->cutOnlyVertexAssocTracks():m_d->matButton->cutOnlyVertexAssocTracks()); + + connect(controller,SIGNAL(customColouredTSOSPartsChanged(TrackCommonFlags::TSOSPartsFlags)), + this,SLOT(setCustomColouredTSOSParts(TrackCommonFlags::TSOSPartsFlags))); + setCustomColouredTSOSParts(controller->customColouredTSOSParts()); + + connect(controller,SIGNAL(drawMeasGlobalPositionsChanged(bool)),this,SLOT(setDrawMeasGlobalPositions(bool))); + setDrawMeasGlobalPositions(controller->drawMeasGlobalPositions()); + + connect(controller,SIGNAL(measurementsShorttubesScaleChanged(double)),this,SLOT(setMeasurementsShorttubesScale(double))); + setMeasurementsShorttubesScale(controller->measurementsShorttubesScale()); + + connect(controller,SIGNAL(nStdDevForParamErrorsChanged(const double&)),this,SLOT(setNStdDevForParamErrors(const double&))); + setNStdDevForParamErrors(controller->nStdDevForParamErrors()); + + connect(controller,SIGNAL(numberOfPointsOnCirclesChanged(int)),this,SLOT(setNumberOfPointsOnCircles(int))); + setNumberOfPointsOnCircles(controller->numberOfPointsOnCircles()); + + connect(controller,SIGNAL(materialEffectsOnTrackScaleChanged(double)),this,SLOT(setMaterialEffectsOnTrackScale(double))); + setMaterialEffectsOnTrackScale(controller->materialEffectsOnTrackScale()); + + connect(controller,SIGNAL(parTubeErrorsDrawCylindersChanged(bool)),this,SLOT(setParTubeErrorsDrawCylinders(bool))); + setParTubeErrorsDrawCylinders(controller->parTubeErrorsDrawCylinders()); + + connect(controller,SIGNAL(shownTSOSPartsChanged(TrackCommonFlags::TSOSPartsFlags)), + this,SLOT(setShownTSOSParts(TrackCommonFlags::TSOSPartsFlags))); + setShownTSOSParts(controller->shownTSOSParts()); + + connect(controller,SIGNAL(customColouredTSOSPartsChanged(TrackCommonFlags::TSOSPartsFlags)), + this,SLOT(setCustomColouredTSOSParts(TrackCommonFlags::TSOSPartsFlags))); + setCustomColouredTSOSParts(controller->customColouredTSOSParts()); + + connect(controller,SIGNAL(trackLabelsChanged(TrackSystemController::TrackLabelModes)),this,SLOT(setLabels(TrackSystemController::TrackLabelModes))); + connect(controller,SIGNAL(trackLabelTrkOffsetChanged(float)),this,SLOT(setLabelTrkOffset(float))); + connect(controller,SIGNAL(trackLabelPosOffsetChanged(QList<int>)),this,SLOT(setLabelPosOffsets(QList<int>))); + setLabels(controller->trackLabels()); + + setupSettingsFromControllerSpecific(controller); + + largeChangesEnd(); + messageVerbose("setupSettingsFromController end"); + +} + +//____________________________________________________________________ +QString TrackCollHandleBase::name() const +{ + return m_d->name; +} + +//____________________________________________________________________ +bool TrackCollHandleBase::cut(TrackHandleBase* handle) +{ + // if (m_cut_etaptphi_allwillfail) + // return false; + + // messageVerbose("TrackCollHandleBase::cut - checking hit cuts."); + // if (mightHaveSubSystemHitInfo()&&!m_cut_requiredNHits.isEmpty()&&handle->hasSubSystemHitInfo()) { + // assert(m_cut_requiredNHits.count()==4); + // // Only apply ID cuts to tracks which have ID hits (so ID only and combined muons) + // if (handle->isIDTrack()){ + // if (handle->getNPixelHits()<m_cut_requiredNHits[0]) return false; + // if (handle->getNSCTHits()<m_cut_requiredNHits[1]) return false; + // if (handle->getNTRTHits()<m_cut_requiredNHits[2]) return false; + // } + // } + + if (!m_cut_pt_allowall||!m_cut_eta_allowall||!m_cut_phi_allowall) + { +// Trk::GlobalMomentum mom(handle->momentum()); + Amg::Vector3D mom(handle->momentum()); + + // convention is that if interval is real and negative, then P cut rather than pT + bool isPCut = (!m_cut_allowedPtSq.noLowerBound() && m_cut_allowedPtSq.lower()<=0) + || (!m_cut_allowedPtSq.noUpperBound() && m_cut_allowedPtSq.upper()<=0); + + if (mom.mag2()!=0.0) { + if (!m_cut_pt_allowall&&!isPCut && !m_cut_allowedPtSq.contains(mom.perp2())) + return false; + if (!m_cut_pt_allowall&& isPCut && !m_cut_allowedPtSq.contains(-mom.mag2())) + return false; + +// if (!m_cut_eta_allowall&&!m_cut_allowedEta.contains(mom.pseudoRapidity())){ + if (!m_cut_eta_allowall&&!m_cut_allowedEta.contains(mom.eta())){ // migration to Amg (Eigen) + return false; + } + if (!m_cut_phi_allowall) { + double phi = VP1LinAlgUtils::phiFromXY(mom.x(), mom.y() ); + bool ok(false); + foreach (VP1Interval phirange, m_cut_allowedPhi) { + if (phirange.contains(phi)||phirange.contains(phi+2*M_PI)||phirange.contains(phi-2*M_PI)) { + ok = true; + break; + } + } + if (!ok) + return false; + } + } + } + + if (cutOnlyVertexAssocTracks()){ + // std::cout<<"cutOnlyVertexAssocTracks: "<<handle<<",\t: "<<common()->system()->materialFromVertex(handle)<<std::endl; + return common()->system()->materialFromVertex(handle)!=0; // return false if no vertex material associated to this track + } + + return true; +} + +//____________________________________________________________________ +void TrackCollHandleBase::recheckCutStatus(TrackHandleBase* handle) +{ + handle->setVisible( visible() && cut(handle)); +} + +//____________________________________________________________________ +void TrackCollHandleBase::recheckCutStatusOfAllVisibleHandles() +{ + if (!isLoaded()) + return; + + //This method is called when a cut is tightened - thus we better start by deselectAll to avoid weird highlighting issues. + common()->system()->deselectAll(); + + largeChangesBegin(); + std::vector<TrackHandleBase*>::iterator it(m_d->trackhandles.begin()),itE(m_d->trackhandles.end()); + for (;it!=itE;++it) { + if ((*it)->visible()) + recheckCutStatus(*it); + } + updateObjectBrowserVisibilityCounts(); + largeChangesEnd(); + + message("recheckCutStatusOfAllVisibleHandles: "+str(nShownHandles())+"/"+str(m_d->trackhandles.size())+" pass cuts"); +} + +//____________________________________________________________________ +void TrackCollHandleBase::recheckCutStatusOfAllNotVisibleHandles() +{ + if (!isLoaded()) + return; + + largeChangesBegin(); + std::vector<TrackHandleBase*>::iterator it(m_d->trackhandles.begin()),itE(m_d->trackhandles.end()); + for (;it!=itE;++it) { + if (!(*it)->visible()) + recheckCutStatus(*it); + } + updateObjectBrowserVisibilityCounts(); + largeChangesEnd(); + + message("recheckCutStatusOfAllNotVisibleHandles: "+str(nShownHandles())+"/"+str(m_d->trackhandles.size())+" pass cuts"); +} + +//____________________________________________________________________ +void TrackCollHandleBase::recheckCutStatusOfAllHandles() +{ + if (!isLoaded()) + return; + largeChangesBegin(); + std::vector<TrackHandleBase*>::iterator it(m_d->trackhandles.begin()),itE(m_d->trackhandles.end()); + for (;it!=itE;++it) + recheckCutStatus(*it); + updateObjectBrowserVisibilityCounts(); + largeChangesEnd(); + + message("recheckCutStatusOfAllHandles: "+str(nShownHandles())+"/"+str(m_d->trackhandles.size())+" pass cuts"); +} + +//____________________________________________________________________ +void TrackCollHandleBase::update3DObjectsOfAllHandles(bool invalidatePropagatedPoints, float maxR ) +{ + if (!isLoaded()) + return; + if (VP1Msg::verbose()) + messageVerbose("update3DObjectsOfAllHandles start (" + "invalidatePropagatedPoints = " + +str(invalidatePropagatedPoints)+")"); + largeChangesBegin(); + std::vector<TrackHandleBase*>::iterator it(m_d->trackhandles.begin()),itE(m_d->trackhandles.end()); + for (;it!=itE;++it) + (*it)->update3DObjects(invalidatePropagatedPoints, maxR); + largeChangesEnd(); + messageVerbose("update3DObjectsOfAllHandles end"); +} + + + +// //____________________________________________________________________ +// void TrackCollHandleBase::updateInDetProjectionsOfAllHandles() +// { +// if (!isLoaded()) +// return; +// messageVerbose("updateInDetProjectionsOfAllHandles start"); +// largeChangesBegin(); +// std::vector<TrackHandleBase*>::iterator it(m_d->trackhandles.begin()),itE(m_d->trackhandles.end()); +// for (;it!=itE;++it) +// (*it)->updateInDetProjections(); +// largeChangesEnd(); +// messageVerbose("updateInDetProjectionsOfAllHandles end"); + +// } + +//____________________________________________________________________ +void TrackCollHandleBase::updateMaterialOfAllHandles() +{ + if (!isLoaded()) + return; + messageVerbose("updateMaterialOfAllHandles start"); + largeChangesBegin(); + std::vector<TrackHandleBase*>::iterator it(m_d->trackhandles.begin()),itE(m_d->trackhandles.end()); + for (;it!=itE;++it) + (*it)->updateMaterial(); + largeChangesEnd(); + messageVerbose("updateMaterialOfAllHandles end"); +} + +//____________________________________________________________________ +void TrackCollHandleBase::hintNumberOfTracksInEvent(unsigned n) +{ + m_d->trackhandles.reserve(n); +} + +//____________________________________________________________________ +void TrackCollHandleBase::addTrackHandle(TrackHandleBase* handle) +{ + m_d->trackhandles.push_back(handle); +} + +//____________________________________________________________________ +void TrackCollHandleBase::setPropagator( Trk::IExtrapolator * p) +{ + bool ignoreMEOT = common()->controller()->ignoreMeasurementEffectsOnTrackInProp(); + messageVerbose("setPropagator ("+str(p)+") "+ (ignoreMEOT?str("ignoring MEOT"):str("using MEOT")) ); + if (m_propagator==p) + return; + messageVerbose("setPropagator ==> Changed"); + m_propagator=p; + bool mustUpdatePropagatedPoints = (p && m_d->lastUsedPropagator!=p); + update3DObjectsOfAllHandles(mustUpdatePropagatedPoints); + if (p) + m_d->lastUsedPropagator = p; +} + +void TrackCollHandleBase::setPropagationOptions( TrackSystemController::PropagationOptionFlags options){ + messageVerbose("setPropagationOptions ==> Changed"); + m_propagationOptions=options; + update3DObjectsOfAllHandles(true); +} + +void TrackCollHandleBase::setPropMaxRadius( float radius){ + messageVerbose("setPropMaxRadius ==> Changed to "+str(radius)); + m_propMaxRadius=radius; + update3DObjectsOfAllHandles(true, radius); +} + +void TrackCollHandleBase::extrapolateToThisVolumeChanged(void){ + messageVerbose("extrapolateToThisVolume ==> Changed"); + update3DObjectsOfAllHandles(true); +} + +void TrackCollHandleBase::clipVolumeChanged(double radius){ + messageVerbose("clipVolumeChanged ==> Changed"); + update3DObjectsOfAllHandles(false, radius); +} + +//____________________________________________________________________ +void TrackCollHandleBase::setParts( TrackCommonFlags::TrackPartsFlags parts ) +{ + messageVerbose("setParts called"); + if (m_parts==parts) + return; + messageVerbose("setParts ==> Changed"); + m_parts = parts; + update3DObjectsOfAllHandles(); +} + +//____________________________________________________________________ +void TrackCollHandleBase::setParts( int angle) +{ + messageVerbose("setParts(int) called with angle="+str(angle)); + //bit of a hack this- didn't want to make entire new machinery just to track angle. + // FIXME + update3DObjectsOfAllHandles(true); +} + +//____________________________________________________________________ +void TrackCollHandleBase::setActualPathShown( bool hide) +{ + messageVerbose("setActualPathShown(bool) called with hide="+str(hide)); + + TrackCommonFlags::TrackPartsFlags parts = m_parts; + if (hide) parts &= ~TrackCommonFlags::ActualPath; + else parts |= TrackCommonFlags::ActualPath; + setParts(parts); +} + +//____________________________________________________________________ +void TrackCollHandleBase::setLabels( TrackSystemController::TrackLabelModes labels ) +{ + messageVerbose("setLabels called"); + if (m_labels==labels) + return; + messageVerbose("setLabels ==> Changed"); + m_labels = labels; + update3DObjectsOfAllHandles(); +} + +//____________________________________________________________________ +void TrackCollHandleBase::setLabelTrkOffset( float offset) +{ + messageVerbose("setLabelTrkOffset called"); + if (m_labelsTrkOffset==offset) + return; + messageVerbose("setLabelTrkOffset ==> Changed to "+QString::number(offset)); + m_labelsTrkOffset = offset; + update3DObjectsOfAllHandles(); +} + +//____________________________________________________________________ +void TrackCollHandleBase::setLabelPosOffsets( QList<int> offsets) +{ + messageVerbose("setLabelPosOffsets called"); + if (m_labelsPosOffsets==offsets) + return; + messageVerbose("setLabelPosOffsets ==> Changed"); + m_labelsPosOffsets = offsets; + update3DObjectsOfAllHandles(); +} + +//____________________________________________________________________ +void TrackCollHandleBase::setTrackTubeRadius(const double& r) +{ + messageVerbose("setTrackTubeRadius called"); + if (m_trackTubeRadius==r) + return; + m_trackTubeRadius=r; + messageVerbose("setTrackTubeRadius ==> Changed"); + update3DObjectsOfAllHandles(); +} + +//____________________________________________________________________ +void TrackCollHandleBase::setColourBy( TrackCollHandleBase::COLOURBY cb ) +{ + messageVerbose("setColourBy called"); + if (m_colourby==cb) + return; + messageVerbose("setColourBy ==> Changed"); + m_colourby=cb; + + //Update gui combobox: + QString targetText; + switch(cb) { + case COLOUR_BYPID: + targetText = Imp::comboBoxEntry_ColourByPID(); + break; + case COLOUR_RANDOM: + targetText = Imp::comboBoxEntry_ColourByRandom(); + break; + case COLOUR_MOMENTUM: + targetText = Imp::comboBoxEntry_ColourByMomentum(); + break; + case COLOUR_CHARGE: + targetText = Imp::comboBoxEntry_ColourByCharge(); + break; + case COLOUR_DISTANCE: + targetText = Imp::comboBoxEntry_ColourByDistanceFromSelectedTrack(); + break; + case COLOUR_VERTEX: + targetText = Imp::comboBoxEntry_ColourByVertex(); + break; + default: + case COLOUR_PERCOLLECTION: + targetText = Imp::comboBoxEntry_ColourByCollection(); + break; + } + if (targetText!=m_d->comboBox_colourby->currentText()) { + int i = m_d->comboBox_colourby->findText(targetText); + if (i>=0&&i<m_d->comboBox_colourby->count()) { + bool save = m_d->comboBox_colourby->blockSignals(true); + m_d->comboBox_colourby->setCurrentIndex(i); + m_d->comboBox_colourby->blockSignals(save); + } else { + message("ERROR: Problems finding correct text in combo box"); + } + } + + //Actual material updates: + largeChangesBegin(); + m_commonData->system()->deselectAll();//Todo: Reselect the selected track handles + //afterwards (collhandles should know selected handles) + updateMaterialOfAllHandles(); + largeChangesEnd(); + +} + +//____________________________________________________________________ +void TrackCollHandleBase::rerandomiseRandomTrackColours() +{ + if (!isLoaded()) + return; + messageVerbose("rerandomiseRandomTrackColours start"); + largeChangesBegin(); + std::vector<TrackHandleBase*>::iterator it(m_d->trackhandles.begin()),itE(m_d->trackhandles.end()); + for (;it!=itE;++it) + (*it)->rerandomiseRandomMaterial(); + largeChangesEnd(); + messageVerbose("rerandomiseRandomTrackColours end"); +} + +//____________________________________________________________________ +void TrackCollHandleBase::trackSelectionChanged() +{ + if (!isLoaded() || colourBy()!= COLOUR_DISTANCE) + return; + messageVerbose("trackSelectionChanged start"); + largeChangesBegin(); + std::vector<TrackHandleBase*>::iterator it(m_d->trackhandles.begin()),itE(m_d->trackhandles.end()); + for (;it!=itE;++it) + (*it)->updateMaterial(); + largeChangesEnd(); + messageVerbose("trackSelectionChanged end"); +} + +//____________________________________________________________________ +void TrackCollHandleBase::trackHandleIterationBegin() +{ + m_d->itTrackHandles = m_d->trackhandles.begin(); + m_d->itTrackHandlesEnd = m_d->trackhandles.end(); +} + +//____________________________________________________________________ +TrackHandleBase* TrackCollHandleBase::getNextTrackHandle() { + if (m_d->itTrackHandles==m_d->itTrackHandlesEnd) + return 0; + else + return *(m_d->itTrackHandles++); +} + + +void TrackCollHandleBase::setUseDefaultCuts(bool useDefaults){ + if (m_d->last_useDefaultCuts==useDefaults) return; + messageVerbose("setUseDefaultCuts changed to "+str(useDefaults)+"- rechecking all handles"); + // recheckCutStatusOfAllHandles(); + + setCutAllowedPt(useDefaultCuts()? common()->controller()->cutAllowedPt():m_d->matButton->cutAllowedPt()); + setCutAllowedEta(useDefaultCuts()?common()->controller()->cutAllowedEta():m_d->matButton->cutAllowedEta()); + setCutAllowedPhi(useDefaultCuts()?common()->controller()->cutAllowedPhi():m_d->matButton->cutAllowedPhi()); + setRequiredNHits(useDefaultCuts()?common()->controller()->cutRequiredNHits():m_d->matButton->cutRequiredNHits()); + setOnlyVertexAssocTracks(useDefaultCuts()?common()->controller()->cutOnlyVertexAssocTracks():m_d->matButton->cutOnlyVertexAssocTracks()); +} + +//____________________________________________________________________ +void TrackCollHandleBase::setCutAllowedPt(const VP1Interval& allowedpt) +{ + if (!allowedpt.isSane()) + return; + + //why do we need to do this? Why does it matter if it's negative? + //double minptsq = allowedpt.lower() <= 0.0 ? -std::numeric_limits<double>::infinity() : allowedpt.lower()*allowedpt.lower(); + //VP1Interval allowedptsq(minptsq,allowedpt.upper()*allowedpt.upper()); + + //Modified code from EJWM + double signMin = allowedpt.lower()<0.0 ? -1.0 : 1.0; + double signMax = allowedpt.upper()<0.0 ? -1.0 : 1.0; + double minptsq = allowedpt.lower() == -std::numeric_limits<double>::infinity() ? -std::numeric_limits<double>::infinity() : signMin*(allowedpt.lower()*allowedpt.lower()); + double maxptsq = allowedpt.upper() == std::numeric_limits<double>::infinity() ? std::numeric_limits<double>::infinity() : signMax*(allowedpt.upper()*allowedpt.upper()); + + VP1Interval allowedptsq(minptsq,maxptsq); + // std::cout<<"allowedptsq:isAllR"<<allowedptsq.isAllR()<<std::endl; + // std::cout<<"allowedptsq.isEmpty()"<<allowedptsq.isEmpty()<<std::endl; + + + if (m_cut_allowedPtSq==allowedptsq) + return; + m_cut_pt_allowall = allowedptsq.isAllR(); + m_cut_etaptphi_allwillfail = allowedptsq.isEmpty() || m_cut_allowedEta.isEmpty() || m_cut_allowedPhi.isEmpty(); + + if (!m_cut_allowedPtSq.contains(allowedptsq)&&!allowedptsq.contains(m_cut_allowedPtSq)) { + m_cut_allowedPtSq = allowedptsq; + recheckCutStatusOfAllHandles(); + return; + } + bool relaxcut = allowedptsq.contains(m_cut_allowedPtSq); + m_cut_allowedPtSq = allowedptsq; + if (relaxcut) + recheckCutStatusOfAllNotVisibleHandles(); + else + recheckCutStatusOfAllVisibleHandles(); +} + +//____________________________________________________________________ +void TrackCollHandleBase::setCutAllowedEta(const VP1Interval& allowedEta) +{ + messageVerbose("signal received in setCutAllowedEta ("+allowedEta.toString()+")"); + if (!allowedEta.isSane()) + return; + + if (m_cut_allowedEta==allowedEta) + return; + m_cut_eta_allowall = allowedEta.isAllR(); + m_cut_etaptphi_allwillfail = allowedEta.isEmpty() || m_cut_allowedPtSq.isEmpty() || m_cut_allowedPhi.isEmpty(); + + if (!m_cut_allowedEta.contains(allowedEta)&&!allowedEta.contains(m_cut_allowedEta)) { + m_cut_allowedEta = allowedEta; + recheckCutStatusOfAllHandles(); + return; + } + bool relaxcut = allowedEta.contains(m_cut_allowedEta); + m_cut_allowedEta = allowedEta; + if (relaxcut) + recheckCutStatusOfAllNotVisibleHandles(); + else + recheckCutStatusOfAllVisibleHandles(); +} + +//____________________________________________________________________ +void TrackCollHandleBase::setCutAllowedPhi(const QList<VP1Interval>& allowedPhi) +{ + messageVerbose("signal received in setCutAllowedPhi."); + + if (m_cut_allowedPhi==allowedPhi) + return; + m_cut_allowedPhi = allowedPhi; + + m_cut_phi_allowall = m_cut_allowedPhi.count()==1 && m_cut_allowedPhi.at(0).isAllR(); + m_cut_etaptphi_allwillfail = m_cut_allowedPhi.isEmpty() || m_cut_allowedPtSq.isEmpty() || m_cut_allowedEta.isEmpty(); + + if (m_cut_phi_allowall) { + recheckCutStatusOfAllNotVisibleHandles(); + return; + } + if (m_cut_etaptphi_allwillfail) { + recheckCutStatusOfAllVisibleHandles(); + return; + } + recheckCutStatusOfAllHandles(); + return; +} + +//____________________________________________________________________ +void TrackCollHandleBase::setRequiredNHits(const QList<unsigned>& l) +{ + if (!mightHaveSubSystemHitInfo()) + return;//never deal with this... + if (m_cut_requiredNHits==l) + return; + + //A bit complex to figure out if the cut change is pure relaxation or tightening: + bool relaxed(false),tightened(false); + if (m_cut_requiredNHits.isEmpty()) { + relaxed = false; + tightened = true; + } else { + if (l.isEmpty()) { + relaxed = true; + tightened = false; + } else { + assert(l.count()==m_cut_requiredNHits.count()); + relaxed = false; + tightened = false; + for (int i=0;i<l.count();++i) { + if (m_cut_requiredNHits[i]>l[i]) + relaxed=true; + else if (m_cut_requiredNHits[i]<l[i]) + tightened = true; + } + } + } + assert(relaxed||tightened); + m_cut_requiredNHits=l; + if (relaxed&&tightened) { + recheckCutStatusOfAllHandles(); + } else { + if (relaxed) + recheckCutStatusOfAllNotVisibleHandles(); + else + recheckCutStatusOfAllVisibleHandles(); + } +} + +//____________________________________________________________________ +void TrackCollHandleBase::setOnlyVertexAssocTracks(bool b){ + messageVerbose("setOnlyVertexAssocTracks changed to "+str(b)); + + if (b) + recheckCutStatusOfAllVisibleHandles(); + else + recheckCutStatusOfAllNotVisibleHandles(); +} + +//____________________________________________________________________ +void TrackCollHandleBase::actualSetCustomColouredTSOSPartsOnHandles() +{ + largeChangesBegin(); + trackHandleIterationBegin(); + TrackHandleBase* handle; + while ((handle=getNextTrackHandle())) + handle->setCustomColouredTSOSParts(m_d->customColouredTSOSParts); + largeChangesEnd(); +} + +//____________________________________________________________________ +void TrackCollHandleBase::actualSetShownTSOSPartsOnHandles() +{ + largeChangesBegin(); + trackHandleIterationBegin(); + TrackHandleBase* handle; + while ((handle=getNextTrackHandle())) + handle->setShownTSOSParts(m_d->shownTSOSParts); + largeChangesEnd(); + + fillObjectBrowser(); // FIXME! Probably not the right place to call this +} + +//____________________________________________________________________ +void TrackCollHandleBase::setShownTSOSParts(TrackCommonFlags::TSOSPartsFlags f) +{ + if (m_d->shownTSOSParts==f) + return; + m_d->shownTSOSParts=f; + if (visible()) messageVerbose("shown TSOS parts changed to "+str(f)); + actualSetShownTSOSPartsOnHandles(); +} + + +//____________________________________________________________________ +void TrackCollHandleBase::setCustomColouredTSOSParts(TrackCommonFlags::TSOSPartsFlags f) +{ + if (m_d->customColouredTSOSParts==f) + return; + m_d->customColouredTSOSParts=f; + if (visible()) messageVerbose("custom coloured TSOS parts changed to "+str(f)); + actualSetCustomColouredTSOSPartsOnHandles(); +} + +//____________________________________________________________________ +void TrackCollHandleBase::setUseShortTRTMeasurements(bool b) +{ + if (m_d->tsos_useShortTRTMeasurements==b) + return; + m_d->tsos_useShortTRTMeasurements=b; + largeChangesBegin(); + trackHandleIterationBegin(); + TrackHandleBase* handle; + while ((handle=getNextTrackHandle())) + handle->updateShapes_TSOSWithMeasurements(); + largeChangesEnd(); +} + + +//____________________________________________________________________ +void TrackCollHandleBase::setUseShortMDTMeasurements(bool b) +{ + if (m_d->tsos_useShortMDTMeasurements==b) + return; + m_d->tsos_useShortMDTMeasurements=b; + largeChangesBegin(); + trackHandleIterationBegin(); + TrackHandleBase* handle; + while ((handle=getNextTrackHandle())) + handle->updateShapes_TSOSWithMeasurements(); + largeChangesEnd(); +} + +//____________________________________________________________________ +void TrackCollHandleBase::setDrawMeasGlobalPositions(bool b) +{ + // if (visible()) messageVerbose("TrackCollHandleBase::setDrawMeasGlobalPositions => "+str(b)); + + if (m_d->tsos_drawMeasGlobalPositions==b) + return; + m_d->tsos_drawMeasGlobalPositions=b; + + largeChangesBegin(); + trackHandleIterationBegin(); + TrackHandleBase* handle; + while ((handle=getNextTrackHandle())) + handle->updateShapes_TSOSWithMeasurements(); + largeChangesEnd(); +} + +//____________________________________________________________________ +void TrackCollHandleBase::setMeasurementsShorttubesScale(double n) +{ + if (m_d->tsos_measurementsShorttubesScale==n) + return; + m_d->tsos_useShortMDTMeasurements=n; + largeChangesBegin(); + trackHandleIterationBegin(); + TrackHandleBase* handle; + while ((handle=getNextTrackHandle())) + handle->updateShapes_TSOSWithMeasurements(); + largeChangesEnd(); +} + +//____________________________________________________________________ +void TrackCollHandleBase::setNStdDevForParamErrors(const double& nstddev) +{ + if (m_d->tsos_nStdDevForParamErrors==nstddev) + return; + m_d->tsos_nStdDevForParamErrors=nstddev; + largeChangesBegin(); + trackHandleIterationBegin(); + TrackHandleBase* handle; + while ((handle=getNextTrackHandle())) + handle->updateShapes_TSOSWithErrors(); + largeChangesEnd(); +} + +//____________________________________________________________________ +void TrackCollHandleBase::setNumberOfPointsOnCircles(int n) +{ + if (m_d->tsos_numberOfPointsOnCircles==n) + return; + m_d->tsos_numberOfPointsOnCircles=n; + largeChangesBegin(); + trackHandleIterationBegin(); + TrackHandleBase* handle; + while ((handle=getNextTrackHandle())) + handle->updateShapes_TSOSWithErrors(); + largeChangesEnd(); +} + +//____________________________________________________________________ +void TrackCollHandleBase::setMaterialEffectsOnTrackScale(double n) +{ + if (m_d->tsos_materialEffectsOnTrackScale==n) + return; + m_d->tsos_materialEffectsOnTrackScale=n; + largeChangesBegin(); + trackHandleIterationBegin(); + TrackHandleBase* handle; + while ((handle=getNextTrackHandle())) + handle->updateShapes_TSOSWithMaterialEffects(); + largeChangesEnd(); +} + +//____________________________________________________________________ +void TrackCollHandleBase::setParTubeErrorsDrawCylinders(bool b) +{ + if (m_d->tsos_parTubeErrorsDrawCylinders==b) + return; + m_d->tsos_parTubeErrorsDrawCylinders=b; + largeChangesBegin(); + trackHandleIterationBegin(); + TrackHandleBase* handle; + while ((handle=getNextTrackHandle())) + handle->updateShapes_TSOSWithErrors(); + largeChangesEnd(); +} + +//____________________________________________________________________ +qint32 TrackCollHandleBase::provideCollTypeID() const +{ + return TrackType::typeToInt(m_type); +} + +//____________________________________________________________________ +void TrackCollHandleBase::collVisibilityChanged(bool vis) +{ + if (!m_sephelper) + m_sephelper = new VP1ExtraSepLayerHelper(collSep()); + + if (VP1Msg::verbose()) + messageVerbose("TrackCollHandleBase::collVisibilityChanged => "+str(vis)); + if (vis){ + recheckCutStatusOfAllNotVisibleHandles();//Fixme -> ofallhandles? All must be not visible anyway... + fillObjectBrowser(); + if (m_d->objBrowseTree) m_d->objBrowseTree->setFlags(Qt::ItemIsSelectable | Qt::ItemIsEnabled); // selectable, enabled + }else{ + recheckCutStatusOfAllVisibleHandles(); +// QTreeWidget* trkObjBrowser = common()->controller()->trackObjBrowser(); +// if (m_d->objBrowseTree && trkObjBrowser) { +// trkObjBrowser->takeTopLevelItem(trkObjBrowser->indexOfTopLevelItem(m_d->objBrowseTree)); +// delete m_d->objBrowseTree; m_d->objBrowseTree=0; +// } + // FIXME - need to loop through handles setting pointers to deleted QTreeWidgetItems + if (m_d->objBrowseTree) m_d->objBrowseTree->setFlags(0); // not selectable, not enabled + } + actualSetShownTSOSPartsOnHandles(); + actualSetCustomColouredTSOSPartsOnHandles(); +} + +void TrackCollHandleBase::updateObjectBrowserVisibilityCounts() { + messageVerbose("TrackCollHandleBase::updateObjectBrowserVisibilityCounts called for "+name()); + QTreeWidget* trkObjBrowser = common()->controller()->trackObjBrowser(); + if (!trkObjBrowser || !m_d->objBrowseTree) { + messageVerbose("TrackCollHandleBase::updateObjectBrowserVisibilityCounts: no common()->controller()->trackObjBrowser() and/or m_d->objBrowseTree. Aborting"); + messageVerbose("trkObjBrowser: "+str(trkObjBrowser)+"\t m_d->objBrowseTree: "+str(m_d->objBrowseTree)); + return; + } + QString text(QString(": (")+QString::number(nShownHandles())+QString("/")+QString::number(m_d->trackhandles.size())+QString(") visible")); + m_d->objBrowseTree->setText(1, text); +} + +void TrackCollHandleBase::fillObjectBrowser() +{ + QTime t; + t.start(); + + QTreeWidget* trkObjBrowser = common()->controller()->trackObjBrowser(); + if (!trkObjBrowser) { + messageVerbose("TrackCollHandleBase::fillObjectBrowser: no common()->controller()->trackObjBrowser(). Aborting"); + return; + } + if (!nShownHandles()) { + //messageVerbose("TrackCollHandleBase::fillObjectBrowser: no shown handles, so leaving."); + return; // don't bother with hidden collection + } + messageVerbose("TrackCollHandleBase::fillObjectBrowser called for "+name()); + + trkObjBrowser->setUpdatesEnabled(false); + + bool firstTime=false; + if (!m_d->objBrowseTree) { + m_d->objBrowseTree = new QTreeWidgetItem(0); + firstTime=true; + messageVerbose("TrackCollHandleBase::fillObjectBrowser: First time so creating QTreeWidgetItem."); + } else { + int index = trkObjBrowser->indexOfTopLevelItem(m_d->objBrowseTree); + if (index==-1 ) { + messageVerbose("Missing from WidgetTree! Will continue but something must be wrong"); + } + } + + messageVerbose("TrackCollHandleBase::fillObjectBrowser about to start looping over tracks at "+QString::number(t.elapsed())+" ms"); + + QList<QTreeWidgetItem *> list; + trackHandleIterationBegin(); + TrackHandleBase* trkHandle=0; + unsigned int i=0; + unsigned int numVisible=0; + while ((trkHandle=getNextTrackHandle())) + { + if (firstTime){ + trkHandle->fillObjectBrowser(list); + } else { + trkHandle->updateObjectBrowser(); + } + + // messageVerbose("TrackCollHandleBase::fillObjectBrowser for track completed in "+QString::number(t.elapsed())); + + if (trkHandle->visible() ) numVisible++; + i++; + } + + QString text(QString(": (")+QString::number(numVisible)+QString("/")+QString::number(i)+QString(") visible")); + + m_d->objBrowseTree->setText(0, name()); + m_d->objBrowseTree->setText(1, text); + m_d->objBrowseTree->addChildren(list); + trkObjBrowser->addTopLevelItem(m_d->objBrowseTree); + trkObjBrowser->setUpdatesEnabled(true); + + messageVerbose("TrackCollHandleBase::fillObjectBrowser completed in "+QString::number(t.elapsed())+" ms"); + +} + +//____________________________________________________________________ +void TrackCollHandleBase::assignDefaultMaterial(SoMaterial * m) const +{ + VP1QtInventorUtils::setMatColor( m, defaultColor(), 0.18/*brightness*/ ); +} + +//____________________________________________________________________ +QString TrackCollHandleBase::toString(const COLOURBY&cb) +{ + switch (cb) { + case COLOUR_PERCOLLECTION: return "COLOUR_PERCOLLECTION"; + case COLOUR_RANDOM: return "COLOUR_RANDOM"; + case COLOUR_MOMENTUM: return "COLOUR_MOMENTUM"; + case COLOUR_CHARGE: return "COLOUR_CHARGE"; + case COLOUR_BYPID: return "COLOUR_BYPID"; + case COLOUR_DISTANCE: return "COLOUR_DISTANCE"; + default: return "Unknown (ERROR)"; + } +} +//____________________________________________________________________ +QList<QWidget*> TrackCollHandleBase::provideExtraWidgetsForGuiRow() const +{ + return QList<QWidget*>() << m_d->comboBox_colourby; + +} + +//____________________________________________________________________ +QByteArray TrackCollHandleBase::extraWidgetsState() const +{ + VP1Serialise serialise(0/*version*/,systemBase()); + serialise.save(m_d->comboBox_colourby); + serialise.disableUnsavedChecks(); + return serialise.result(); +} + +//____________________________________________________________________ +void TrackCollHandleBase::setExtraWidgetsState(const QByteArray& ba) +{ + VP1Deserialise state(ba, systemBase()); + if (state.version()!=0) + return;//just ignore silently... i guess we ought to warn? + state.restore(m_d->comboBox_colourby); + state.disableUnrestoredChecks(); + colourByComboBoxItemChanged(); +} + +//____________________________________________________________________ +void TrackCollHandleBase::colourByComboBoxItemChanged() +{ + messageVerbose("Collection detail level combo box changed index"); + if (m_d->comboBox_colourby->currentText()==Imp::comboBoxEntry_ColourByPID()) + setColourBy(COLOUR_BYPID); + else if (m_d->comboBox_colourby->currentText()==Imp::comboBoxEntry_ColourByRandom()) + setColourBy(COLOUR_RANDOM); + else if (m_d->comboBox_colourby->currentText()==Imp::comboBoxEntry_ColourByMomentum()) + setColourBy(COLOUR_MOMENTUM); + else if (m_d->comboBox_colourby->currentText()==Imp::comboBoxEntry_ColourByCharge()) + setColourBy(COLOUR_CHARGE); + else if (m_d->comboBox_colourby->currentText()==Imp::comboBoxEntry_ColourByDistanceFromSelectedTrack()) + setColourBy(COLOUR_DISTANCE); + else if (m_d->comboBox_colourby->currentText()==Imp::comboBoxEntry_ColourByVertex()) + setColourBy(COLOUR_VERTEX); + else + setColourBy(COLOUR_PERCOLLECTION); +} + +//____________________________________________________________________ +void TrackCollHandleBase::collMaterialTransparencyAndBrightnessChanged() +{ + messageVerbose("Collection colour changed"); + + if (m_d->comboBox_colourby->currentText()==Imp::comboBoxEntry_ColourByRandom()) { + largeChangesBegin(); + trackHandleIterationBegin(); + TrackHandleBase* handle; + while ((handle=getNextTrackHandle())) + handle->updateRandomColourTransparencyAndBrightness(); + largeChangesEnd(); + } else { + updateMaterialOfAllHandles(); + } +} + +bool TrackCollHandleBase::useDefaultCuts() const +{ + if (!m_d->matButton) { + message("ERROR: useDefaultCuts(..) called before init()"); + return true; + } + return m_d->matButton->useDefaultCuts(); +} + +bool TrackCollHandleBase::cutOnlyVertexAssocTracks() const +{ + if (!m_d->matButton) { + message("ERROR: cutOnlyVertexAssocTracks(..) called before init()"); + return false; + } + if (m_d->matButton->useDefaultCuts()) return common()->controller()->cutOnlyVertexAssocTracks(); + return m_d->matButton->cutOnlyVertexAssocTracks(); +} + + + + +//____________________________________________________________________ +void TrackCollHandleBase::setState(const QByteArray&state) +{ + if (!m_d->matButton) { + message("ERROR: setState(..) called before init()"); + return; + } + VP1Deserialise des(state); + des.disableUnrestoredChecks(); + if (des.version()!=0&&des.version()!=1) { + messageDebug("Warning: Ignoring state with wrong version"); + return; + } + bool vis = des.restoreBool(); + + QByteArray matState = des.restoreByteArray(); + m_d->matButton->restoreFromState(matState); + QByteArray extraWidgetState = des.version()>=1 ? des.restoreByteArray() : QByteArray(); + setVisible(vis); + + if (extraWidgetState!=QByteArray()) + setExtraWidgetsState(extraWidgetState); +} + +//____________________________________________________________________ +QByteArray TrackCollHandleBase::persistifiableState() const +{ + if (!m_d->matButton) { + message("ERROR: persistifiableState() called before init()"); + return QByteArray(); + } + VP1Serialise serialise(1/*version*/); + serialise.disableUnsavedChecks(); + serialise.save(visible()); + Q_ASSERT(m_d->matButton&&"Did you forget to call init() on this VP1StdCollection?"); + serialise.save(m_d->matButton->saveState()); + serialise.save(extraWidgetsState());//version 1+ + return serialise.result(); +} diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackCollHandle_RefittedTracks.cxx b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackCollHandle_RefittedTracks.cxx new file mode 100644 index 0000000000000000000000000000000000000000..268572a3b461d4d46709a971234248925071fa23 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackCollHandle_RefittedTracks.cxx @@ -0,0 +1,62 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class TrackCollHandle_RefittedTracks // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: September 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12TrackSystems/TrackCollHandle_RefittedTracks.h" +#include "VTI12TrackSystems/TrackHandle_TrkTrack.h" +// #include "VP1Utils/VP1JobConfigInfo.h" +#include "VP1Base/IVP1System.h" + +//____________________________________________________________________ +class TrackCollHandle_RefittedTracks::Imp { +public: + QList<const Trk::Track*> fittedtracks; +}; + + +//____________________________________________________________________ +TrackCollHandle_RefittedTracks::TrackCollHandle_RefittedTracks(TrackSysCommonData *cd, + const QString& name, QList<const Trk::Track*> fittedtracks) + : TrackCollHandle_TrkTrack(cd,name,TrackType::RefittedTrack), m_d(new Imp) +{ + m_d->fittedtracks = fittedtracks; +} + +//____________________________________________________________________ +TrackCollHandle_RefittedTracks::~TrackCollHandle_RefittedTracks() +{ + delete m_d; +} + +//____________________________________________________________________ +bool TrackCollHandle_RefittedTracks::load() +{ + hintNumberOfTracksInEvent(m_d->fittedtracks.count()); + int i(0); + foreach (const Trk::Track * trk, m_d->fittedtracks) { + if (trk) { + messageDebug("ADDTRACK."); + addTrackHandle(new TrackHandle_TrkTrack(this,trk)); + } else + messageDebug("WARNING: Ignoring null Trk::Track pointer."); + if (!(i++%100)) + systemBase()->updateGUI(); + } + + //Maybe we need to show measurements, etc.: + //FIXME updateVisibleAssociatedObjects(); ?? + + return true; +} + +//FIXME: These coll's should not have their states saved... diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackCollHandle_TrkTrack.cxx b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackCollHandle_TrkTrack.cxx new file mode 100644 index 0000000000000000000000000000000000000000..fdeef8155b30fcd8df864e266ad8ee141a2f3bc9 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackCollHandle_TrkTrack.cxx @@ -0,0 +1,159 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class TrackCollHandle_TrkTrack // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: February 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12TrackSystems/TrackCollHandle_TrkTrack.h" +#include "VTI12TrackSystems/TrackHandle_TrkTrack.h" +#include "VP1Base/IVP1System.h" +#include "VTI12TrackSystems/TrackSystemController.h" +#include "VP1Base/IVP1System.h" +#include "VP1Base/VP1QtUtils.h" +#include "VTI12Utils/VP1JobConfigInfo.h" +#include "VTI12Utils/VP1SGContentsHelper.h" +#include "VTI12Utils/VP1SGAccessHelper.h" + +#include "TrkTrack/Track.h" +#include "TrkTrack/TrackCollection.h" + +#include <QRegExp> + +//____________________________________________________________________ +class TrackCollHandle_TrkTrack::Imp { +public: + static bool isFatrasTruthTrack(const QString& key); + static bool alwaysShowAllTrackColls; + TrackCollHandle_TrkTrack * theclass; + TrackCommonFlags::DETAILLEVEL detailLevel; + +}; + +bool TrackCollHandle_TrkTrack::Imp::alwaysShowAllTrackColls + = VP1QtUtils::environmentVariableIsOn("VP1_ALWAYS_SHOW_ALL_TRACK_COLLECTIONS"); + +//____________________________________________________________________ +QStringList TrackCollHandle_TrkTrack::availableCollections(IVP1System*sys) +{ + //There must be at least one of the trackers available for this to make sense. + if ( ! ( VP1JobConfigInfo::hasSCTGeometry() ) ) { + sys->messageDebug("TrackCollHandle_TrkTrack::availableCollections: " + "SCT geometry not available. Won't look in event store for Trk::Track collections"); + return QStringList(); + } + + QStringList keysInSG; + foreach(QString key,VP1SGContentsHelper(sys).getKeys<TrackCollection>()) { + // if ( key=="CombinedInDetTracks") // Useful for debugging to limit to one collection + keysInSG<<key; + } + + if (keysInSG.isEmpty()||Imp::alwaysShowAllTrackColls) + return keysInSG; + + QRegExp needsAllIDPattern("ExtendedTracks|ResolvedTracks|Tracks|.*Id.*|.*ID.*|.*InDet.*|.*Inner.*"); + + // const bool jobcfgAllID + // = VP1JobConfigInfo::hasPixelGeometry() + // &&VP1JobConfigInfo::hasSCTGeometry() + // &&VP1JobConfigInfo::hasTRTGeometry(); + const bool jobcfgAllID = VP1JobConfigInfo::hasSCTGeometry(); + + QStringList outkeys; + + foreach (QString key, keysInSG) { + if (!jobcfgAllID && needsAllIDPattern.exactMatch(key)) { + sys->messageDebug("TrackCollHandle_TrkTrack::availableCollections: Ignoring key '" + +key+"' since sct geometry is not present in job."); + continue; + } + outkeys<<key; + } + return outkeys; + +} + +//____________________________________________________________________ +TrackCollHandle_TrkTrack::TrackCollHandle_TrkTrack( TrackSysCommonData * cd, + const QString& name, + TrackType::Type type ) + : TrackCollHandleBase(cd,name,type), m_d(new Imp) +{ + m_d->theclass = this; + m_d->detailLevel = TrackCommonFlags::AUTO; +} + +//____________________________________________________________________ +TrackCollHandle_TrkTrack::~TrackCollHandle_TrkTrack() +{ + delete m_d; +} + +//____________________________________________________________________ +bool TrackCollHandle_TrkTrack::Imp::isFatrasTruthTrack(const QString& key) +{ + QString env = VP1QtUtils::environmentVariableValue("VP1_FATRAS_TRACKCOLLS_PATTERN"); + return QRegExp((env.isEmpty()?"*fatras*":env),Qt::CaseInsensitive,QRegExp::Wildcard).exactMatch(key); +} + +//____________________________________________________________________ +void TrackCollHandle_TrkTrack::setupSettingsFromControllerSpecific(TrackSystemController*) +{ + messageVerbose("setupSettingsFromControllerSpecific start"); + messageVerbose("setupSettingsFromControllerSpecific end"); +} + +//____________________________________________________________________ +bool TrackCollHandle_TrkTrack::load() +{ + //Get collection: + const TrackCollection * trackColl(0); + if (!VP1SGAccessHelper(systemBase()).retrieve(trackColl, name())) { + message("Error: Could not retrieve track collection with key="+name()); + return false; + } + + //Make appropriate trk::track handles: + hintNumberOfTracksInEvent(trackColl->size()); + int i(0); + TrackCollection::const_iterator trackItr, trackItrEnd = trackColl->end(); + for ( trackItr = trackColl->begin() ; trackItr != trackItrEnd; ++trackItr) { + if (*trackItr) + addTrackHandle(new TrackHandle_TrkTrack(this,*trackItr)); + else + messageDebug("WARNING: Ignoring null Trk::Track pointer."); + if (!(i++%100)) + systemBase()->updateGUI(); + } + + //Maybe we need to show measurements, etc.: + // updateVisibleAssociatedObjects(); + + return true; +} + +//____________________________________________________________________ +bool TrackCollHandle_TrkTrack::cut(TrackHandleBase* handle) +{ + if (!TrackCollHandleBase::cut(handle)) + return false; + + //fixme: more? + return true; +} + +//____________________________________________________________________ +void TrackCollHandle_TrkTrack::visibleStateUpdated(TrackHandle_TrkTrack* trkhandle) +{ + common()->visTrkTracksToMaterialHelper()->setState(trkhandle->trkTrackPointer(), (trkhandle->visible() ? trkhandle->currentMaterial() : 0 )); +} + + diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackCollHandle_TruthTracks.cxx b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackCollHandle_TruthTracks.cxx new file mode 100644 index 0000000000000000000000000000000000000000..3e5a8974360355363d3aee8e535b42ac6e21a124 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackCollHandle_TruthTracks.cxx @@ -0,0 +1,968 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class TrackCollHandle_TruthTracks // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: March 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12TrackSystems/TrackCollHandle_TruthTracks.h" +#include "VTI12TrackSystems/TrackHandle_TruthTrack.h" +#include "VTI12TrackSystems/SimHitHandleBase.h" +#include "VTI12TrackSystems/SimHitHandle_TrackRecord.h" +#include "VTI12TrackSystems/SimHitHandle_ScintHit.h" +#include "VTI12TrackSystems/SimBarCode.h" +#include "VTI12TrackSystems/TrackSystemController.h" +#include "VP1Base/IVP1System.h" +#include "VP1Base/VP1Msg.h" +#include "VTI12Utils/VP1JobConfigInfo.h" +#include "VTI12Utils/VP1ParticleData.h" + +#include "HepMC/GenEvent.h" +#include "HepMC/GenParticle.h" +#include "HepMC/GenVertex.h" +#include "GeneratorObjects/McEventCollection.h" + +#include "TrackRecord/TrackRecordCollection.h" + +#include "VTI12Utils/VP1SGContentsHelper.h" +#include "VTI12Utils/VP1SGAccessHelper.h" + +#include "ScintSimEvent/ScintHitCollection.h" +// #include "InDetSimEvent/SiHitCollection.h" + +#include "CLHEP/Units/PhysicalConstants.h" + +#include "CLHEP/Vector/LorentzVector.h" + +#include <QStringList> +#include <QTime> + + +//____________________________________________________________________ +class TrackCollHandle_TruthTracks::Imp { +public: + double mag(const HepMC::FourVector& v) const { + return std::sqrt( v.x()*v.x() + v.y()*v.y() + v.z()*v.z() ); + } + + TrackCollHandle_TruthTracks * theclass; + bool loadHitLists(std::map<SimBarCode,SimHitList> & hitLists); + void loadGenParticles( std::map<SimBarCode,const HepMC::GenParticle*> & genParticles, + const HepMC::GenVertex* vtx ); + bool loadGenParticles( std::map<SimBarCode,const HepMC::GenParticle*> & genParticles, + const QString& hepMcCollKey ); + + template <class collT> + void addHitCollections(std::map<SimBarCode,SimHitList> & hitLists); + +// static SimHitHandleBase * createHitHandle( const TrackRecord * h ) { return new SimHitHandle_TrackRecord(h); } + static SimHitHandleBase * createHitHandle( const TrackRecord& h ) { return new SimHitHandle_TrackRecord(&h); } + static SimHitHandleBase * createHitHandle( const ScintHit& h ) { return new SimHitHandle_ScintHit(&h); } + // static SimHitHandleBase * createHitHandle( const SiHit& h ) { return new SimHitHandle_SiHit(&h); } + + static QString nameHepMCAugmentedEnd; + static QString nameAugmentedOnly; + + void createSecondaryHitLists(const SimBarCode& origSimBarCode, + const SimHitList& origHitList, + std::map<SimBarCode,SimHitList> & outlists, + int& newBarCode ); + std::list<SimHitHandleBase*>::iterator closestCompatibleHandleItr(SimHitHandleBase* handle, + const std::list<SimHitHandleBase*>::iterator& itFirst, + std::list<SimHitHandleBase*>& handleList, + const double& massSquared); + + std::map<SimBarCode::ExtBarCode,int> extBarCode2pdg; + + int updateGUICounter; + void possiblyUpdateGUI() { + if (!((updateGUICounter++)%750)) { + theclass->systemBase()->updateGUI(); + } + } + + bool cut_fromIROnly; + bool cut_excludeBarcodeZero; + bool cut_excludeNeutrals; + + bool displayAscObjs; + void updateVisibleAssociatedObjects(); + + bool fixMomentumInfoInSimHits(const HepMC::GenParticle* p,SimHitList& hitlist); + + static const int maxPdgCode = 1000000000; + +}; + +QString TrackCollHandle_TruthTracks::Imp::nameHepMCAugmentedEnd = " [augmented]"; +QString TrackCollHandle_TruthTracks::Imp::nameAugmentedOnly = "Sim hits/trk rec."; + +//____________________________________________________________________ +QStringList TrackCollHandle_TruthTracks::availableCollections( IVP1System*sys ) +{ + QStringList l; + VP1SGContentsHelper sgcont(sys); + + QStringList mcevent_keys = sgcont.getKeys<McEventCollection>(); + QStringList trackrecord_keys = sgcont.getKeys<TrackRecordCollection>(); + + QStringList /*keys_siliconhits,*/ keys_scintillatorhits; + + if (VP1JobConfigInfo::hasVetoGeometry() || + VP1JobConfigInfo::hasTriggerGeometry() || + VP1JobConfigInfo::hasPreshowerGeometry()) + keys_scintillatorhits = sgcont.getKeys<ScintHitCollection>();//"VetoHits", "TriggerHits" and "PreshowerHits" + // if (VP1JobConfigInfo::hasSCTGeometry()) + // keys_siliconhits = sgcont.getKeys<SiHitCollection>();//"SCT_Hits" + + bool extrainfo = ! ( keys_scintillatorhits.empty() && + // keys_siliconhits.empty() && + trackrecord_keys.empty() ); + + if (extrainfo&&mcevent_keys.empty()) { + l << Imp::nameAugmentedOnly; + return l; + } + + foreach (QString mcevent_key,mcevent_keys) { + l << mcevent_key; + if (extrainfo) + l << mcevent_key + Imp::nameHepMCAugmentedEnd; + } + + //Fixme: REMOVE THIS (only for testing!!): + if (extrainfo) + l << Imp::nameAugmentedOnly; + + return l; +} + +//____________________________________________________________________ +TrackCollHandle_TruthTracks::TrackCollHandle_TruthTracks(TrackSysCommonData * cd, + const QString& name) + : TrackCollHandleBase(cd,name,TrackType::TruthTrack), m_d(new Imp) +{ + setHelperClassName("TrackCollHandle_TruthTracks"); + m_d->theclass = this; + m_d->updateGUICounter = 0; + m_d->cut_fromIROnly = false; + m_d->cut_excludeBarcodeZero = false; + m_d->cut_excludeNeutrals = true; + m_d->displayAscObjs = true; +} + +//____________________________________________________________________ +TrackCollHandle_TruthTracks::~TrackCollHandle_TruthTracks() +{ + delete m_d; +} + +//____________________________________________________________________ +void TrackCollHandle_TruthTracks::setupSettingsFromControllerSpecific(TrackSystemController* controller) +{ + connect(controller,SIGNAL(cutTruthFromIROnlyChanged(bool)),this,SLOT(setCutFromIROnly(bool))); + setCutFromIROnly(controller->cutTruthFromIROnly()); + + connect(controller,SIGNAL(cutExcludeBarcodeZeroChanged(bool)),this,SLOT(setCutExcludeBarcodeZero(bool))); + setCutExcludeBarcodeZero(controller->cutExcludeBarcodeZero()); + + connect(controller,SIGNAL(cutTruthExcludeNeutralsChanged(bool)),this,SLOT(setCutExcludeNeutrals(bool))); + setCutExcludeNeutrals(controller->cutTruthExcludeNeutrals()); + + connect(controller,SIGNAL(showTruthAscObjsChanged(bool)),this,SLOT(setShowAscObjs(bool))); + setShowAscObjs(controller->showTruthAscObjs()); +} + +//____________________________________________________________________ +void TrackCollHandle_TruthTracks::setShowAscObjs(bool b) +{ + if (m_d->displayAscObjs==b) + return; + m_d->displayAscObjs=b; + messageVerbose("Associated objects shown flag changed to " + str(b)); + m_d->updateVisibleAssociatedObjects(); +} + +//____________________________________________________________________ +template <class collT> +void TrackCollHandle_TruthTracks::Imp::addHitCollections(std::map<SimBarCode,SimHitList> & hitLists) +{ + std::map<SimBarCode,SimHitList>::iterator itHitList; + + VP1SGAccessHelper sgaccess(theclass->systemBase()); + + foreach (QString key, VP1SGContentsHelper(theclass->systemBase()).getKeys<collT>()) { + const collT * hitColl; + if (!sgaccess.retrieve(hitColl, key)) { + theclass->message("Error: Could not retrieve "+QString(typeid(collT).name())+" collection with key = "+key); + continue; + } + theclass->messageVerbose("Retrieved hit collection of type "+QString(typeid(collT).name())+" with key = "+key); + typename collT::const_iterator it, itE(hitColl->end()); + int itot(0), iadded(0); + for (it=hitColl->begin();it!=itE;++it) { + ++itot; + possiblyUpdateGUI(); + SimHitHandleBase * handle = createHitHandle(*it); + handle->cacheMomentum(); + theclass->fixPDGCode(handle); + SimBarCode trackID = handle->simBarCode(); + if (trackID.pdgCode()>maxPdgCode) { + continue; + } + if (trackID.isNonUniqueSecondary()) { + double absmom = handle->momentum(); + if (absmom>=0&&absmom<1.0*CLHEP::MeV) {//Fixme: Useful? Put it higher?? + // if (VP1Msg::verbose()) + // theclass->messageVerbose("Ignoring low momentum sim hit for non. unique secondary particle"); + delete handle; + continue; + } + } + itHitList = hitLists.find(trackID); + if ( itHitList == hitLists.end() ) { + SimHitList l; + l.push_back(std::pair<double,SimHitHandleBase*>(handle->hitTime(),handle)); + hitLists[trackID] = l; + } else { + itHitList->second.push_back(std::pair<double,SimHitHandleBase*>(handle->hitTime(),handle)); + } + ++iadded; + } + theclass->messageVerbose(" => used "+str(iadded)+" of "+str(itot)+" hits"); + } + +} + +//____________________________________________________________________ +bool TrackCollHandle_TruthTracks::Imp::loadHitLists(std::map<SimBarCode,SimHitList> & hitLists) +{ + //Fixme: Return false if we do not find at least one collection + addHitCollections<TrackRecordCollection>(hitLists); + + //Important that collections which inherently contains pdg codes are loaded first! + + if (VP1JobConfigInfo::hasVetoGeometry() || + VP1JobConfigInfo::hasTriggerGeometry() || + VP1JobConfigInfo::hasPreshowerGeometry()) + // std::cout << "Called addHitCollections" << std::endl; + addHitCollections<ScintHitCollection>(hitLists); + // addHitCollections<SiHitCollection>(hitLists); + + if (VP1Msg::verbose()) + theclass->messageVerbose( "Found " + str( hitLists.size() ) + " lists of sim. hits."); + + //Time to assign all simhits with known pdg code a charge: + std::map<SimBarCode,SimHitList>::iterator it, itE(hitLists.end()); + for (it = hitLists.begin(); it!=itE; ++it) { + if (it->first.unknownPdgCode()) + continue; + bool ok; + double charge = VP1ParticleData::particleCharge(it->first.pdgCode(),ok); + if (!ok) + continue; + SimHitList::iterator itHit(it->second.begin()), itHitE(it->second.end()); + for (;itHit!=itHitE;++itHit) + itHit->second->setCharge(charge); + possiblyUpdateGUI(); + } + + //Fixme: Add hits from muon subsystems. + + //Sort hitLists: + for (it = hitLists.begin(); it!=itE; ++it) { + sort(it->second.begin(),it->second.end()); + possiblyUpdateGUI(); + } + return true; +} + + +//____________________________________________________________________ +void TrackCollHandle_TruthTracks::fixPDGCode(SimHitHandleBase* handle) const +{ + int pdgfromsimhit =handle->actualPDGCodeFromSimHit(); + bool isNonUniqueSecondary = handle->simBarCode().isNonUniqueSecondary(); + SimBarCode::ExtBarCode extBarCode = handle->simBarCode().extBarCode(); + + if (pdgfromsimhit!=SimBarCode::unknownPDG) { + handle->setPDG(handle->actualPDGCodeFromSimHit()); + std::map<SimBarCode::ExtBarCode,int>::const_iterator it = m_d->extBarCode2pdg.find(extBarCode); + if ( !isNonUniqueSecondary && it==m_d->extBarCode2pdg.end()) + m_d->extBarCode2pdg[extBarCode] = pdgfromsimhit; + return; + } + if (isNonUniqueSecondary) + return; + std::map<SimBarCode::ExtBarCode,int>::const_iterator it = m_d->extBarCode2pdg.find(extBarCode); + if (it!=m_d->extBarCode2pdg.end()) { + handle->setPDG(it->second); + } +} + +//____________________________________________________________________ +void TrackCollHandle_TruthTracks::Imp::loadGenParticles( std::map<SimBarCode,const HepMC::GenParticle*> & genParticles, + const HepMC::GenVertex* vtx ) +{ + if (!vtx) + return; + HepMC::GenVertex::particles_out_const_iterator itPart(vtx->particles_out_const_begin()); + HepMC::GenVertex::particles_out_const_iterator itPartEnd(vtx->particles_out_const_end()); + +// HepMC::GenVertex::particle_iterator itPart = vtx->particles_begin(HepMC::children); +// HepMC::GenVertex::particle_iterator itPartEnd = vtx->particles_end(HepMC::children); + for (;itPart!=itPartEnd;++itPart) { + const HepMC::GenParticle* p = *itPart; + if (!p)//fixme: message. + continue; + const HepMC::GenEvent* evt = p->parent_event(); + if (!evt) + continue;//fixme: message. + //Fixme: If verbose: check barcode does not already exists! + SimBarCode simBarCode(p->barcode(),0/*evt->event_number()...fixme: correct??*/,p->pdg_id()); + genParticles[simBarCode] = p; + if (!simBarCode.isNonUniqueSecondary()) + extBarCode2pdg[simBarCode.extBarCode()] = p->pdg_id(); + + loadGenParticles(genParticles,p->end_vertex()); + } +} + +//____________________________________________________________________ +bool TrackCollHandle_TruthTracks::Imp::loadGenParticles( std::map<SimBarCode,const HepMC::GenParticle*> & genParticles, + const QString& hepMcCollKey ) +{ + possiblyUpdateGUI(); + const McEventCollection* mcColl; + if (!VP1SGAccessHelper(theclass->systemBase()).retrieve(mcColl,hepMcCollKey)) { + theclass->message("Error: Could not retrieve "+QString(typeid(McEventCollection).name())+" collection with key = "+hepMcCollKey); + return false;//fixme message + } + + McEventCollection::const_iterator itEvt(mcColl->begin()), itEvtEnd(mcColl->end()); + if (itEvt==itEvtEnd) + return false;//fixme message + + for (;itEvt!=itEvtEnd;++itEvt) { + //NB: Signal is always the first event in collection! + const HepMC::GenEvent * evt = *itEvt; + if (!evt) + continue; + HepMC::GenEvent::vertex_const_iterator itVtx(evt->vertices_begin()), itVtxEnd(evt->vertices_end()); + for(;itVtx!=itVtxEnd;++itVtx) { + loadGenParticles(genParticles,*itVtx); + } + } + + return true; +} + +//____________________________________________________________________ +bool TrackCollHandle_TruthTracks::load() +{ + //Decode name to figure out if we need to load simhits/track records and which HepMC key to use. + bool augmentedonly = name()==Imp::nameAugmentedOnly; + bool augmented = augmentedonly || name().endsWith(Imp::nameHepMCAugmentedEnd); + QString hepmckey; + if (!augmentedonly) { + hepmckey = name(); + if (augmented) + hepmckey.chop(Imp::nameHepMCAugmentedEnd.count()); + } + + //get genparticles (should be done BEFORE we load sim. hits., so the barCode2pdg map gets filled): + std::map<SimBarCode,const HepMC::GenParticle*> genParticles; + if (!hepmckey.isEmpty()) + if (!m_d->loadGenParticles(genParticles,hepmckey)) + return false; + + //get sim hits and track records: + std::map<SimBarCode,SimHitList> hitLists; + if (augmented) { + if (!m_d->loadHitLists(hitLists)) + return false; + messageVerbose("TrackCollHandle_TruthTracks "+name() + +": Found "+str(hitLists.size())+" truth particles from simhits"); + } + + //Finally we need to combine the info we thus found, and construct + //actual track handles: + + //We do this by looping through the simhit list, and checking for + //genparticles with the same SimBarCode. Those gen particles we use + //in this way, we take out of the map (put to null), to indicate we + //already used them. In the final step we add genparticle-only + //handles for the remaining genparticle (unless they have production + //and decay vertices ultra-close to each other): + + std::map<SimBarCode,const HepMC::GenParticle*>::iterator itGenPart, itGenPartEnd(genParticles.end()); + std::map<SimBarCode,SimHitList>::iterator itHitList, itHitListEnd(hitLists.end()), itHitListTemp; + + //First we attempt to sort secondaries with barcode=0 into new lists + //of hits that are likely to have come from the same particle. + + int newBarCode(-1); + std::map<SimBarCode,SimHitList> secondaryHitLists; + messageVerbose("Sorting non-unique secondaries into lists of hits likely to originate from the same track."); + QTime timer;timer.start(); + for (itHitList = hitLists.begin();itHitList!=itHitListEnd;) { + if (itHitList->first.isNonUniqueSecondary()) { + m_d->createSecondaryHitLists(itHitList->first,itHitList->second,secondaryHitLists,newBarCode); + itHitListTemp = itHitList; + ++itHitList; + hitLists.erase(itHitListTemp); + } else { + ++itHitList; + } + } + messageVerbose("Finished sorting non-unique secondaries into lists. Time spent: "+str(timer.elapsed()*0.001)+" seconds"); + std::map<SimBarCode,SimHitList>::iterator itSecondaryList,itSecondaryListEnd(secondaryHitLists.end()); + for (itSecondaryList = secondaryHitLists.begin();itSecondaryList!=itSecondaryListEnd;++itSecondaryList) + hitLists[itSecondaryList->first] = itSecondaryList->second;//Fixme: Check that it does not already exist! + + for (itHitList = hitLists.begin();itHitList!=itHitListEnd;++itHitList) { + if (itHitList->second.empty()) { + message("load WARNING: Ignoring empty hit list."); + continue; + } + itGenPart = genParticles.find(itHitList->first); + const HepMC::GenParticle * p(0); + if (itGenPart!=itGenPartEnd) { + p = itGenPart->second; + itGenPart->second = 0; + } + +// if (!itHitList->first.isNonUniqueSecondary()) continue;//FIXME +// if (!itHitList->first.actualBarCode()==0) continue;//FIXME + m_d->possiblyUpdateGUI(); + + if (m_d->fixMomentumInfoInSimHits(p,itHitList->second))//Provide guesses for momentum in simhits that needs them (and deletes the rest). + addTrackHandle( new TrackHandle_TruthTrack( this, itHitList->first, itHitList->second, p ) ); + } + + const double minSpacialSeparation = 1.0e-3*CLHEP::mm; + const double minSepSq = minSpacialSeparation*minSpacialSeparation; + for (itGenPart=genParticles.begin();itGenPart!=itGenPartEnd;++itGenPart) { + const HepMC::GenParticle * p = itGenPart->second; + if (!p) + continue; + if (abs(p->pdg_id())>=Imp::maxPdgCode)//Internal particle... (fixme: find proper limit!!) + continue; + if (!p->production_vertex()) + continue; + if (p->end_vertex()) { + double dx(p->end_vertex()->position().x()-p->production_vertex()->position().x()); + double dy(p->end_vertex()->position().y()-p->production_vertex()->position().y()); + double dz(p->end_vertex()->position().z()-p->production_vertex()->position().z()); + if ( dx*dx+dy*dy+dz*dz < minSepSq ) + continue; + } + m_d->possiblyUpdateGUI(); + addTrackHandle( new TrackHandle_TruthTrack( this, itGenPart->first, SimHitList(), p ) ); + } + + //Maybe we need to show measurements, etc.: + m_d->updateVisibleAssociatedObjects(); + + return true; +} + +//____________________________________________________________________ +bool TrackCollHandle_TruthTracks::cut(TrackHandleBase* handle) +{ + if (!TrackCollHandleBase::cut(handle)) + return false; + + if (m_d->cut_excludeNeutrals && handle->hasCharge() && handle->charge()==0.0) + return false; + + TrackHandle_TruthTrack * truthhandle = static_cast<TrackHandle_TruthTrack *>(handle); + if (m_d->cut_excludeBarcodeZero && truthhandle->hasBarCodeZero()) + return false; + + if (m_d->cut_fromIROnly && ! truthhandle->hasVertexAtIR(2.8*CLHEP::cm*2.8*CLHEP::cm,50*CLHEP::cm)) + return false; + + return true; +} + +//____________________________________________________________________ +void TrackCollHandle_TruthTracks::setCutFromIROnly(bool b) +{ + if (m_d->cut_fromIROnly == b) + return; + m_d->cut_fromIROnly = b; + if (b) + recheckCutStatusOfAllVisibleHandles(); + else + recheckCutStatusOfAllNotVisibleHandles(); +} + +//____________________________________________________________________ +void TrackCollHandle_TruthTracks::setCutExcludeBarcodeZero(bool b) +{ + if (m_d->cut_excludeBarcodeZero==b) + return; + m_d->cut_excludeBarcodeZero=b; + if (b) + recheckCutStatusOfAllVisibleHandles(); + else + recheckCutStatusOfAllNotVisibleHandles(); +} + +//____________________________________________________________________ +void TrackCollHandle_TruthTracks::setCutExcludeNeutrals(bool b) +{ + if (m_d->cut_excludeNeutrals==b) + return; + m_d->cut_excludeNeutrals=b; + if (b) + recheckCutStatusOfAllVisibleHandles(); + else + recheckCutStatusOfAllNotVisibleHandles(); +} + +//____________________________________________________________________ +void TrackCollHandle_TruthTracks::Imp::createSecondaryHitLists(const SimBarCode& origSimBarCode, + const SimHitList& origHitList, + std::map<SimBarCode,SimHitList> & outlists, + int& newBarCode ) +{ + if (!origSimBarCode.isNonUniqueSecondary()||newBarCode>=0) { + theclass->message("createSecondaryHitLists" + " ERROR: Unexpected input"); + return; + } + + unsigned ntothitinput = origHitList.size(); + HepMcParticleLink::index_type evtIndex = origSimBarCode.evtIndex(); + int pdgCode = origSimBarCode.pdgCode(); + + //////////////////////////////////////////////////////////////////////////// + // Temporarily put the (time,handle) pairs from the vector into a list. // + //////////////////////////////////////////////////////////////////////////// + + SimHitList::const_iterator itOrig(origHitList.begin()),itOrigE(origHitList.end()); + std::list<SimHitHandleBase*> handleList; + for(;itOrig!=itOrigE;++itOrig) + handleList.push_back(itOrig->second); + + //////////////////////////////////////////////////////////////// + // Produce handle lists based on requirements of proximity, // + // decreasing momenta and causality. // + //////////////////////////////////////////////////////////////// + std::set<std::list<SimHitHandleBase*> > outHandleLists; + + bool ok; + double mass = VP1ParticleData::particleMass(pdgCode,ok); + double massSquared( (ok&&mass>=0) ? mass*mass : -1); + while (!handleList.empty()) { + std::list<SimHitHandleBase*> list; + std::list<SimHitHandleBase*>::iterator it(handleList.begin()), itNext, itTemp; + //Take this handle from the list, and increment to next one: + SimHitHandleBase * handle = *it; + list.push_back(handle); + itTemp = it++; + handleList.erase(itTemp); + while ( true ) { + if (it==handleList.end()) + break;//TEST + itNext = closestCompatibleHandleItr(handle,it,handleList,massSquared); + possiblyUpdateGUI(); + if (itNext == handleList.end())//Fixme: cache handleList.end()? Check erase invalidation! + break; + handle = *itNext; + list.push_back(handle); + it = itNext; ++it; + handleList.erase(itNext); + if (it == handleList.end())//Fixme: cache handleList.end()? Check erase invalidation! + break; + } + if (list.size()==1) {//5 is ok for trt, but probably not for silicon! + //We need at least two sim hits//FIXME: 5? + //Fixme: Make minimum number of hits depend on energy? +// theclass->messageVerbose("Ignoring secondary with barCode 0, since it seems to be the only sim. hit. by this track.");//Fixme: We could do something with posStart/posEnd?//fixme: update text to reflect 5 + //FIXME: use this!: delete *(list.begin()); + } else { + outHandleLists.insert(list); + } + } + + /////////////////////////////////////////////////////////////////////////////////// + // Put handle lists in output handle lists, and assign unique new fake barcodes // + /////////////////////////////////////////////////////////////////////////////////// + + //We assign fake negative barcodes to + //secondaries, since negative barcodes are + //by convention reserved for vertices in + //the HepMC collection. + + std::set<std::list<SimHitHandleBase*> >::iterator itOutList(outHandleLists.begin()), itOutListE(outHandleLists.end()); + unsigned totused(0); + for (;itOutList!=itOutListE;++itOutList) { + const SimBarCode fakeBarCode(newBarCode--,evtIndex,pdgCode); + //Fixme: Update barcodes contained in simhithandles!! + const unsigned n = itOutList->size(); + totused += n; + outlists[fakeBarCode] = SimHitList(); + std::map<SimBarCode,SimHitList>::iterator itActualOutList = outlists.find(fakeBarCode); + itActualOutList->second.reserve(n); + + std::list<SimHitHandleBase*>::const_iterator itHandle(itOutList->begin()),itHandleE(itOutList->end()); + for (;itHandle!=itHandleE;++itHandle) + itActualOutList->second.push_back(std::pair<double,SimHitHandleBase*>((*itHandle)->hitTime(),*itHandle)); + + //Should be ok already, but just to be safe: (fixme: don't do this?) + sort(itActualOutList->second.begin(),itActualOutList->second.end()); + } + + if (VP1Msg::verbose()) + theclass->messageVerbose("Grouped "+str(ntothitinput)+" secondaries with pdgCode = " + +str(pdgCode)+" into "+str(outHandleLists.size()) + +" tracks ("+str(ntothitinput-totused)+" went unused)."); +} + + +//____________________________________________________________________ +std::list<SimHitHandleBase*>::iterator TrackCollHandle_TruthTracks::Imp::closestCompatibleHandleItr(SimHitHandleBase* handle, + const std::list<SimHitHandleBase*>::iterator& itFirst, + std::list<SimHitHandleBase*>& handleList, + const double& massSquared) { +// if (itFirst==handleList.end()) +// return handleList.end(); + const double mom = handle->momentum(); + const double momSq = mom*mom; + const double betaSqMax = ( (mom < 0 || massSquared<=0 ? 1 : (momSq/(momSq+massSquared)) )); + const double speedSqMax = 4.0* CLHEP::c_squared * betaSqMax;//NB: The factor of 4 is a fudge factor, not really clear why needed!!! VP1 or GEANT4 bug! + // const double speedSqMax = 1.0001 * c_squared;/*fixme test*/ +// const double speedSqMax = 1.1*betaSqMax*300*300;/*fixme test*/ +// double testmsq=0.511*MeV*0.511*MeV; +// const double speedSqMax = 1.0001 * c_squared * ( (mom < 0 || testmsq<=0 ? 1 : (momSq/(momSq+testmsq)) )); + + unsigned ichecked(0); + unsigned maxchecked(50); + + const double hitTime = handle->hitTime(); + const Amg::Vector3D pos = handle->posStart(); + double mom2, flightTime; + std::list<SimHitHandleBase*>::iterator it(itFirst), itE(handleList.end()); + std::list<SimHitHandleBase*>::iterator itMinDist(itE); + double minDistSq(100*CLHEP::cm*100*CLHEP::cm);//Put to 1.0e99 for no hard limit. + if (mom>0) + if (mom<500*CLHEP::MeV) { + minDistSq = 20*CLHEP::cm*20*CLHEP::cm; + if (mom<100*CLHEP::MeV) { + minDistSq = 10*CLHEP::cm*10*CLHEP::cm; + if (mom<10*CLHEP::MeV) + minDistSq = 5*CLHEP::cm*5*CLHEP::cm; + } + } + + for (;it!=itE;++it) { + ++ichecked; + mom2 = (*it)->momentum(); + //Possible decreasing momentum requirement: + if (mom>=0&&mom2>=0) { + if (mom2>mom) + continue; + if (mom2<0.5*mom)//Guard against delta-rays-ish. + continue; + } + + //Maximal separation requirement: + const double distSquared = ((*it)->posStart()-pos).mag2(); + + //Only investigate if it is the closest one: + if (distSquared>=minDistSq) + continue; + + flightTime = (*it)->hitTime() - hitTime; + if (flightTime<=0||flightTime>100*CLHEP::ns) { + //Second hit comes before (shouldn't happen), or waaaay after the first hit. + if (flightTime<0) + theclass->message("closestCompatibleHandleItr WARNING: Should never happen. T1="+str(hitTime)+", T2="+str((*it)->hitTime())); + continue; + } else { + if (distSquared>flightTime*flightTime*speedSqMax) + continue; + } + + + //Check for coalignment of momenta: + double mindotproduct = -0.5; + if (mom>10.0*CLHEP::MeV) { + mindotproduct = -0.1; + if (mom>1000.0*CLHEP::MeV) { + mindotproduct = 0.5; + if (mom>10000.0*CLHEP::MeV) { + mindotproduct = 0.80; + } + } + } + if (mindotproduct>-1.0) + if (handle->momentumDirection().dot((*it)->momentumDirection())<mindotproduct) + continue; + + // theclass->messageDebug("Test. Hit passed mom and causality."); + + // //Possible minimal separation requirement: //FIXME: Turn this on if momentum is greater than...? + // if (mom2>=0&&massSquared>=0) { + // const double speedSqMin = 0.9999 * c_squared * momSq/(momSq+massSquared); + // const double minDistSquared = flightTimeSq*speedSqMin; + // if (distSquared<minDistSquared) + // continue; + // } + //Fixme: We might also make some requirement that distance should be less than e.g. 20cm?? + + //Hits are in principle compatible. Store it if it is also the closest: + // if (distSquared<minDistSq) { + minDistSq = distSquared; + itMinDist = it; + + if (distSquared<15*15*CLHEP::cm*CLHEP::cm) { + //We already found a very good hit - should not look much further. + if (distSquared<5*5*CLHEP::cm*CLHEP::cm) + maxchecked = ichecked + 5; + else + maxchecked = ichecked + 15; + } + + if (ichecked>maxchecked)//For performance reasons + break; + } + return itMinDist; +} + + +//____________________________________________________________________ +bool TrackCollHandle_TruthTracks::Imp::fixMomentumInfoInSimHits(const HepMC::GenParticle* p,SimHitList& hitlist) { + //Returns false only if we prune down to zero information! + + if (hitlist.empty()) + return true; + + + static double unknown = -1.0e99; + double mom(unknown), time(unknown); + if (p) { + const HepMC::GenVertex * v = p->production_vertex(); + if (v) { + mom = mag(p->momentum()); + time = v->position().t()/CLHEP::c_light; + // theclass->messageDebug("fixMomentumInfoInSimHits genparticle "+str(mom/GeV)+" GeV, time = "+str(time/ns)+" ns"); + } + } + + //First thing we do is to quickly determine if we are in the special + //situation of all hits+genparticle missing momentum information, or + //all hits already including momentum information. + + bool sawhitwithoutmominfo(false); + bool sawhitwithmominfo(mom!=unknown); + SimHitList::iterator it(hitlist.begin()), itE(hitlist.end()); + for (;it!=itE;++it) { + const bool hasinfo = it->second->momentum()>=0.0; + if (hasinfo) + sawhitwithmominfo = true; + else + sawhitwithoutmominfo = true; + if (sawhitwithoutmominfo&&sawhitwithmominfo) + break; + } + + if (!sawhitwithoutmominfo) { + //Already perfectly fine + return true; + } + if (!sawhitwithmominfo) { + //Worst case scenario. Discard all for now. + theclass->messageDebug("Discarding hitlist." ); + SimHitList::iterator it(hitlist.begin()), itE(hitlist.end()); + for (;it!=itE;++it) + delete it->second; + hitlist.clear(); + return false; + } + +// { +// if (time!=unknown) +// theclass->messageDebug("BEFORE STARTS WITH GP time = "+str(time/ns)+" ns, mom = "+str(mom/GeV)+" GeV" ); +// SimHitList::iterator it(hitlist.begin()), itE(hitlist.end()); +// for (;it!=itE;++it) { +// theclass->messageDebug("BEFORE time = "+str(it->second->hitTime()/ns)+" ns, mom = "+str(it->second->momentum()/GeV)+" GeV" ); +// } +// } + + //OK, we have some mom info, but not in all hits. Time to do some dirty work! + + //First (if no genparticle), we check if the hitlist begins with + //hits without momentum information. If it does, we simply supply + //the first hit with an *extrapolated* guess! + if (mom==unknown) { + if (hitlist.at(0).second->momentum()<0.0) { + SimHitList::iterator it(hitlist.begin()), itE(hitlist.end()); + for (;it!=itE;++it) { + if (it->second->momentum()>=0.0) { + hitlist.at(0).second->setFakeMomentum(it->second->momentum()*1.00001);//We make it slightly bigger. Just because. + break; + } + } + if (hitlist.at(0).second->momentum()<0.0) { + theclass->messageDebug("fixMomentumInfoInSimHits ERROR: Should not happen! (1)" ); + //Fixme: clear hitlist. + return false; + } + } + mom = hitlist.at(0).second->momentum(); + time = hitlist.at(0).second->hitTime(); + } + + //Then we check if the hitlist ends with hits without momentum + //information. If it does we simply supply the very last of the hits + //with an *extrapolated* guess! (FIXME: ASSUME 0.01% loss every CLHEP::ns or + //something else that is simple? Or even use the extrapolator to the + //last of those hits?) + unsigned ilast = hitlist.size()-1; + if (hitlist.at(ilast).second->momentum()<0.0) { + for (int iLastWithMom = ilast-1;iLastWithMom>=0;--iLastWithMom) { + if (hitlist.at(iLastWithMom).second->momentum()>0.0) { + hitlist.at(ilast).second->setFakeMomentum(hitlist.at(iLastWithMom).second->momentum()*0.99999);//Slight smaller. Just because. + break; + } + } + if (hitlist.at(ilast).second->momentum()<0.0) { + //Get it from the genparticle: + if (mom==unknown) { + theclass->messageDebug("fixMomentumInfoInSimHits ERROR: Should not happen! (2)" ); + //Fixme: clear hitlist. + return false; + } + hitlist.at(ilast).second->setFakeMomentum(mom*0.99999); + } + } + + //Every unknown momentum is now surrounded in time with momentum information. Time to interpolate!! + if (mom==unknown||time==unknown) { + //No genparticle. Initialise from first hit. + mom = hitlist.at(0).second->momentum(); + time = hitlist.at(0).second->hitTime(); + } + + unsigned iNextWithMom(0); + for (unsigned i = 0; i < hitlist.size(); ++i) { + if (hitlist.at(i).second->momentum()>=0.0) { + mom = hitlist.at(i).second->momentum(); + time = hitlist.at(i).second->hitTime(); + continue; + } + if (iNextWithMom<=i) { + for (unsigned j = i+1;j<hitlist.size();++j) { + if (hitlist.at(j).second->momentum()>=0.0) { + iNextWithMom = j; + break; + } + } + if (iNextWithMom<=i) { + theclass->messageDebug("fixMomentumInfoInSimHits ERROR: Should not happen! (3)" ); + //Fixme: clear hitlist. + return false; + } + } + // + double time2 = hitlist.at(iNextWithMom).second->hitTime(); + double mom2 = hitlist.at(iNextWithMom).second->momentum(); + double t = hitlist.at(i).second->hitTime(); +// theclass->message("ABOUT TO INTERPOLATE time="+str(time/ns)+", t="+str(t/ns)+", time2="+str(time2/ns)+", mom="+str(mom/GeV)+", mom2="+str(mom2/GeV));//fixme + + if (t<=time||t>=time2||time2<=time) + theclass->message("SUSPICIOUS TIME");//fixme + if (mom2>=mom) + theclass->message("SUSPICIOUS MOM mom="+str(mom)+", mom2="+str(mom2));//fixme + mom += (mom2-mom)*(t-time)/(time2-time); + time = t; + hitlist.at(i).second->setFakeMomentum(mom); + } + + + + +// //Now we loop through the list and see what we need to fix, if anything: + +// unsigned iNextWithMom(0); +// for (unsigned i = 1/*already dealt with first*/; i < hitlist.size(); ++i) { +// if (hitlist.at(i).second->momentum()>=0.0) { +// mom = hitlist.at(i).second->momentum(); +// time = hitlist.at(i).second->hitTime(); +// } else { +// if (iNextWithMom<=i) { +// for (unsigned j = i+1;j<hitlist.size();++j) { +// if (hitlist.at(j).second->momentum()>=0.0) { +// iNextWithMom = j; +// break; +// } +// } +// if (iNextWithMom<=i) { +// //Discard end of list!! +// unsigned j = i; +// for (;j<hitlist.size();++j) { +// //TESTdelete hitlist.at(j).second; +// } +// hitlist.resize(j); +// theclass->messageDebug("Discarded "+str(hitlist.size()-i)+" simhits due to missing momentum information at the start of the list"); +// return !hitlist.empty() || !p; +// } +// //Interpolate mom(time) values: +// double time2 = hitlist.at(iNextWithMom).second->hitTime(); +// double mom2 = hitlist.at(iNextWithMom).second->momentum(); +// double t = hitlist.at(i).second->hitTime(); +// if (t<=time||t>=time2||time2<=time) +// theclass->message("SUSPICIOUS TIME");//fixme +// if (mom2>=mom) +// theclass->message("SUSPICIOUS MOM");//fixme +// mom = (t-time)/(time2-time)*(mom2-mom); +// time = t; +// hitlist.at(i).second->setFakeMomentum(mom); +// } +// } +// } + + +// // typedef std::vector<std::pair<double,SimHitHandleBase*> > SimHitList;//hitTime() to SimHitHandle's + + +// { +// SimHitList::iterator it(hitlist.begin()), itE(hitlist.end()); +// for (;it!=itE;++it) { +// theclass->messageDebug("AFTER time = "+str(it->second->hitTime()/ns)+" ns, mom = "+str(it->second->momentum()/GeV)+" GeV" ); +// } +// } + + return true; + +} + + +//If has momentum - Check light-speed consistency given positions and time. +//mom should be decreasing + +//____________________________________________________________________ +void TrackCollHandle_TruthTracks::Imp::updateVisibleAssociatedObjects() +{ + + theclass->message("updateVisibleAssociatedObjects");//fixme + theclass->largeChangesBegin(); + theclass->trackHandleIterationBegin(); + TrackHandle_TruthTrack* handle; + while ((handle=static_cast<TrackHandle_TruthTrack*>(theclass->getNextTrackHandle()))) { + handle->setAscObjsVisible(displayAscObjs); + } + theclass->largeChangesEnd(); +} + diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackCollWidget.cxx b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackCollWidget.cxx new file mode 100644 index 0000000000000000000000000000000000000000..3b669a29d6b1f3d7ba1f91acf8c0d49c05a9f39a --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackCollWidget.cxx @@ -0,0 +1,44 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class TrackCollWidget // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: February 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12TrackSystems/TrackCollWidget.h" +#include "VTI12TrackSystems/TrackTypes.h" + +//____________________________________________________________________ +class TrackCollWidget::Imp { +public: + static TrackCollWidget * theclass; + static bool sectionSorting(const QString &s1, const QString &s2) + { + //We sort by the order of the types in the enum. + bool ok1, ok2; + TrackType::Type type1 = TrackType::sectionHeaderToType(s1, ok1); + TrackType::Type type2 = TrackType::sectionHeaderToType(s2, ok2); + if (!ok1&&theclass) + theclass->message("Could not decode section header to type: '"+s1+"'"); + if (!ok2&&theclass) + theclass->message("Could not decode section header to type: '"+s2+"'"); + return static_cast<int>(type1) < static_cast<int>(type2); + } +}; + +TrackCollWidget * TrackCollWidget::Imp::theclass = 0; + +//____________________________________________________________________ +void TrackCollWidget::sortSections(QList<QString>& sections) +{ + Imp::theclass = this;//I guess this is not really threadsafe... + qSort(sections.begin(),sections.end(),Imp::sectionSorting); + Imp::theclass = 0; +} diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackCollectionSettingsButton.cxx b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackCollectionSettingsButton.cxx new file mode 100644 index 0000000000000000000000000000000000000000..e66d9382e8b5fcb08cc31161498081aefb8b526a --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackCollectionSettingsButton.cxx @@ -0,0 +1,642 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#include "VTI12TrackSystems/TrackCollectionSettingsButton.h" +#include "VP1Base/VP1QtInventorUtils.h" +#include "VP1Base/VP1ColorSelectButton.h" +#include "VP1Base/VP1Serialise.h" +#include "VP1Base/VP1Deserialise.h" + +#include "ui_pertrackcollectionsettings_form.h" +#include "ui_settings_cuts_form.h" + +#include "CLHEP/Units/SystemOfUnits.h" + +#include "Inventor/nodes/SoDrawStyle.h" +#include "Inventor/nodes/SoLightModel.h" +#include <iostream> + +#include <QTimer> +#include <QByteArray> +#include <QBuffer> +#include <QDataStream> +#include <QMouseEvent> +#include <QDragEnterEvent> +#include <QDropEvent> +#include <QShortcut> +#include <QMimeData> +#include <QDrag> + + +//____________________________________________________________________ +class TrackCollectionSettingsButton::Imp { +public: + Imp():theclass(0),editwindow(0),matButton(0), trackDrawStyle(0), trackLightModel(0), + last_trackTubeRadius(0.0),last_cutTruthFromIROnly{}, last_cutExcludeBarcodeZero{}, + last_cutTruthExcludeNeutrals{},last_cutOnlyVertexAssocTracks{},last_useDefaultCuts{}, + dim(0), serialization_version(0){ + //nop + } + TrackCollectionSettingsButton * theclass; + QWidget * editwindow; + Ui::TrackCollectionSettingsForm editwindow_ui; + + VP1MaterialButton* matButton; + + SoDrawStyle * trackDrawStyle; + SoLightModel * trackLightModel; + + //GUI - last values + double last_trackTubeRadius; + VP1Interval last_cutAllowedPt; + VP1Interval last_cutAllowedP; + VP1Interval last_cutAllowedEta; + QList<VP1Interval> last_cutAllowedPhi; + QList<unsigned> last_cutRequiredNHits; + bool last_cutTruthFromIROnly; + bool last_cutExcludeBarcodeZero; + bool last_cutTruthExcludeNeutrals; + bool last_cutOnlyVertexAssocTracks; + bool last_useDefaultCuts; + + int dim; + QPoint dragStartPosition; + + void initEditWindow(); + + int serialization_version; +}; + +//____________________________________________________________________ +void TrackCollectionSettingsButton::Imp::initEditWindow() +{ + if (editwindow) + return; + theclass->messageVerbose("Initialising material editor dialog"); + editwindow = new QWidget(0,Qt::WindowStaysOnTopHint); + editwindow_ui.setupUi(editwindow); + matButton = editwindow_ui.pushButton_matButton; +} + +//____________________________________________________________________ +void TrackCollectionSettingsButton::setText(const QString& t) +{ + if (m_d->editwindow) + m_d->editwindow->setWindowTitle(t); + setToolTip(t); +} + +//____________________________________________________________________ +TrackCollectionSettingsButton::TrackCollectionSettingsButton(QWidget * parent,int dim) + : VP1MaterialButtonBase(parent,0,"VP1MaterialButton"), m_d(new Imp) +{ + m_d->dim = dim; + + m_d->theclass = this; + m_d->initEditWindow(); + + // declare the current serialization version number + m_d->serialization_version = 2; + + + //Draw Styles / Complexity: + VP1QtInventorUtils::setLimitsLineWidthSlider(m_d->editwindow_ui.horizontalSlider_trackWidth); + VP1QtInventorUtils::setValueLineWidthSlider(m_d->editwindow_ui.horizontalSlider_trackWidth,1.0); + + m_d->trackDrawStyle = new SoDrawStyle; + m_d->trackDrawStyle->setName("TrackDrawStyle"); + m_d->trackDrawStyle->ref(); + updateTrackDrawStyle(); + connect(m_d->editwindow_ui.horizontalSlider_trackWidth,SIGNAL(valueChanged(int)),this,SLOT(updateTrackDrawStyle())); + + m_d->trackLightModel = new SoLightModel; + m_d->trackLightModel->setName("TrackLightModel"); + m_d->trackLightModel->ref(); + updateTrackLightModel(false); + connect(m_d->editwindow_ui.checkBox_tracksUseBaseLightModel,SIGNAL(toggled(bool)),this,SLOT(updateTrackLightModel(bool))); + + m_d->last_trackTubeRadius=trackTubeRadius(); + connect(m_d->editwindow_ui.checkBox_trackTubes,SIGNAL(toggled(bool)),this,SLOT(updateTrackTubeRadius())); + connect(m_d->editwindow_ui.doubleSpinBox_trackTubesRadiusMM,SIGNAL(valueChanged(double)),this,SLOT(updateTrackTubeRadius())); + + connect(m_d->editwindow_ui.checkBox_hideactualpaths,SIGNAL(toggled(bool)),this,SLOT(updateHideActualTrackPath(bool))); + + // Cuts + connect(m_d->editwindow_ui.checkBox_defaultCuts,SIGNAL(toggled(bool)),this,SLOT(possibleChange_useDefaultCuts())); + m_d->last_useDefaultCuts=m_d->editwindow_ui.checkBox_defaultCuts->isChecked(); + messageVerbose("editwindow_ui.checkBox_defaultCuts->isChecked() L " + str(m_d->editwindow_ui.checkBox_defaultCuts->isChecked())); + + + // -> cutAllowedP/Pt + connect(m_d->editwindow_ui.checkBox_cut_minpt,SIGNAL(toggled(bool)),this,SLOT(possibleChange_cutAllowedPt())); + connect(m_d->editwindow_ui.checkBox_cut_maxpt,SIGNAL(toggled(bool)),this,SLOT(possibleChange_cutAllowedPt())); + connect(m_d->editwindow_ui.doubleSpinBox_cut_minpt_gev,SIGNAL(valueChanged(double)),this,SLOT(possibleChange_cutAllowedPt())); + connect(m_d->editwindow_ui.doubleSpinBox_cut_maxpt_gev,SIGNAL(valueChanged(double)),this,SLOT(possibleChange_cutAllowedPt())); + connect(m_d->editwindow_ui.checkBox_cut_minpt,SIGNAL(toggled(bool)),this,SLOT(possibleChange_cutAllowedPt())); + //connect(m_d->editwindow_ui.comboBox_momtype,SIGNAL(valueChanged(bool)),this,SLOT(possibleChange_cutAllowedPt())); + connect(m_d->editwindow_ui.comboBox_momtype,SIGNAL(currentIndexChanged(int)),this,SLOT(possibleChange_cutAllowedPt())); + + + // -> cutAllowedEta + connect(m_d->editwindow_ui.etaPhiCutWidget,SIGNAL(allowedEtaChanged(const VP1Interval&)),this,SLOT(possibleChange_cutAllowedEta())); + + // -> cutAllowedPhi + connect(m_d->editwindow_ui.etaPhiCutWidget,SIGNAL(allowedPhiChanged(const QList<VP1Interval>&)),this,SLOT(possibleChange_cutAllowedPhi())); + + // -> cutRequiredNHits(); + connect(m_d->editwindow_ui.checkBox_cut_nhits_pixel,SIGNAL(toggled(bool)),this,SLOT(possibleChange_cutRequiredNHits())); + connect(m_d->editwindow_ui.checkBox_cut_nhits_sct,SIGNAL(toggled(bool)),this,SLOT(possibleChange_cutRequiredNHits())); + connect(m_d->editwindow_ui.checkBox_cut_nhits_trt,SIGNAL(toggled(bool)),this,SLOT(possibleChange_cutRequiredNHits())); + connect(m_d->editwindow_ui.checkBox_cut_nhits_muon,SIGNAL(toggled(bool)),this,SLOT(possibleChange_cutRequiredNHits())); + connect(m_d->editwindow_ui.checkBox_cut_nprecisionhits_muon,SIGNAL(toggled(bool)),this,SLOT(possibleChange_cutRequiredNHits())); + connect(m_d->editwindow_ui.spinBox_cut_nhits_pixel,SIGNAL(valueChanged(int)),this,SLOT(possibleChange_cutRequiredNHits())); + connect(m_d->editwindow_ui.spinBox_cut_nhits_sct,SIGNAL(valueChanged(int)),this,SLOT(possibleChange_cutRequiredNHits())); + connect(m_d->editwindow_ui.spinBox_cut_nhits_trt,SIGNAL(valueChanged(int)),this,SLOT(possibleChange_cutRequiredNHits())); + connect(m_d->editwindow_ui.spinBox_cut_nhits_muon,SIGNAL(valueChanged(int)),this,SLOT(possibleChange_cutRequiredNHits())); + connect(m_d->editwindow_ui.spinBox_cut_nprecisionhits_muon,SIGNAL(valueChanged(int)),this,SLOT(possibleChange_cutRequiredNHits())); + + // -> cutTruthFromIROnly + connect(m_d->editwindow_ui.checkBox_cut_truthtracks_creationvertexinIR,SIGNAL(toggled(bool)),this,SLOT(possibleChange_cutTruthFromIROnly())); + + // -> cutExcludeBarcodeZero + connect(m_d->editwindow_ui.checkBox_cut_truthtracks_excludebarcode0,SIGNAL(toggled(bool)),this,SLOT(possibleChange_cutExcludeBarcodeZero())); + + // -> cutTruthExcludeNeutrals + connect(m_d->editwindow_ui.checkBox_cut_truthtracks_excludeneutrals,SIGNAL(toggled(bool)),this,SLOT(possibleChange_cutTruthExcludeNeutrals())); + + // -> cutOnlyVertexAssocTracks + connect(m_d->editwindow_ui.checkBox_vertexAssociated,SIGNAL(toggled(bool)),this,SLOT(possibleChange_cutOnlyVertexAssocTracks())); + + connect(this,SIGNAL(clicked()),this,SLOT(showEditMaterialDialog())); + connect(m_d->editwindow_ui.pushButton_close,SIGNAL(clicked()),this,SLOT(showEditMaterialDialog())); + connect(m_d->matButton,SIGNAL(lastAppliedChanged()),this,SLOT(updateButton())); + connect(m_d->matButton,SIGNAL(lastAppliedChanged()),this,SIGNAL(lastAppliedChanged())); + setAcceptDrops(true); + + QTimer::singleShot(0, this, SLOT(updateButton())); + +} + +// QWidget& TrackCollectionSettingsButton::editWindow() { +// if (!m_d->editwindow) +// initEditWindow(); +// return *(m_d->editwindow); +// } +TrackCollectionSettingsButton::~TrackCollectionSettingsButton() +{ + delete m_d->editwindow; + m_d->trackDrawStyle->unref(); + m_d->trackLightModel->unref(); + delete m_d; +} + +void TrackCollectionSettingsButton::updateButton() +{ + if (objectName().isEmpty()) + setObjectName("TrackCollectionSettingsButton"); + messageVerbose("setColButtonProperties: color=" + str(m_d->matButton->lastAppliedDiffuseColour())); + VP1ColorSelectButton::setColButtonProperties(this,m_d->matButton->lastAppliedDiffuseColour(),m_d->dim); +} + +void TrackCollectionSettingsButton::setDimension(int dim) +{ + if (m_d->dim == dim) + return; + m_d->dim = dim; + updateButton(); +} + +void TrackCollectionSettingsButton::showEditMaterialDialog() +{ + if (!m_d->editwindow) + m_d->initEditWindow(); + + if (m_d->editwindow->isHidden()) + m_d->editwindow->show(); + else + m_d->editwindow->hide(); +} + +bool TrackCollectionSettingsButton::setMaterial(SoMaterial*mat) +{ + if (!m_d->matButton) m_d->initEditWindow(); + m_d->matButton->setMaterial(mat); + return true; +} + +void TrackCollectionSettingsButton::copyValuesFromMaterial(SoMaterial*mat) +{ + if (!m_d->matButton) m_d->initEditWindow(); + m_d->matButton->setMaterial(mat); +} +double TrackCollectionSettingsButton::lastAppliedTransparency() const +{ + if (!m_d->matButton) m_d->initEditWindow(); + return m_d->matButton->lastAppliedTransparency(); +} +double TrackCollectionSettingsButton::lastAppliedShininess() const +{ + if (!m_d->matButton) m_d->initEditWindow(); + return m_d->matButton->lastAppliedShininess(); +} +double TrackCollectionSettingsButton::lastAppliedBrightness() const +{ + if (!m_d->matButton) m_d->initEditWindow(); + return m_d->matButton->lastAppliedBrightness(); +} + +double TrackCollectionSettingsButton::trackTubeRadius() const +{ + return m_d->editwindow_ui.checkBox_trackTubes->isChecked() ? + m_d->editwindow_ui.doubleSpinBox_trackTubesRadiusMM->value()*CLHEP::mm : 0.0; +} + +void TrackCollectionSettingsButton::updateTrackTubeRadius() +{ + if (m_d->last_trackTubeRadius==trackTubeRadius()) return; + m_d->last_trackTubeRadius=trackTubeRadius(); + messageVerbose("TrackTubeRadius changed to "+str(m_d->last_trackTubeRadius)); + emit trackTubeRadiusChanged(m_d->last_trackTubeRadius); + return; +} + +void TrackCollectionSettingsButton::updateTrackDrawStyle() +{ + double val = VP1QtInventorUtils::getValueLineWidthSlider(m_d->editwindow_ui.horizontalSlider_trackWidth); + if (m_d->trackDrawStyle->lineWidth.getValue()!=val) + m_d->trackDrawStyle->lineWidth = val; +} + +void TrackCollectionSettingsButton::updateTrackLightModel(bool base) +{ + if (m_d->trackLightModel->model.getValue()!=(base?SoLightModel::BASE_COLOR:SoLightModel::PHONG)) { + messageVerbose("TrackLightModel changed (base = "+str(base)); + if (base) + m_d->trackLightModel->model.setValue(SoLightModel::BASE_COLOR); + else + m_d->trackLightModel->model.setValue(SoLightModel::PHONG); + } +} + +void TrackCollectionSettingsButton::updateHideActualTrackPath(bool hide) +{ + emit hideActualTrackPathChanged(hide); +} + + +SoDrawStyle * TrackCollectionSettingsButton::trackDrawStyle() const +{ + return m_d->trackDrawStyle; +} + +SoLightModel * TrackCollectionSettingsButton::trackLightModel() const +{ + return m_d->trackLightModel; +} + +bool TrackCollectionSettingsButton::hideActualTrackPath() const +{ + return m_d->editwindow_ui.checkBox_hideactualpaths->isChecked(); +} + + +bool TrackCollectionSettingsButton::useDefaultCuts() const +{ + return m_d->editwindow_ui.checkBox_defaultCuts->isChecked(); +} + +bool TrackCollectionSettingsButton::cutOnlyVertexAssocTracks() const +{ + return m_d->editwindow_ui.checkBox_vertexAssociated->isChecked(); +} + +//____________________________________________________________________ +void TrackCollectionSettingsButton::mousePressEvent(QMouseEvent *event) +{ + if (event->button() == Qt::LeftButton) + m_d->dragStartPosition = event->pos(); + QPushButton::mousePressEvent(event); +} + +//____________________________________________________________________ +void TrackCollectionSettingsButton::dragEnterEvent(QDragEnterEvent *event) +{ + if (event->source()!=this && event->mimeData()->hasFormat("vp1/material")) + event->acceptProposedAction(); +} + +//____________________________________________________________________ +void TrackCollectionSettingsButton::mouseMoveEvent(QMouseEvent *event) +{ + if (!(event->buttons() & Qt::LeftButton)) + return; + if ((event->pos() - m_d->dragStartPosition).manhattanLength() + < QApplication::startDragDistance()) + return; + + QDrag *drag = new QDrag(this); + QMimeData *mimeData = new QMimeData; + + ///////////////////////////////////////////////////// + // For dragging state onto other material buttons: // + ///////////////////////////////////////////////////// + + QByteArray byteArray = saveState(); + + // buffer.close(); + mimeData->setData("vp1/material", byteArray); + + // //////////////////////////////////////////////////////// + // // For dragging c++ code for defining this material // + // // into e.g. an editor: // + // //////////////////////////////////////////////////////// + // + // QString s = "SoMaterial * mat = new SoMaterial;\n"; + // QString str_ambient = m_d->toSbColTxt(m_d->lastapplied_ambient); + // if (str_ambient!="SbColor(0.2,0.2,0.2)") + // s += "mat->ambientColor.setValue("+str_ambient+");\n"; + // QString str_diffuse = m_d->toSbColTxt(m_d->lastapplied_diffuse); + // if (str_diffuse!="SbColor(0.8,0.8,0.8)") + // s += "mat->diffuseColor.setValue("+str_diffuse+");\n"; + // QString str_specular = m_d->toSbColTxt(m_d->lastapplied_specular); + // if (str_specular!="SbColor(0,0,0)") + // s += "mat->specularColor.setValue("+str_specular+");\n"; + // QString str_emissive = m_d->toSbColTxt(m_d->lastapplied_emissive); + // if (str_emissive!="SbColor(0,0,0)") + // s += "mat->emissiveColor.setValue("+str_emissive+");\n"; + // QString str_shininess = m_d->printFloat(m_d->lastapplied_shininess/100.0); + // if (str_shininess!="0.2") + // s += "mat->shininess.setValue("+str_shininess+");\n"; + // QString str_transparency = m_d->printFloat(m_d->lastapplied_transparency/100.0); + // if (str_transparency!="0") + // s += "mat->transparency.setValue("+str_transparency+");\n"; + // mimeData->setText(s); + + //Execute drag: + drag->setMimeData(mimeData);//drag assumes ownership of mimeData + drag->exec(Qt::CopyAction | Qt::MoveAction); +} + +//____________________________________________________________________ +void TrackCollectionSettingsButton::dropEvent(QDropEvent *event) +{ + QByteArray data = event->mimeData()->data("vp1/material"); + event->acceptProposedAction(); + restoreFromState(data); +} + + +QByteArray TrackCollectionSettingsButton::saveState() const{ + // messageVerbose("getState"); + // if (m_d->editwindow_ui.checkBox_tracksUseBaseLightModel->isChecked()) messageVerbose("checked!"); + + // start serializing data with the current version number, + // which is declared in the contructor + VP1Serialise serialise(m_d->serialization_version/*version*/); + + serialise.save(m_d->matButton); + // serialise.disableUnsavedChecks(); + serialise.save(m_d->editwindow_ui.horizontalSlider_trackWidth); + serialise.save(m_d->editwindow_ui.checkBox_trackTubes); + serialise.save(m_d->editwindow_ui.doubleSpinBox_trackTubesRadiusMM); + serialise.save(m_d->editwindow_ui.checkBox_tracksUseBaseLightModel); + serialise.save(m_d->editwindow_ui.checkBox_hideactualpaths); + serialise.save(m_d->editwindow_ui.checkBox_defaultCuts); + serialise.save(m_d->editwindow_ui.checkBox_defaultCuts); + + serialise.save(m_d->editwindow_ui.checkBox_cut_minpt); + serialise.save(m_d->editwindow_ui.checkBox_cut_maxpt); + serialise.save(m_d->editwindow_ui.doubleSpinBox_cut_minpt_gev); + serialise.save(m_d->editwindow_ui.doubleSpinBox_cut_maxpt_gev); + serialise.save(m_d->editwindow_ui.checkBox_cut_minpt); + serialise.save(m_d->editwindow_ui.comboBox_momtype); + serialise.save(m_d->editwindow_ui.etaPhiCutWidget); + serialise.save(m_d->editwindow_ui.etaPhiCutWidget); + serialise.save(m_d->editwindow_ui.checkBox_cut_nhits_pixel); + serialise.save(m_d->editwindow_ui.checkBox_cut_nhits_sct); + serialise.save(m_d->editwindow_ui.checkBox_cut_nhits_trt); + serialise.save(m_d->editwindow_ui.checkBox_cut_nhits_muon); + serialise.save(m_d->editwindow_ui.checkBox_cut_nprecisionhits_muon); + serialise.save(m_d->editwindow_ui.spinBox_cut_nhits_pixel); + serialise.save(m_d->editwindow_ui.spinBox_cut_nhits_sct); + serialise.save(m_d->editwindow_ui.spinBox_cut_nhits_trt); + serialise.save(m_d->editwindow_ui.spinBox_cut_nhits_muon); + serialise.save(m_d->editwindow_ui.spinBox_cut_nprecisionhits_muon); + serialise.save(m_d->editwindow_ui.checkBox_cut_truthtracks_creationvertexinIR); + serialise.save(m_d->editwindow_ui.checkBox_cut_truthtracks_excludebarcode0); + serialise.save(m_d->editwindow_ui.checkBox_cut_truthtracks_excludeneutrals); + serialise.save(m_d->editwindow_ui.checkBox_vertexAssociated); + + serialise.widgetHandled(this); + serialise.warnUnsaved(this); + return serialise.result(); +} + +void TrackCollectionSettingsButton::restoreFromState( const QByteArray& ba){ + + VP1Deserialise state(ba,systemBase()); + + if (state.version()<0||state.version()>2) { + message("Version of 'TrackCollectionSettingsButton' settings file not recognized: "+QString::number(state.version())+" [current: "+QString::number(m_d->serialization_version)+"]. Ignoring..."); + return;//Ignore silently + } + state.restore(m_d->matButton); + state.restore(m_d->editwindow_ui.horizontalSlider_trackWidth); + state.restore(m_d->editwindow_ui.checkBox_trackTubes); + state.restore(m_d->editwindow_ui.doubleSpinBox_trackTubesRadiusMM); + state.restore(m_d->editwindow_ui.checkBox_tracksUseBaseLightModel); + state.restore(m_d->editwindow_ui.checkBox_hideactualpaths); + state.restore(m_d->editwindow_ui.checkBox_defaultCuts); + + state.restore(m_d->editwindow_ui.checkBox_cut_minpt); + state.restore(m_d->editwindow_ui.checkBox_cut_maxpt); + state.restore(m_d->editwindow_ui.doubleSpinBox_cut_minpt_gev); + state.restore(m_d->editwindow_ui.doubleSpinBox_cut_maxpt_gev); + state.restore(m_d->editwindow_ui.checkBox_cut_minpt); + state.restore(m_d->editwindow_ui.comboBox_momtype); + state.restore(m_d->editwindow_ui.etaPhiCutWidget); + state.restore(m_d->editwindow_ui.etaPhiCutWidget); + state.restore(m_d->editwindow_ui.checkBox_cut_nhits_pixel); + state.restore(m_d->editwindow_ui.checkBox_cut_nhits_sct); + state.restore(m_d->editwindow_ui.checkBox_cut_nhits_trt); + state.restore(m_d->editwindow_ui.checkBox_cut_nhits_muon); + state.restore(m_d->editwindow_ui.checkBox_cut_nprecisionhits_muon); + state.restore(m_d->editwindow_ui.spinBox_cut_nhits_pixel); + state.restore(m_d->editwindow_ui.spinBox_cut_nhits_sct); + state.restore(m_d->editwindow_ui.spinBox_cut_nhits_trt); + state.restore(m_d->editwindow_ui.spinBox_cut_nhits_muon); + state.restore(m_d->editwindow_ui.spinBox_cut_nprecisionhits_muon); + state.restore(m_d->editwindow_ui.checkBox_cut_truthtracks_creationvertexinIR); + state.restore(m_d->editwindow_ui.checkBox_cut_truthtracks_excludebarcode0); + state.restore(m_d->editwindow_ui.checkBox_cut_truthtracks_excludeneutrals); + state.restore(m_d->editwindow_ui.checkBox_vertexAssociated); + + state.widgetHandled(this); + state.warnUnrestored(this); + + updateTrackTubeRadius(); + updateTrackLightModel(m_d->editwindow_ui.checkBox_tracksUseBaseLightModel); + updateButton(); + //FIXME - anything else need updating? +} + +//____________________________________________________________________ +VP1Interval TrackCollectionSettingsButton::cutAllowedPt() const +{ + if (!m_d->editwindow_ui.checkBox_cut_minpt) + return VP1Interval(); + + // will set range to negative if we have momcut=P + // if minCut unset then min=-inf + // if minCut set, and Pt selected, then min=-minCut + // if minCut set, and P selected, then min=-maxCut + // etc + bool isPCut = m_d->editwindow_ui.comboBox_momtype->currentText()=="P"; + + const double minFromInterface=m_d->editwindow_ui.doubleSpinBox_cut_minpt_gev->value()*CLHEP::GeV; + const double maxFromInterface=m_d->editwindow_ui.doubleSpinBox_cut_maxpt_gev->value()*CLHEP::GeV; + + double min=0.0,max=0.0; + if (!isPCut) { + //Pt cut + min = (m_d->editwindow_ui.checkBox_cut_minpt->isChecked() ? minFromInterface : -std::numeric_limits<double>::infinity()); + max = (m_d->editwindow_ui.checkBox_cut_maxpt->isChecked() ? maxFromInterface : std::numeric_limits<double>::infinity()); + } else { + min = (m_d->editwindow_ui.checkBox_cut_maxpt->isChecked() ? -maxFromInterface : -std::numeric_limits<double>::infinity()); + max = (m_d->editwindow_ui.checkBox_cut_minpt->isChecked() ? -minFromInterface : std::numeric_limits<double>::infinity()); + } + + //message("cutAllowedPt: min,max="+QString::number(min)+","+QString::number(max)); + + if (max<min) + return VP1Interval(); + + return VP1Interval( min, max );//fixme: closed interval?? +} + +//____________________________________________________________________ +VP1Interval TrackCollectionSettingsButton::cutAllowedEta() const +{ + return m_d->editwindow_ui.etaPhiCutWidget->allowedEta(); +} + +//____________________________________________________________________ +QList<VP1Interval> TrackCollectionSettingsButton::cutAllowedPhi() const +{ + return m_d->editwindow_ui.etaPhiCutWidget->allowedPhi(); +} + +//____________________________________________________________________ +QList<unsigned> TrackCollectionSettingsButton::cutRequiredNHits() const +{ + unsigned npixel = m_d->editwindow_ui.checkBox_cut_nhits_pixel->isChecked() ? m_d->editwindow_ui.spinBox_cut_nhits_pixel->value() : 0; + unsigned nsct = m_d->editwindow_ui.checkBox_cut_nhits_sct->isChecked() ? m_d->editwindow_ui.spinBox_cut_nhits_sct->value() : 0; + unsigned ntrt = m_d->editwindow_ui.checkBox_cut_nhits_trt->isChecked() ? m_d->editwindow_ui.spinBox_cut_nhits_trt->value() : 0; + unsigned nmuon = m_d->editwindow_ui.checkBox_cut_nhits_muon->isChecked() ? m_d->editwindow_ui.spinBox_cut_nhits_muon->value() : 0; + unsigned nprecmuon = m_d->editwindow_ui.checkBox_cut_nprecisionhits_muon->isChecked() ? m_d->editwindow_ui.spinBox_cut_nprecisionhits_muon->value() : 0; + QList<unsigned> l; + if (!npixel&&!nsct&&!ntrt&&!nmuon&&!nprecmuon) + return l; + l << npixel << nsct << ntrt << nmuon << nprecmuon; + return l; +} + +//____________________________________________________________________ +bool TrackCollectionSettingsButton::cutTruthFromIROnly() const +{ + return m_d->editwindow_ui.checkBox_cut_truthtracks_creationvertexinIR->isChecked(); +} + +//____________________________________________________________________ +bool TrackCollectionSettingsButton::cutExcludeBarcodeZero() const +{ + return m_d->editwindow_ui.checkBox_cut_truthtracks_excludebarcode0->isChecked(); +} + +//____________________________________________________________________ +bool TrackCollectionSettingsButton::cutTruthExcludeNeutrals() const +{ + return m_d->editwindow_ui.checkBox_cut_truthtracks_excludeneutrals->isChecked(); +} + + + +// "POSSIBLECHANGE" SLOTS +//____________________________________________________________________ +void TrackCollectionSettingsButton::possibleChange_useDefaultCuts() +{ + if (m_d->last_useDefaultCuts==useDefaultCuts()) return; + messageVerbose("useDefaultCuts() changed"); + m_d->last_useDefaultCuts= useDefaultCuts(); + emit useDefaultCutsChanged(m_d->last_useDefaultCuts); +} +//____________________________________________________________________ +void TrackCollectionSettingsButton::possibleChange_cutAllowedPt() +{ + messageVerbose("possibleChange_cutAllowedPt() "); + + if (m_d->last_cutAllowedPt==cutAllowedPt()) return; + messageVerbose("cutAllowedPt() changed"); + m_d->last_cutAllowedPt= cutAllowedPt(); + emit cutAllowedPtChanged(m_d->last_cutAllowedPt); +} +//____________________________________________________________________ +void TrackCollectionSettingsButton::possibleChange_cutAllowedEta() +{ + if (m_d->last_cutAllowedEta==cutAllowedEta()) return; + messageVerbose("cutAllowedEta() changed"); + m_d->last_cutAllowedEta=cutAllowedEta(); + emit cutAllowedEtaChanged(m_d->last_cutAllowedEta); +} +//____________________________________________________________________ +void TrackCollectionSettingsButton::possibleChange_cutAllowedPhi() +{ + if (m_d->last_cutAllowedPhi==cutAllowedPhi()) return; + messageVerbose("cutAllowedPhi() changed"); + m_d->last_cutAllowedPhi=cutAllowedPhi(); + emit cutAllowedPhiChanged(m_d->last_cutAllowedPhi); +} +//____________________________________________________________________ +void TrackCollectionSettingsButton::possibleChange_cutRequiredNHits() +{ + messageVerbose("TrackCollectionSettingsButton::possibleChange_cutRequiredNHits"); + if (m_d->last_cutRequiredNHits==cutRequiredNHits()) return; + messageVerbose("cutRequiredNHits() changed"); + m_d->last_cutRequiredNHits=cutRequiredNHits(); + emit cutRequiredNHitsChanged(m_d->last_cutRequiredNHits); +} +//____________________________________________________________________ +void TrackCollectionSettingsButton::possibleChange_cutTruthFromIROnly() +{ + if (m_d->last_cutTruthFromIROnly==cutTruthFromIROnly()) return; + messageVerbose("cutTruthFromIROnly() changed"); + m_d->last_cutTruthFromIROnly=cutTruthFromIROnly(); + emit cutTruthFromIROnlyChanged(m_d->last_cutTruthFromIROnly); +} +//____________________________________________________________________ +void TrackCollectionSettingsButton::possibleChange_cutExcludeBarcodeZero() +{ + if (m_d->last_cutExcludeBarcodeZero==cutExcludeBarcodeZero()) return; + messageVerbose("cutExcludeBarcodeZero() changed"); + m_d->last_cutExcludeBarcodeZero=cutExcludeBarcodeZero(); + emit cutExcludeBarcodeZeroChanged(m_d->last_cutExcludeBarcodeZero); +} + +//____________________________________________________________________ +void TrackCollectionSettingsButton::possibleChange_cutTruthExcludeNeutrals() +{ + if (m_d->last_cutTruthExcludeNeutrals==cutTruthExcludeNeutrals()) return; + messageVerbose("cutTruthExcludeNeutrals() changed"); + m_d->last_cutTruthExcludeNeutrals=cutTruthExcludeNeutrals(); + emit cutTruthExcludeNeutralsChanged(m_d->last_cutTruthExcludeNeutrals); +} + +//____________________________________________________________________ +void TrackCollectionSettingsButton::possibleChange_cutOnlyVertexAssocTracks() +{ + if (m_d->last_cutOnlyVertexAssocTracks==cutOnlyVertexAssocTracks()) return; + messageVerbose("cutOnlyVertexAssocTracks() changed"); + m_d->last_cutOnlyVertexAssocTracks=cutOnlyVertexAssocTracks(); + emit cutOnlyVertexAssocTracksChanged(m_d->last_cutOnlyVertexAssocTracks); +} diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackCommonFlags.cxx b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackCommonFlags.cxx new file mode 100644 index 0000000000000000000000000000000000000000..965ef8bc87f05fca36663baf471cef8a0d1572fb --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackCommonFlags.cxx @@ -0,0 +1,49 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class TrackCommonFlags // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: March 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12TrackSystems/TrackCommonFlags.h" + +//____________________________________________________________________ +QString TrackCommonFlags::toString(const SELECTIONMODE& sm) +{ + switch (sm) { + case SINGLEOBJECT: return "SINGLEOBJECT"; + case MULTITRACK: return "MULTITRACK"; + case TRACKFIT: return "TRACKFIT"; + default: return "Unknown (ERROR)"; + } +} + +QString TrackCommonFlags::toString(const FITTERMODE& sm) +{ + switch (sm) { + case FROMPRDS: return "FROMPRDS"; + case REFITSINGLETRACK: return "REFITSINGLETRACK"; + case EXTENDTRACKWITHPRDS: return "EXTENDTRACKWITHPRDS"; + case COMBINETWOTRACKS: return "COMBINETWOTRACKS"; + default: return "Unknown (ERROR)"; + } +} + + +//____________________________________________________________________ +QString TrackCommonFlags::toString(const DETAILLEVEL& dl ) +{ + switch (dl) { + case AUTO: return "AUTO"; + case SIMPLE: return "SIMPLE"; + case DETAILED: return "DETAILED"; + default: return "Unknown (ERROR)"; + } +} diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackHandleBase.cxx b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackHandleBase.cxx new file mode 100644 index 0000000000000000000000000000000000000000..96f1ce6eaf10fb324185c7e3c1a2616aca6a1bb2 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackHandleBase.cxx @@ -0,0 +1,1819 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class TrackHandleBase // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: February 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12TrackSystems/TrackHandleBase.h" +#include "VTI12TrackSystems/TrackCollHandleBase.h" +#include "VTI12TrackSystems/TrackSystemController.h" +#include "VTI12TrackSystems/VP1TrackSystem.h" +#include "VTI12TrackSystems/TrackPropagationHelper.h" +#include "VTI12TrackSystems/TrackLODManager.h" +#include "VTI12TrackSystems/AssociatedObjectHandleBase.h" +#include "VTI12TrackSystems/AscObjSelectionManager.h" +#include "VTI12TrackSystems/VP1TrackSanity.h" +#include "VTI12TrackSystems/SimBarCode.h"//For unknown pdg. Fixme: Use 0 for unknown pdg! +#include "VTI12TrackSystems/AscObj_TSOS.h" +#include "VTI12TrackSystems/TrkObjToString.h" +#include "VTI12Utils/VP1ParticleData.h" +#include "VTI12Utils/VP1LinAlgUtils.h" + +// #include "VP1GuideLineSystems/InDetProjHelper.h" + +#include "VTI12Utils/VP1JobConfigInfo.h" +#include "VP1Base/VP1ExtraSepLayerHelper.h" +#include "VP1Base/VP1Msg.h" +#include "VP1Base/VP1MaterialButton.h" +#include "VP1Base/VP1QtUtils.h" + +#include "TrkTrack/Track.h" +#include "TrkTrack/TrackStateOnSurface.h" +#include "VTI12Utils/SurfaceToSoNode.h" + +#include <Inventor/C/errors/debugerror.h> +#include <Inventor/nodes/SoLineSet.h> +#include <Inventor/nodes/SoVertexProperty.h> +#include <Inventor/nodes/SoSeparator.h> +#include <Inventor/nodes/SoMaterial.h> +#include <Inventor/nodes/SoPickStyle.h> +#include <Inventor/nodes/SoCylinder.h> +#include <Inventor/nodes/SoMatrixTransform.h> +#include <Inventor/SbRotation.h> +#include <Inventor/SbMatrix.h> +#include <Inventor/nodes/SoTranslation.h> +#include <Inventor/nodes/SoText2.h> + +#include "TrkVolumes/Volume.h" +#include "TrkVolumes/CylinderVolumeBounds.h" +#include "GeoPrimitives/AmgStringHelpers.h" +#include "GeoPrimitives/GeoPrimitives.h" + +#include <cassert> + + + +//____________________________________________________________________ +class TrackHandleBase::Imp { +public: + static void convertLineSetToCylinders(SoLineSet*line,SoSeparator*sep, const double& cylradius); + static double dist(const SbVec3f& p1,const SbVec3f& p2); + + static int ntrackhandles; + + Imp(TrackHandleBase*tc) : theclass(tc), + chargeinit(false), + charge(TrackHandleBase::unknown()), + massinit(false), + mass(TrackHandleBase::unknown()), + line(0), + extraRepresentation(0), + extrapSurfaces_sep(0), + extraRepAttached(false), + points_raw(0), points_propagated(0), + points_raw_id_projections(0), + points_propagated_id_projections(0), + randommaterial(0), + pathInfoLoaded(false), + pathInfo_TrkTrack(0), + pathInfo_Points(0), + label_sep(0), + shownTSOSParts(TrackCommonFlags::TSOS_NoObjects), + customColouredTSOSParts(TrackCommonFlags::TSOS_NoObjects), + tsos_ascobjs(0), + m_objBrowseTree(0), + tempMaxPropRadius(0.0){} + ~Imp() { delete tsos_ascobjs; } + TrackHandleBase * theclass; + + bool chargeinit; + double charge; + bool massinit; + double mass; + + SoLineSet * line;//This represents the line(s) representing the track and its projections + SoSeparator * extraRepresentation;//For alternative representations (e.g. tubes for lines) + SoSeparator* extrapSurfaces_sep;//!< for debugging. FIXME! + bool extraRepAttached; + + //For efficiency we cache parameterisations of the various track parts: + + //The next two vectors://=0 when not inited, !=0 but empty means previous attempt to init failed. + std::vector< Amg::Vector3D > * points_raw; + std::vector<Amg::Vector3D > * points_propagated; + //The following sets://=0 when not inited, !=0 and ->front().vector.empty() means previous attempt to init failed. + Amg::SetVectorVector3D * points_raw_id_projections; + // Amg::SetVectorVector3D * points_raw_muon_projections; + Amg::SetVectorVector3D * points_propagated_id_projections; + // Amg::SetVectorVector3D * points_propagated_muon_projections; + + void ensureInitPointsRaw(); + void ensureInitPointsPropagated(); + void ensureInitPointsProjections_InDet( bool raw ); + // void ensureInitPointsProjections_Muon( bool raw ); + + void materialChanged(); + + void rebuild3DObjects(); + void attach3DObjects(); + void detach3DObjects(); + + void addPathToSoLineSetAndSoVertexProperty(const std::vector<Amg::Vector3D >& points, + int & iver, int& numlines, SoLineSet *, SoVertexProperty * ); + void addPathsToSoLineSetAndSoVertexProperty(const Amg::SetVectorVector3D * paths, + int & iver, int& numlines,SoLineSet *, SoVertexProperty * ); + + SoMaterial * determineMaterial(); + SoMaterial * randommaterial; + + QList<AssociatedObjectHandleBase*> associatedObjects; + std::map<std::pair<int,double>,AssocObjAttachmentHandle *> attachmentHandles; + + //We cache path info, but it might get invalidated (if switching off simhits for instance): + bool pathInfoLoaded; + const Trk::Track * pathInfo_TrkTrack; + const std::vector< Amg::Vector3D > * pathInfo_Points; + SoSeparator * label_sep; + void ensureLoadPathInfo(); + + static bool isSane(const Amg::Vector3D& p) + { + if (p.x()!=p.x()||fabs(p.x())>1.0*CLHEP::km) + return false; + if (p.y()!=p.y()||fabs(p.y())>1.0*CLHEP::km) + return false; + if (p.z()!=p.z()||fabs(p.z())>1.0*CLHEP::km) + return false; + return true; + } + + + TrackCommonFlags::TSOSPartsFlags shownTSOSParts; + TrackCommonFlags::TSOSPartsFlags customColouredTSOSParts; + std::vector<AscObj_TSOS*> * tsos_ascobjs; + void ensureInitTSOSs(); + AscObj_TSOS* addTSOS(const Trk::TrackStateOnSurface * tsos,unsigned index); + + QTreeWidgetItem* m_objBrowseTree; + float tempMaxPropRadius; +}; + + +int TrackHandleBase::Imp::ntrackhandles = 0; + +//____________________________________________________________________ +void TrackHandleBase::Imp::ensureLoadPathInfo() +{ + if (pathInfoLoaded) + return; + pathInfoLoaded = true; + pathInfo_TrkTrack = theclass->provide_pathInfoTrkTrack(); + if (pathInfo_TrkTrack) + return; + pathInfo_Points = theclass->provide_pathInfoPoints(); + if (!pathInfo_Points) { + theclass->collHandle()->systemBase()->message("ERROR: No path information for track in collection "+theclass->collHandle()->name()); + } +} + +//____________________________________________________________________ +TrackHandleBase::TrackHandleBase(TrackCollHandleBase*ch) + : m_d(new Imp(this)), m_visible(false), m_collhandle(ch), m_currentmaterial(0) +{ + assert(m_collhandle); + ++Imp::ntrackhandles; +} + +//____________________________________________________________________ +TrackHandleBase::~TrackHandleBase() +{ + if (m_d->extraRepresentation) + common()->unregisterTrack(m_d->extraRepresentation); + + //Fixme: if visible, should we call detach first? + foreach(AssociatedObjectHandleBase*ao,m_d->associatedObjects) + delete ao; + + //Delete points the following way since we might use same points for raw and propagated. + if (m_d->points_propagated != m_d->points_raw) + delete m_d->points_propagated; + delete m_d->points_raw; + if (m_d->points_propagated_id_projections != m_d->points_raw_id_projections) + delete m_d->points_propagated_id_projections; + delete m_d->points_raw_id_projections; + + clearLine(); + if (m_currentmaterial) + m_currentmaterial->unref(); + if (m_d->randommaterial) + m_d->randommaterial->unref(); + if (m_d->label_sep) + m_d->label_sep->unref(); + + std::map<std::pair<int,double>,AssocObjAttachmentHandle *>::iterator it,itE(m_d->attachmentHandles.end()); + for (it = m_d->attachmentHandles.begin();it!=itE;++it) + delete it->second; + + delete m_d; + --Imp::ntrackhandles; +} + +//____________________________________________________________________ +int TrackHandleBase::numberOfInstances() +{ + return Imp::ntrackhandles; +} + +//____________________________________________________________________ +TrackSysCommonData * TrackHandleBase::common() const +{ + return m_collhandle->common(); +} + +//____________________________________________________________________ +void TrackHandleBase::updateShapes_TSOSWithMeasurements() +{ + if (!m_d->tsos_ascobjs) + return; + std::vector<AscObj_TSOS*>::iterator + it(m_d->tsos_ascobjs->begin()), + itE(m_d->tsos_ascobjs->end()); + for (;it!=itE;++it) + if ((*it)->hasMeasurement()) + (*it)->update3DObjects(); +} + +//____________________________________________________________________ +void TrackHandleBase::updateShapes_TSOSWithErrors() +{ + if (!m_d->tsos_ascobjs) + return; + std::vector<AscObj_TSOS*>::iterator + it(m_d->tsos_ascobjs->begin()), + itE(m_d->tsos_ascobjs->end()); + for (;it!=itE;++it) + if ((*it)->hasError()) + (*it)->update3DObjects(); +} + +//____________________________________________________________________ +void TrackHandleBase::updateShapes_TSOSWithMaterialEffects() +{ + if (!m_d->tsos_ascobjs) + return; + std::vector<AscObj_TSOS*>::iterator + it(m_d->tsos_ascobjs->begin()), + itE(m_d->tsos_ascobjs->end()); + for (;it!=itE;++it) + if ((*it)->hasMaterialEffect()) + (*it)->update3DObjects(); +} + +//____________________________________________________________________ +TrackCommonFlags::TSOSPartsFlags TrackHandleBase::shownTSOSParts() const +{ + return m_d->shownTSOSParts;//fixme: inline? +} + +//____________________________________________________________________ +TrackCommonFlags::TSOSPartsFlags TrackHandleBase::customColouredTSOSParts() const +{ + return m_d->customColouredTSOSParts;//fixme: inline? +} + +//____________________________________________________________________ +void TrackHandleBase::setShownTSOSParts(TrackCommonFlags::TSOSPartsFlags f) +{ + VP1Msg::messageDebug(QString("TrackHandleBase::setShownTSOSParts to ")+QString::number(f) ); + + if (m_d->shownTSOSParts==f) + return; + //Figure out changed bits: + TrackCommonFlags::TSOSPartsFlags change(m_d->shownTSOSParts ^ f);//^ is XOR + m_d->shownTSOSParts=f; + if (!m_d->tsos_ascobjs&&(m_d->shownTSOSParts==TrackCommonFlags::TSOS_NoObjects||!visible())) + return; + + m_d->ensureInitTSOSs(); + //Loop over all TSOS objects. Those with changed parts needs shape + //and visibility update: + std::vector<AscObj_TSOS*>::iterator it(m_d->tsos_ascobjs->begin()), itE(m_d->tsos_ascobjs->end()); + for (;it!=itE;++it) { + if (!((*it)->parts()&change)) + continue; + const bool vis = (*it)->parts() & m_d->shownTSOSParts; + if (vis==(*it)->visible()) { + //Just update shape: + (*it)->update3DObjects(); + continue; + } + //Need both shape and visibility updates. + if (vis) { + //update shape and then turn visible: + (*it)->update3DObjects(); + (*it)->setVisible(vis); + } else { + //turn invisible and then update (i.e. invalidate) shape: + (*it)->setVisible(vis); + (*it)->update3DObjects(); + } + } +} + +//____________________________________________________________________ +void TrackHandleBase::setCustomColouredTSOSParts(TrackCommonFlags::TSOSPartsFlags f) +{ + if (m_d->customColouredTSOSParts==f) + return; + //Figure out changed bits: + TrackCommonFlags::TSOSPartsFlags change(m_d->customColouredTSOSParts ^ f);//^ is XOR + m_d->customColouredTSOSParts=f; + + if (!m_d->tsos_ascobjs||m_d->shownTSOSParts==TrackCommonFlags::TSOS_NoObjects) + return; + + TrackCommonFlags::TSOSPartsFlags changedShownParts(change & m_d->shownTSOSParts); + + if (!changedShownParts) + return; + + //redundant m_d->ensureInitTSOSs(); + std::vector<AscObj_TSOS*>::iterator it(m_d->tsos_ascobjs->begin()), itE(m_d->tsos_ascobjs->end()); + for (;it!=itE;++it) { + if ((*it)->parts()&changedShownParts) + (*it)->update3DObjects(); + } +} + +//____________________________________________________________________ +void TrackHandleBase::Imp::ensureInitTSOSs() +{ + if (tsos_ascobjs) + return; + tsos_ascobjs = new std::vector<AscObj_TSOS*>; + ensureLoadPathInfo(); + if (!pathInfo_TrkTrack||!pathInfo_TrkTrack->trackParameters()||pathInfo_TrkTrack->trackParameters()->size()==0) + return; + VP1TrackSanity * sanity = theclass->common()->trackSanityHelper(); + + tsos_ascobjs->reserve(pathInfo_TrkTrack->trackParameters()->size()); + + unsigned parindex(0); + + AscObj_TSOS* ascObjNeedDistToNext(0); + DataVector<const Trk::TrackStateOnSurface>::const_iterator tsos_iter = pathInfo_TrkTrack->trackStateOnSurfaces()->begin(); + DataVector<const Trk::TrackStateOnSurface>::const_iterator tsos_end = pathInfo_TrkTrack->trackStateOnSurfaces()->end(); + const Trk::TrackParameters* trackParam(0); + for (; tsos_iter != tsos_end; ++tsos_iter) { + trackParam = (*tsos_iter)->trackParameters(); + if (!sanity->isSafe(*tsos_iter)) { + parindex++; + continue; + } + if (trackParam&&!sanity->isSafe(trackParam)) { + parindex++; + continue; + } + //Fixme: likewise check that we don't have a bad measurement, material effect, ... + if (ascObjNeedDistToNext&&trackParam) { + ascObjNeedDistToNext->setDistToNextPar((trackParam->position()-ascObjNeedDistToNext->approxCenter()).mag()); + ascObjNeedDistToNext = 0; + } + VP1Msg::messageVerbose("Adding TSOS at index:"+QString::number(parindex)); + ascObjNeedDistToNext = addTSOS(*tsos_iter,parindex++); + } + +} + +//____________________________________________________________________ +AscObj_TSOS* TrackHandleBase::Imp::addTSOS(const Trk::TrackStateOnSurface * tsos,unsigned index) +{ + AscObj_TSOS* ao = new AscObj_TSOS(theclass,tsos,index); + theclass->registerAssocObject(ao); + tsos_ascobjs->push_back(ao); + if (ao->parts()&shownTSOSParts) + ao->setVisible(true); + return ao; +} + +//____________________________________________________________________ +void TrackHandleBase::setVisible(bool vis) +{ + QString tmp = (vis==true)?"True":"False"; + QString tmp2 = (m_visible==true)?"True":"False"; + VP1Msg::messageDebug(QString("TrackHandleBase calling setVisible with vis=")+tmp+QString(", and m_visible=")+tmp2 ); + if (vis==m_visible) + return; + + m_visible=vis; + if (vis) { + m_collhandle->incrementNShownHandles(); + if (!m_d->line) + m_d->rebuild3DObjects();//The call to rebuild also fixes attached state. + else + m_d->attach3DObjects(); + } else { + m_collhandle->decrementNShownHandles(); + m_d->detach3DObjects(); + } + + bool initTSOS(false); + if (!m_d->tsos_ascobjs&&vis&&m_d->shownTSOSParts!=TrackCommonFlags::TSOS_NoObjects) { + m_d->ensureInitTSOSs(); + initTSOS = true; + } + + if (!initTSOS && m_d->tsos_ascobjs) { + std::vector<AscObj_TSOS*>::iterator + it(m_d->tsos_ascobjs->begin()), + itE(m_d->tsos_ascobjs->end()); + if (m_d->shownTSOSParts!=TrackCommonFlags::TSOS_NoObjects) { + for (;it!=itE;++it) { + if ((*it)->visible()!=((*it)->parts() & m_d->shownTSOSParts)) + (*it)->toggleVisible(); + } + } else { + for (;it!=itE;++it) { + if ((*it)->visible()) + (*it)->setVisible(false); + } + } + } + + visibleStateChanged(); + + std::map<std::pair<int,double>,AssocObjAttachmentHandle *>::iterator it,itE(m_d->attachmentHandles.end()); + for (it = m_d->attachmentHandles.begin();it!=itE;++it) + it->second->trackVisibilityChanged(); + + //Label + +} + +//____________________________________________________________________ +void TrackHandleBase::update3DObjects( bool invalidatePropagatedPoints, float maxR ) +{ + VP1Msg::messageVerbose(QString("TrackHandleBase::update3DObject with maxR set to ")+QString::number(maxR) ); + if (maxR>0.0) { + m_d->tempMaxPropRadius=maxR; + } + if ( invalidatePropagatedPoints) { + if (m_d->points_propagated != m_d->points_raw) { + delete m_d->points_propagated;m_d->points_propagated = 0; + } + delete m_d->points_raw;m_d->points_raw = 0; + if (m_d->points_propagated_id_projections) { delete m_d->points_propagated_id_projections; m_d->points_propagated_id_projections = 0; } + } + if (m_visible) { + m_d->rebuild3DObjects(); + } else { + //Simply clear the present 3D objects. They will only be recreated if/when the track becomes visible again. + clearLine(); + } + m_d->tempMaxPropRadius=0.0; +} + +//____________________________________________________________________ +// void TrackHandleBase::updateInDetProjections() +// { +// //Invalidate points of indet projections if already calculated: +// if (m_d->points_raw_id_projections!=m_d->points_propagated_id_projections) +// delete m_d->points_propagated_id_projections; +// delete m_d->points_raw_id_projections; +// m_d->points_raw_id_projections = 0; +// m_d->points_propagated_id_projections = 0; +// //Rebuild 3D objects: +// update3DObjects(); +// } + +//____________________________________________________________________ +void TrackHandleBase::Imp::addPathToSoLineSetAndSoVertexProperty(const std::vector<Amg::Vector3D >& points, + int & iver, int& numlines, + SoLineSet * line, SoVertexProperty * vertices ) +{ + if (points.size()<2) + return; + if (!line) { + theclass->collHandle()->systemBase()->message("TrackHandleBase::Imp::addPathToSoLineSetAndSoVertexProperty (1) ERROR: Unexpected null SoLineSet pointer!"); + return; + } + if (!vertices) { + theclass->collHandle()->systemBase()->message("TrackHandleBase::Imp::addPathToSoLineSetAndSoVertexProperty (1) ERROR: Unexpected null SoVertexPropery pointer!"); + return; + } + std::vector<Amg::Vector3D >::const_iterator pointsIt, pointsItEnd(points.end()); + unsigned npointsused(0); + + + float maxR2=theclass->common()->controller()->propMaxRadius()>0.0?theclass->common()->controller()->propMaxRadius():std::numeric_limits<float>::max(); + if (tempMaxPropRadius>0.0){ + maxR2 = tempMaxPropRadius * tempMaxPropRadius; + theclass->collHandle()->systemBase()->messageVerbose("maxR2 is set to "+VP1Msg::str(maxR2)); + } + float vertexPlanePhi = (theclass->common()->controller()->vertexProjectionAngle())*M_PI/180;// angle of plane to use for vertex projection + vertexPlanePhi-=M_PI; // ATLAS range is -PI to PI + + // theclass->collHandle()->systemBase()->messageVerbose("TrackHandleBase::Imp::addPathToSoLineSetAndSoVertexProperty - adding " + // +VP1Msg::str(points.size())+" points up to R2 of "+VP1Msg::str(maxR2)); + theclass->collHandle()->systemBase()->messageVerbose("Vertex projection is set to "+VP1Msg::str(vertexPlanePhi)); + + // unsigned int count=0; + + //For vertex projection + Amg::Vector3D tempPoint; + + double trkPhi = theclass->momentum().phi(); // some tracks curve between sections otherwise. + double newPhi= vertexPlanePhi+M_PI; + if (cos(vertexPlanePhi-trkPhi)>0) newPhi=vertexPlanePhi; + // theclass->collHandle()->systemBase()->messageVerbose("Vertex projection is set to "+VP1Msg::str(vertexPlanePhi)+" trkPhi= "+VP1Msg::str(trkPhi)+" newPhi="+VP1Msg::str(newPhi)); + + for (pointsIt = points.begin();pointsIt!=pointsItEnd && pointsIt->mag2()<maxR2; ++pointsIt) { + // theclass->collHandle()->systemBase()->messageVerbose(VP1Msg::str(count++)+": point has perp2="+VP1Msg::str(pointsIt->perp2())); + if (!isSane(*pointsIt)) { + theclass->collHandle()->systemBase()->message("WARNING: Ignoring point on track:"+VP1Msg::str( *pointsIt ) ); + continue; + } + + if (theclass->collHandle()->parts() & TrackCommonFlags::VertexProjections){ + tempPoint = *pointsIt; + Amg::setPhi(tempPoint, newPhi); + + // std::cout<<trkPhi<<"\t"<<phi<<"\t"<<r0<<"\t"<<r1<<"\t"<<r2<<"\t"<<r3<<"\t"<<rotatePhi<<"\t"<<tempPoint.getPhi()<<std::endl; + + vertices->vertex.set1Value(iver++,tempPoint.x(),tempPoint.y(),tempPoint.z()); + } else { + vertices->vertex.set1Value(iver++,pointsIt->x(),pointsIt->y(),pointsIt->z()); + } + ++npointsused; + } + line->numVertices.set1Value(numlines++,npointsused); +} + +//____________________________________________________________________ +void TrackHandleBase::Imp::addPathsToSoLineSetAndSoVertexProperty(const Amg::SetVectorVector3D * paths, + int & iver, int& numlines, + SoLineSet * line, SoVertexProperty * vertices ) +{ + if ( !paths || ( paths->size()==1 && paths->begin()->empty()) ) + return; + if (!line) { + theclass->collHandle()->systemBase()->message("TrackHandleBase::Imp::addPathToSoLineSetAndSoVertexProperty (2) ERROR: Unexpected null SoLineSet pointer!"); + return; + } + if (!vertices) { + theclass->collHandle()->systemBase()->message("TrackHandleBase::Imp::addPathToSoLineSetAndSoVertexProperty (2) ERROR: Unexpected null SoVertexPropery pointer!"); + return; + } + Amg::SetVectorVector3D::const_iterator itProjPart, itProjPartEnd(paths->end()); + for (itProjPart = paths->begin();itProjPart!=itProjPartEnd;++itProjPart) + addPathToSoLineSetAndSoVertexProperty(*itProjPart,iver,numlines,line,vertices); +} + +//____________________________________________________________________ +void TrackHandleBase::clearLine() +{ + if (m_d->line) { + common()->unregisterTrack(m_d->line); + m_d->line->unref(); + m_d->line=0; + } +} + +//____________________________________________________________________ +void TrackHandleBase::registerTrack() +{ + if (m_d->line) + common()->registerTrack(m_d->line,this); +} + + +//____________________________________________________________________ +void TrackHandleBase::Imp::rebuild3DObjects() +{ + //Ensure we are always detached while updating. + if (theclass->m_visible) + detach3DObjects(); + + // Make sure we're not going to redraw old surfaces, for this debug mode. + if (theclass->common()->trackPropagationHelper()->showExtrapolationSurfaces()) + theclass->common()->trackPropagationHelper()->getExtrapolationSurfaces().clear(); + + Trk::IExtrapolator * propagator = theclass->collHandle()->propagator(); + + if (propagator) + ensureInitPointsPropagated(); + else + ensureInitPointsRaw(); + + bool id_proj = theclass->collHandle()->parts() & TrackCommonFlags::InDetProjections; + if (id_proj) + ensureInitPointsProjections_InDet(!propagator); + + std::vector<Amg::Vector3D > * points; + Amg::SetVectorVector3D *proj_id; + if (propagator) { + points = points_propagated; + proj_id = points_propagated_id_projections; + } else { + points = points_raw; + proj_id = points_raw_id_projections; + } + + //Put points into an appropriate vertex property. + theclass->clearLine(); //Fixme: Since we are just changing shape - no need to delete line and take it + //out of the tree first. Just edit lineset properties instead. + line = new SoLineSet(); + line->ref(); + theclass->registerTrack(); + + SoVertexProperty * vertices = new SoVertexProperty(); + + int iver(0), numlines(0); + + std::vector<Amg::Vector3D >::const_iterator pointsIt, pointsItEnd; + + //Add various parts to these vertices as appropriate: + if (theclass->collHandle()->parts() & TrackCommonFlags::ActualPath) + addPathToSoLineSetAndSoVertexProperty(*points,iver,numlines,line,vertices); + if (id_proj) + addPathsToSoLineSetAndSoVertexProperty( proj_id, iver, numlines, line, vertices ); + + line->vertexProperty = vertices; + + ////////////////////////////////////////////////////////////// + + +// Add debugging surfaces. + if (theclass->common()->trackPropagationHelper()->showExtrapolationSurfaces()){ + std::vector<Trk::PlaneSurface>& surfaces = theclass->common()->trackPropagationHelper()->getExtrapolationSurfaces(); + std::vector<Trk::PlaneSurface>::const_iterator surfIt=surfaces.begin(), surfEnd=surfaces.end(); + SurfaceToSoNode surfCnv;//fixme: check if need in common() + extrapSurfaces_sep=new SoSeparator; + for (;surfIt!=surfEnd;++surfIt){ + SoNode* theSurfSep = surfCnv.translateSurface(*surfIt); + if (theSurfSep) { + SoNode * nodeToAdd = theSurfSep; + extrapSurfaces_sep->addChild(nodeToAdd); + } + } + } + +// Add labels + if (!points->empty() && theclass->common()->controller()->doTrackLabels() ){ + + // should detach first? This is all fairly suboptimal I'm sure... EJWM. + if (!label_sep){ + label_sep = new SoSeparator; + label_sep->ref(); + } + label_sep->removeAllChildren (); + + SoText2 *labelText = new SoText2; + labelText->ref(); + QStringList text; + TrackSystemController::TrackLabelModes labels=theclass->common()->controller()->trackLabels(); + if (labels&TrackSystemController::P){ + text << "P="+VP1Msg::str(theclass->momentum().mag())+" MeV"; + } + + if (labels&TrackSystemController::Pt){ + text << "|Pt|="+VP1Msg::str(theclass->momentum().perp())+" MeV"; + } + + if (labels&TrackSystemController::Pid){ + int pdg = theclass->pdgCode(); + if (pdg) { + bool ok; + QString name = VP1ParticleData::particleName(pdg,ok); + if (ok) + text << "pdg: "+QString::number(pdg)+" ["+name+"]"; + else + text << "pdg: "+QString::number(pdg); + } + } + + if (labels&TrackSystemController::FitQuality && theclass->getFitQuality()){ + text << TrkObjToString::shortInfo(*theclass->getFitQuality()); + } + + if (labels&TrackSystemController::Hits){ + text <<"SCT["+QString::number(theclass->getNSCTHits())+"]"; + } + + if (labels&TrackSystemController::Direction ){ + Amg::Vector3D mom = theclass->momentum(); + mom /= CLHEP::GeV; + if (mom.mag2()==0.0) { + text << "Momentum : 0 (undefined)"; + } else { + // SoCoin classes don't support Unincode here, apparently. + // text << VP1Msg::str("(")+QChar(0x03B7)+","+QChar(0x03D5)+VP1Msg::str(")=(") + // +VP1Msg::str(mom.pseudoRapidity())+VP1Msg::str(VP1LinAlgUtils::phiFromXY(mom.x(), mom.y() ))+VP1Msg::str(")"); + double pseudoRapidity = mom.eta(); + text << VP1Msg::str("(eta,phi)=(") + +VP1Msg::str(pseudoRapidity)+VP1Msg::str(",")+VP1Msg::str(VP1LinAlgUtils::phiFromXY(mom.x(), mom.y() ))+VP1Msg::str(")"); + } + } + + unsigned int row=0; + foreach(QString str, text){ + QByteArray array = str.toLatin1(); + labelText->string.set1Value(row++,array.data()); + } + + //Position + float labelTrackOffset = theclass->common()->controller()->trackLabelTrkOffset(); + unsigned int point=(points->size()-1)*labelTrackOffset; + Amg::Vector3D labelPos = (*points)[point] ; + +// if (labels&TrackSystemController::PosEndOfTrack) +// labelPos= points->back(); +// else if (labels&TrackSystemController::PosBeginOfTrack) +// labelPos= points->front (); +// else if (labels&TrackSystemController::PosMidOfTrack) +// labelPos= (*points)[points->size()/2]; + + SoTranslation *labelTranslate = new SoTranslation; + float offScale=10.0; + int xOffset = theclass->common()->controller()->labelXOffset() ; + int yOffset = theclass->common()->controller()->labelYOffset() ; + int zOffset = theclass->common()->controller()->labelZOffset() ; + labelTranslate->translation.setValue(labelPos.x()+(xOffset*offScale),labelPos.y()+(yOffset*offScale),labelPos.z()+(zOffset*offScale)); + + SoMaterial *sMat = new SoMaterial(); + SoMFColor sColor; + sColor.setValue(SbColor(0, 0, 1)); + sMat->diffuseColor = sColor; + + label_sep->addChild(labelTranslate); + label_sep->addChild(labelText); + } + + //Attach if visible: + if (theclass->m_visible) + attach3DObjects(); +} + +//____________________________________________________________________ +void TrackHandleBase::Imp::materialChanged() +{ + theclass->currentMaterialChanged(); + std::map<std::pair<int,double>,AssocObjAttachmentHandle *>::iterator it,itE(attachmentHandles.end()); + for (it = attachmentHandles.begin();it!=itE;++it) + it->second->trackMaterialChanged(); +} + +//____________________________________________________________________ +double TrackHandleBase::Imp::dist(const SbVec3f& p1,const SbVec3f& p2)//Fixme: to linalgs.. +{ + float x1,x2,y1,y2,z1,z2; + p1.getValue(x1,y1,z1); + p2.getValue(x2,y2,z2); + return sqrt((x2-x1)*(x2-x1)+(y2-y1)*(y2-y1)+(z2-z1)*(z2-z1)); +} + +//____________________________________________________________________ +void TrackHandleBase::Imp::convertLineSetToCylinders(SoLineSet*line,SoSeparator*sep,const double& cylradius) +{ + //fixme: belongs in VP1Utils + SoVertexProperty *vertices = static_cast<SoVertexProperty *>(line->vertexProperty.getValue()); + if (!vertices) + return; + int ivert(0); + SbMatrix lastTransf; + lastTransf.makeIdentity(); + + for (int iline=0;iline<line->numVertices.getNum();++iline) { + int nvert=line->numVertices[iline]; + if (nvert<2) { + ivert += nvert; + continue; + } + for (int jvert= ivert; jvert<ivert+nvert-1;++jvert) { + SbVec3f p1 = vertices->vertex[jvert].getValue(); + SbVec3f p2 = vertices->vertex[jvert+1].getValue(); + SoCylinder * cyl = new SoCylinder; + cyl->radius = cylradius; + const double l(dist(p1,p2)); + cyl->height = l; + //First translate (0,l/2,0), then rotate (0,1,0) into (p2-p1), then translate p1.: + SbMatrix m; + m.setTranslate(SbVec3f(0,0.5*l,0)); + SbVec3f v(p2); v -= p1; + SbRotation rot(SbVec3f(0,1,0),v); + SbMatrix m2; m2.setRotate(rot); + m.multRight(m2); + SbMatrix m3; + m3.setTranslate(p1); + m.multRight(m3); + //m is the transform we need in front of our cylinder. However, we need to first add the inverse of all previous transforms. + SbMatrix mat(m); + mat.multRight(lastTransf.inverse()); + SoMatrixTransform * mt = new SoMatrixTransform; + mt->matrix.setValue(mat); + sep->addChild(mt); + sep->addChild(cyl); + lastTransf = m; + } + ivert += nvert; + } +} + +//____________________________________________________________________ +void TrackHandleBase::Imp::attach3DObjects() +{ + // std::cout<<"TrackHandleBase::Imp::attach3DObjects() - 1"<<std::endl; + + if (!theclass->m_currentmaterial) { + theclass->m_currentmaterial = determineMaterial(); + theclass->m_currentmaterial->ref(); + materialChanged(); + } + if (line && theclass->m_collhandle->sephelper()) { + // std::cout<<"TrackHandleBase::Imp::attach3DObjects() - 2"<<std::endl; + theclass->m_collhandle->sephelper()->addNodeUnderMaterial(line,theclass->m_currentmaterial); + double tube_r(theclass->m_collhandle->trackTubeRadius()); + if (tube_r) { + if (extraRepresentation) { + extraRepresentation->removeAllChildren(); + } else { + extraRepresentation = new SoSeparator; + extraRepresentation->ref(); + theclass->common()->registerTrack(extraRepresentation,theclass); + } + convertLineSetToCylinders(line,extraRepresentation,tube_r); + if (!extraRepAttached) { + theclass->m_collhandle->sephelper()->addNodeUnderMaterial(extraRepresentation,theclass->m_currentmaterial); + extraRepAttached=true; + } + } + } + if (label_sep && theclass->common()->textSep() && theclass->common()->controller()->doTrackLabels()) + theclass->common()->textSep()->addChild(label_sep); + + if (extrapSurfaces_sep) theclass->m_collhandle->sephelper()->addNodeUnderMaterial(extrapSurfaces_sep,theclass->m_currentmaterial); +} + +//____________________________________________________________________ +void TrackHandleBase::Imp::detach3DObjects() +{ + if (!theclass->m_currentmaterial) + return;//Can never have been attached! + if (line && theclass->m_collhandle->sephelper()) { + theclass->m_collhandle->sephelper()->removeNodeUnderMaterial(line,theclass->m_currentmaterial); + if (extraRepresentation&&extraRepAttached) { + theclass->m_collhandle->sephelper()->removeNodeUnderMaterial(extraRepresentation,theclass->m_currentmaterial); + extraRepAttached=false; + } + } + if (label_sep && theclass->common()->textSep()) + theclass->common()->textSep()->removeChild(label_sep); + + if (extrapSurfaces_sep) + theclass->m_collhandle->sephelper()->removeNodeUnderMaterial(extrapSurfaces_sep,theclass->m_currentmaterial); +} + +//____________________________________________________________________ +void TrackHandleBase::updateMaterial() +{ + //We need to change the current material. This means we need to + //clear the cache. Only if we are visible do we need to do a + //detach->clear material->attach cycle to trigger attachment under new material. + + if (!m_currentmaterial) + return;//We have no material cached and is thus not attached either. + if (m_visible) { + //See if the material changed. If it did, detach, update the material, attach again. + SoMaterial * newmat = m_d->determineMaterial(); + newmat->ref(); + if (newmat!=m_currentmaterial) { + m_d->detach3DObjects(); + m_currentmaterial->unref(); + m_currentmaterial = newmat; + m_d->attach3DObjects(); + m_d->materialChanged(); + } else { + newmat->unref(); + } + } else { + //Just clear material. + m_currentmaterial->unref(); + m_currentmaterial = 0; + m_d->materialChanged(); + } +} + +//____________________________________________________________________ +void TrackHandleBase::Imp::ensureInitPointsRaw() +{ + theclass->collHandle()->systemBase()->message("ensureInitPointsRaw start" ); + + if (points_raw) + return; + points_raw = new std::vector<Amg::Vector3D >; + + ////////////////////////////////////////////////////////////// + // Get information about this path // + ////////////////////////////////////////////////////////////// + + ensureLoadPathInfo(); + + if (pathInfo_TrkTrack) { + const VP1TrackSanity * sanity = theclass->common()->trackSanityHelper(); + Amg::Vector3D * firstmomentum(0); + //Amg::Vector3D vect3d{0.,0.,0.}; + if (pathInfo_TrkTrack->trackParameters()) + points_raw->reserve(pathInfo_TrkTrack->trackParameters()->size()); + bool unsafeparts(false); + DataVector<const Trk::TrackStateOnSurface>::const_iterator tsos_iter = pathInfo_TrkTrack->trackStateOnSurfaces()->begin(); + DataVector<const Trk::TrackStateOnSurface>::const_iterator tsos_end = pathInfo_TrkTrack->trackStateOnSurfaces()->end(); + const Trk::TrackParameters* trackParam; + for (; tsos_iter != tsos_end; ++tsos_iter) { + if (!sanity->isSafe(*tsos_iter)) { + unsafeparts = true; + continue; + } + if (theclass->collHandle()->ignoreMEOTinProp() && (*tsos_iter)->materialEffectsOnTrack()) + continue; + trackParam = (*tsos_iter)->trackParameters(); + if (trackParam) { + if (!sanity->isSafe(trackParam)) { + unsafeparts = true; + continue; + } + trackParam->position();//test + points_raw->push_back( trackParam->position() ); + if (!firstmomentum) { + //vect3d = + firstmomentum = new Amg::Vector3D(trackParam->momentum()); + } + } + } + if (unsafeparts) + theclass->collHandle()->systemBase()->message("WARNING: Ignored unsafe parts of track!"); + if (points_raw->size()==1) { + if (!firstmomentum) { + theclass->collHandle()->systemBase()->message(" TrackHandleBase ERROR: Unexpected null firstmomentum!"); + firstmomentum = new Amg::Vector3D(0,0,0); + } + if (firstmomentum->mag()==0.0) { + theclass->collHandle()->systemBase()->message("TrackHandleBase ERROR: Only point on track had zero momentum. Can't add second point."); + points_raw->clear(); + } else { + VP1Msg::messageVerbose("TrackHandleBase: Adding second point in direction of initial momentum."); + points_raw->push_back(points_raw->front()+(*firstmomentum)*(1000.0/firstmomentum->mag())); + } + } else if (points_raw->empty()) { + theclass->collHandle()->systemBase()->message("TrackHandleBase ERROR: No points on track."); + } + + //std:: cout << "firstmomentum: " << firstmomentum << std::endl; + delete firstmomentum; + firstmomentum = 0; + return; + } + if (pathInfo_Points) + { + std::copy(pathInfo_Points->begin(), pathInfo_Points->end(), std::back_inserter(*points_raw)); + } + if (points_raw->size()<2) { + theclass->collHandle()->systemBase()->message("TrackHandleBase ERROR: Less than two points on track provided."); + points_raw->clear(); + } else { + VP1Msg::messageVerbose( "TrackHandleBase: Created raw data " + + QString::number(points_raw->size()) + + " points for track."); + } +} + +//____________________________________________________________________ +void TrackHandleBase::Imp::ensureInitPointsPropagated() +{ + if (points_propagated) + return; + + ensureLoadPathInfo(); + + if (pathInfo_TrkTrack) { + points_propagated = new std::vector<Amg::Vector3D >(); + bool ok (false); + if (theclass->hasCharge()&&theclass->charge()!=0.0) + ok = theclass->common()->trackPropagationHelper()->makePointsCharged(*points_propagated,pathInfo_TrkTrack, + theclass->collHandle()->propagator(), + theclass->extrapolationParticleHypothesis(), + !theclass->collHandle()->ignoreMEOTinProp(), + theclass->collHandle()->extendTracks() ? theclass->common()->controller()->extrapolateToThisVolume() : 0 ); + else + ok = theclass->common()->trackPropagationHelper()->makePointsNeutral(*points_propagated,pathInfo_TrkTrack); + + if (!ok) { + delete points_propagated; + ensureInitPointsRaw(); + points_propagated = points_raw; + } + } else { + //We just use the raw points: + ensureInitPointsRaw(); + points_propagated = points_raw; + } +} + +//____________________________________________________________________ +void TrackHandleBase::Imp::ensureInitPointsProjections_InDet( bool raw ) +{ + if (raw?points_raw_id_projections:points_propagated_id_projections) + return; + + raw ? ensureInitPointsRaw() : ensureInitPointsPropagated(); + + //First check if we use same points for raw/propagated modes: + if (points_propagated==points_raw) { + if (raw) { + if (points_propagated_id_projections) { + points_raw_id_projections = points_propagated_id_projections; + return; + } + } else { + if (points_raw_id_projections) { + points_propagated_id_projections = points_raw_id_projections; + return; + } + } + } + + //Time for the hard work: + std::vector<Amg::Vector3D > * points=0; + Amg::SetVectorVector3D* projections=0; + if (raw) { + points_raw_id_projections = new Amg::SetVectorVector3D; + points = points_raw; + projections = points_raw_id_projections; + } else { + points_propagated_id_projections = new Amg::SetVectorVector3D; + points = points_propagated; + projections = points_propagated_id_projections; + } + + if ( !points || points->empty() || points->size()<2 ) { + projections->clear(); + projections->insert(std::vector<Amg::Vector3D >());//error signature + return; + } + + bool oneok(false); + // if (theclass->common()->indetProjHelper_Pixel()) { + // theclass->common()->indetProjHelper_Pixel()->projectPath(*points,*projections); + // oneok = true; + // } + // if (theclass->common()->indetProjHelper_SCT()) { + // theclass->common()->indetProjHelper_SCT()->projectPath(*points,*projections); + // oneok = true; + // } + // if (theclass->common()->indetProjHelper_TRT()) { + // theclass->common()->indetProjHelper_TRT()->projectPath(*points,*projections); + // oneok = true; + // } + + if (!oneok) { + projections->clear(); + projections->insert(std::vector<Amg::Vector3D >());//error signature + } +} + +//____________________________________________________________________ +SoMaterial * TrackHandleBase::Imp::determineMaterial() +{ + // theclass->collHandle()->systemBase()->message("determineMaterial with material = "+QString::number(static_cast<unsigned int>(theclass->collHandle()->colourBy()))); //too verbose. EJWM. + + int pdgcode(0); + switch(theclass->collHandle()->colourBy()) { + case TrackCollHandleBase::COLOUR_BYPID: + pdgcode = theclass->pdgCode(); + return theclass->common()->controller()->getMaterialForPDGCode(pdgcode == SimBarCode::unknownPDG ? 0 : pdgcode); + case TrackCollHandleBase::COLOUR_RANDOM: + if (!randommaterial) { + randommaterial = new SoMaterial; + randommaterial->ref(); + theclass->rerandomiseRandomMaterial(); + } + return randommaterial; + case TrackCollHandleBase::COLOUR_CHARGE: + return theclass->common()->controller()->getMaterialForCharge(theclass->hasCharge()?theclass->charge():0.0); + case TrackCollHandleBase::COLOUR_MOMENTUM: + return theclass->common()->controller()->getMaterialForMomentum(theclass->momentum().mag()); + case TrackCollHandleBase::COLOUR_DISTANCE: + { + // AscObjSelectionManager* selManager= theclass->common()->ascObjSelectionManager(); + // TrackHandleBase* handle = 0; + // if ( selManager ) { + // QList<AssociatedObjectHandleBase*> selection = selManager->currentSelection(); + // if (!selection.empty()) handle = selection[0]->trackHandle(); // Take first at the moment, but should loop and colour by all. FIXME! + // else theclass->collHandle()->systemBase()->message("Empty selection!"); + // } else { + // theclass->collHandle()->systemBase()->message("No AscObjSelectionManager"); + // } + + TrackHandleBase* handle = theclass->common()->lastSelectedTrackHandle(); + if (handle==0) { + //theclass->collHandle()->systemBase()->message("No previously selected track."); + return theclass->collHandle()->material(); // use collection colouring + } + + Amg::Vector3D selectedTrackMom = handle->momentum(); + Amg::Vector3D thisTrackMom = theclass->momentum(); + + float phiDistance = sqrt ( pow( selectedTrackMom.phi() - thisTrackMom.phi(),2) ); + float etaDistance = sqrt ( pow( selectedTrackMom.eta() - thisTrackMom.eta(),2) ); + + //theclass->collHandle()->systemBase()->message("Distance "+QString::number(distance)); + float colScale=std::max(0.0, std::min(1.0,phiDistance/(M_PI))); // means that min scale is reached 0.5 of total possible distance away. + float brightness= std::max(0.2, 1.0-(etaDistance/5.0) ); + //theclass->collHandle()->systemBase()->message("Distance "+QString::number(distance)+"\t brightness "+QString::number(brightness)); + + SoMaterial* mat = new SoMaterial; + mat->ref(); + + // get colour of collection. + const SbColor& col=theclass->collHandle()->material()->diffuseColor[0]; + float r,g,b; + col.getValue(r,g,b); + + double r3,g3,b3; + if (colScale>0.01) { + + //Use QColor to get HSL + QColor tempCol = QColor::fromRgbF( r,g,b ); + double h,s,v; + tempCol.getHsvF(&h,&s,&v); + + //get opposite hue for farthest away points. + h+=0.5; + if (h>1.0) h-=1.0; + tempCol.setHsvF(h,s,v); + double r2,g2,b2; + tempCol.getRgbF(&r2,&g2,&b2); + + // closest will have collection colour - far away will have opposite colour + r3 = r+(r2-r)*colScale; + b3 = b+(b2-b)*colScale; + g3 = g+(g2-g)*colScale; + + } else { + // too close - take default values + r3=r;b3=b;g3=g; + } + + VP1MaterialButton::setMaterialParameters(mat,r3*brightness,g3*brightness,b3*brightness, + theclass->collHandle()->collMaterialBrightness(), + theclass->collHandle()->collMaterialTransparency()); + + return mat; + } + case TrackCollHandleBase::COLOUR_VERTEX: + { + SoMaterial* mat = theclass->common()->system()->materialFromVertex(theclass); + if (mat) + return mat; + else + return theclass->collHandle()->material(); + } + case TrackCollHandleBase::COLOUR_PERCOLLECTION: + default: + return theclass->collHandle()->material(); + } +} + +//____________________________________________________________________ +void TrackHandleBase::rerandomiseRandomMaterial() +{ + if ( !m_d->randommaterial )//We will anyway rerandomize it when we need it + return; + + double r2 = 0.3*0.3; + unsigned i(0); + double r,g,b; + bool ok; + while (true) { + r = (rand() / static_cast<double>(RAND_MAX)); + g = (rand() / static_cast<double>(RAND_MAX)); + b = (rand() / static_cast<double>(RAND_MAX)); + ok = true; + //For now we make sure that we avoid black and red. This should be updated from bgd and highlight col automatically! (fixme). + // -> and we should probably also make sure that tracks close in (eta,phi) are well separated in colour-space. + if ( (r-1.0)*(r-1.0)+g*g+b*b < r2*0.5 )//avoid red (distance) + ok = false; + else if ( r*r/(r*r+g*g+b*b) > 0.8 )//avoid red (angle) + ok = false; + else if ( r*r+g*g+b*b < r2*2.0 )//avoid black + ok = false; + if (ok) + break; + ++i; + if (i>50 ) { + r2 *= 0.99;//To avoid problem in case we add too many forbidden spheres. + if (i>1000) { + //Just a safety + m_d->theclass->collHandle()->systemBase()->message("TrackHandleBase::rerandomiseRandomMaterial Warning: Random colour could" + " not be selected such as to satisfy all separation criterias"); + break; + } + } + } + VP1MaterialButton::setMaterialParameters(m_d->randommaterial,r,g,b, + collHandle()->collMaterialBrightness(), + collHandle()->collMaterialTransparency()); +} + +//____________________________________________________________________ +void TrackHandleBase::updateRandomColourTransparencyAndBrightness() +{ + if ( !m_d->randommaterial )//We will anyway set up correctly when needed. + return; + float r,g,b; + m_d->randommaterial->diffuseColor[0].getValue(r,g,b); + VP1MaterialButton::setMaterialParameters(m_d->randommaterial,r,g,b, + collHandle()->collMaterialBrightness(), + collHandle()->collMaterialTransparency()); +} + + +//____________________________________________________________________ +void TrackHandleBase::registerAssocObject(AssociatedObjectHandleBase* ao) +{ + if (VP1Msg::verbose()) { + if (m_d->associatedObjects.contains(ao)) { + m_d->theclass->collHandle()->systemBase()->message("TrackHandleBase::registerAssocObject ERROR: object already registered!"); + return; + } + } + //Assume ownership of this associated object: + if (!ao) { + m_d->theclass->collHandle()->systemBase()->message("TrackHandleBase::registerAssocObject ERROR: object is null!"); + return; + } + + m_d->associatedObjects << ao; +} + + +//____________________________________________________________________ +AssocObjAttachmentHandle * TrackHandleBase::getAttachmentHandle(int regionIndex, const double&crossoverval) +{ + std::map<std::pair<int,double>,AssocObjAttachmentHandle *>::iterator + it = m_d->attachmentHandles.find(std::make_pair(regionIndex,crossoverval)); + if (it!=m_d->attachmentHandles.end()) + return it->second; + AssocObjAttachmentHandle *attachHandle + = new AssocObjAttachmentHandle(common()->trackLODManager()->getLODHandle(regionIndex,crossoverval),this); + m_d->attachmentHandles[std::make_pair(regionIndex,crossoverval)] = attachHandle; + return attachHandle; +} + +//____________________________________________________________________ +double TrackHandleBase::calculateCharge() const +{ + //look up from pdgCode();//fixme: 0 or -999 means unknown?? + int pdg = pdgCode(); + if (pdg) { + bool ok; + double c = VP1ParticleData::particleCharge(pdg,ok); + if (ok) { + // if (VP1Msg::verbose()) + // VP1Msg::messageVerbose("TrackHandleBase: Determined charge from pdg code "+VP1Msg::str(pdg)+": "+VP1Msg::str(c)); + return c; + } + } + + //Attempt to look at the first trackparameter. + const Trk::Track * trk = provide_pathInfoTrkTrack(); + if (trk&&!trk->trackParameters()->empty()) { + double c = (*(trk->trackParameters()->begin()))->charge(); + // if (VP1Msg::verbose()) + // VP1Msg::messageVerbose("TrackHandleBase: Determined charge from first track parameter: "+VP1Msg::str(c)); + return c; + } + if (VP1Msg::verbose()) + VP1Msg::messageVerbose("Failed to determine charge."); + + return unknown(); +} + +//____________________________________________________________________ +double TrackHandleBase::charge() const +{ + if (m_d->chargeinit) + return m_d->charge; + m_d->chargeinit = true; + m_d->charge = calculateCharge(); + return m_d->charge; +} + +//____________________________________________________________________ +double TrackHandleBase::mass() const +{ + if (m_d->massinit) + return m_d->mass; + m_d->massinit = true; + int pdg = pdgCode(); + if (pdg) { + bool ok; + double m = VP1ParticleData::particleMass(pdg,ok); + if (ok) + m_d->mass = m; + } + return m_d->mass; +} + +//____________________________________________________________________ +Trk::ParticleHypothesis TrackHandleBase::extrapolationParticleHypothesis() const +{ + switch(abs(pdgCode())) { + case 211: return Trk::pion; + case 2212: return Trk::proton; + case 11: return Trk::electron; + case 13: return Trk::muon; + case 321://k+ + case 323://k*+ + return Trk::kaon; + case 0: + default: + return ((hasCharge()&&charge()==0.0) ? Trk::nonInteracting : Trk::muon); + } +} + +//____________________________________________________________________ +QStringList TrackHandleBase::baseInfo() const +{ + QStringList l; + Amg::Vector3D mom = momentum(); + mom /= CLHEP::GeV; + if (mom.mag2()==0.0) { + l << "Momentum : 0 (undefined)"; + } else { + l << "Momentum [GeV]: "+VP1Msg::str(mom); + l << "|Pt|/|P| [GeV]: "+VP1Msg::str(mom.perp())+" / " + VP1Msg::str(mom.mag()); + l << VP1Msg::str("(")+QChar(0x03B7)+","+QChar(0x03D5)+VP1Msg::str(")=(") + +VP1Msg::str(mom.eta())+VP1Msg::str(",")+VP1Msg::str(VP1LinAlgUtils::phiFromXY(mom.x(), mom.y() ))+VP1Msg::str(")"); + + l << "Eta: "+VP1Msg::str(mom.eta()); + l << "Phi: "+VP1Msg::str(VP1LinAlgUtils::phiFromXY(mom.x(), mom.y() )); + } + l<<"Hit summary: SCT["+QString::number(getNSCTHits())+"]."; + + return l; + /** coverity 17186: this code is unreachable + int pdg = pdgCode(); + if (pdg) { + bool ok; + QString name = VP1ParticleData::particleName(pdg,ok); + if (ok) + l << "pdg: "+QString::number(pdg)+" ["+name+"]"; + else + l << "pdg: "+QString::number(pdg); + } + + return l; + **/ +} + +//____________________________________________________________________ +const Amg::Vector3D * TrackHandleBase::startPoint() const +{ + m_d->ensureLoadPathInfo(); + if (m_d->pathInfo_TrkTrack) { + DataVector<const Trk::TrackStateOnSurface>::const_iterator tsos_iter = m_d->pathInfo_TrkTrack->trackStateOnSurfaces()->begin(); + DataVector<const Trk::TrackStateOnSurface>::const_iterator tsos_end = m_d->pathInfo_TrkTrack->trackStateOnSurfaces()->end(); + for (; tsos_iter != tsos_end; ++tsos_iter) { + if (common()->trackSanityHelper()->isSafe(*tsos_iter)) { + const Trk::TrackParameters* trackParam = (*tsos_iter)->trackParameters(); + if (common()->trackSanityHelper()->isSafe(trackParam)) + return &(trackParam->position()); + } + } + } else if (m_d->pathInfo_Points&&!m_d->pathInfo_Points->empty()) { + return &(m_d->pathInfo_Points->at(0)); + } + return 0; +} + +//____________________________________________________________________ +const Amg::Vector3D * TrackHandleBase::endPoint() const +{ + m_d->ensureLoadPathInfo(); + if (m_d->pathInfo_TrkTrack) { + DataVector<const Trk::TrackStateOnSurface>::const_reverse_iterator tsos_iter = m_d->pathInfo_TrkTrack->trackStateOnSurfaces()->rend(); + DataVector<const Trk::TrackStateOnSurface>::const_reverse_iterator tsos_end = m_d->pathInfo_TrkTrack->trackStateOnSurfaces()->rbegin(); + for (; tsos_iter != tsos_end; ++tsos_iter) { + if (common()->trackSanityHelper()->isSafe(*tsos_iter)) { + const Trk::TrackParameters* trackParam = (*tsos_iter)->trackParameters(); + if (common()->trackSanityHelper()->isSafe(trackParam)) + { + // std::cout << "endPoint returning (1): " << trackParam->position() << std::endl; + return &(trackParam->position()); + } + } + } + } else if (m_d->pathInfo_Points&&!m_d->pathInfo_Points->empty()) { + // std::cout << "endPoint returning (2): " << m_d->pathInfo_Points->back() << std::endl; + return &(m_d->pathInfo_Points->back()); + } + // std::cout << "endPoint returning (3) (null position)" << std::endl; + return 0; +} + +//____________________________________________________________________ +QList<AssociatedObjectHandleBase*> TrackHandleBase::getAllAscObjHandles() const +{ + return m_d->associatedObjects; +} + +std::vector< Amg::Vector3D > * TrackHandleBase::hackGetPointsPropagated() +{ + m_d->ensureInitPointsPropagated(); + return m_d->points_propagated; +} + +//____________________________________________________________________ +class AssocObjAttachmentHandle::Imp { +public: + Imp(TrackLODHandle *tlh,TrackHandleBase * th) + : trackhandle(th), + trackmat(0), + lodHandle(tlh), + septrack_simple(0), + septrack_detailed(0), + pickStyleChildIdx(-1), + attached(false) {} + TrackHandleBase * trackhandle; + SoMaterial* trackmat; + TrackLODHandle *lodHandle; + SoSeparator * septrack_simple; + SoSeparator * septrack_detailed; + void ensureInit(); + static SoPickStyle * pickStyle; + int pickStyleChildIdx; + bool attached; + void ensureAttached() + { + if (attached) + return; + attached=true; + if (!septrack_detailed) + return;//We attach in ensureInit in this case! + lodHandle->addNodes(septrack_simple,septrack_detailed); + } + void ensureDetached() + { + if (!attached) + return; + attached=false; + if (!septrack_detailed) + return; + lodHandle->removeNodes(septrack_simple,septrack_detailed); + } + static SoMaterial * dummymaterial; +}; +SoPickStyle * AssocObjAttachmentHandle::Imp::pickStyle = 0; +SoMaterial * AssocObjAttachmentHandle::Imp::dummymaterial = 0; + +//____________________________________________________________________ +void AssocObjAttachmentHandle::trackVisibilityChanged() +{ + bool b = m_d->trackhandle->visible(); + if (b&&!m_d->trackhandle->currentMaterial()) + VP1Msg::message("ERROR: track is visible but has not current material!!"); + if (b) + m_d->ensureAttached(); + else + m_d->ensureDetached(); +} + +//____________________________________________________________________ +AssocObjAttachmentHandle::AssocObjAttachmentHandle(TrackLODHandle * tlh,TrackHandleBase * th) + : m_d ( new Imp(tlh,th) ) +{ + if (!tlh) + VP1Msg::message("AssocObjAttachmentHandle ERROR: constructed with null LOD handle!"); + if (!Imp::dummymaterial) { + Imp::dummymaterial = new SoMaterial; + Imp::dummymaterial->ref(); + } +} + +//____________________________________________________________________ +AssocObjAttachmentHandle::~AssocObjAttachmentHandle() +{ + if (VP1Msg::verbose()) { + if ((m_d->septrack_detailed && m_d->pickStyleChildIdx != m_d->septrack_detailed->findChild(Imp::pickStyle)) + ||(m_d->septrack_simple&&m_d->pickStyleChildIdx != m_d->septrack_simple->findChild(Imp::pickStyle))) { + VP1Msg::message("ERROR: AssocObjAttachmentHandle::setPickableStateOfNodes detected wrong pickStyleChildIdx"); + return; + } + } + + if (Imp::pickStyle) { + Imp::pickStyle->unref(); + if ( Imp::pickStyle->getRefCount()==1 ) { + Imp::pickStyle->unref(); + Imp::pickStyle = 0; + } + } + + if (m_d->septrack_simple) + m_d->septrack_simple->unref(); + if (m_d->septrack_detailed) + m_d->septrack_detailed->unref(); + if (m_d->trackmat) + m_d->trackmat->unref(); + delete m_d; +} + +//____________________________________________________________________ +void AssocObjAttachmentHandle::trackMaterialChanged() +{ + SoMaterial * m = m_d->trackhandle->currentMaterial(); + if (m_d->trackmat==m) + return; + if (!m) { + if (m_d->trackhandle->visible()) + VP1Msg::message("ERROR: track is visible but has no current material!!"); + m = Imp::dummymaterial; + } + m->ref(); + if (m_d->trackmat) { + if ( m_d->septrack_simple && m_d->septrack_simple->findChild(m_d->trackmat) > -1 ) + m_d->septrack_simple->replaceChild(m_d->trackmat,m); + if ( m_d->septrack_detailed && m_d->septrack_detailed->findChild(m_d->trackmat) > -1 ) + m_d->septrack_detailed->replaceChild(m_d->trackmat,m); + m_d->trackmat->unref(); + } + m_d->trackmat = m; +} + +//____________________________________________________________________ +void AssocObjAttachmentHandle::Imp::ensureInit() +{ + if (septrack_simple) + return; + septrack_simple = new SoSeparator; + septrack_detailed = new SoSeparator; + septrack_simple->ref(); + septrack_detailed->ref(); + + if (!pickStyle) { + pickStyle = new SoPickStyle; + pickStyle->style=SoPickStyle::UNPICKABLE; + pickStyle->ref(); + } + pickStyle->ref(); + if (attached) { + attached = false; + ensureAttached(); + } +} + +//____________________________________________________________________ +void AssocObjAttachmentHandle::attachNodes( SoNode*simple, SoNode*detailed, bool unpickable ) +{ + if (!m_d->trackhandle->visible()) + return; + m_d->ensureInit(); + if (!m_d->trackmat) { + SoMaterial * m = m_d->trackhandle->currentMaterial(); + if (!m) + m = Imp::dummymaterial;//For now we attach a dummy material. + m_d->trackmat=m; + m->ref(); + m_d->septrack_simple->addChild(m); + m_d->septrack_detailed->addChild(m); + } + + if (VP1Msg::verbose()) { + if (m_d->pickStyleChildIdx != m_d->septrack_detailed->findChild(Imp::pickStyle) + ||m_d->pickStyleChildIdx != m_d->septrack_simple->findChild(Imp::pickStyle)) { + VP1Msg::message("ERROR: AssocObjAttachmentHandle::attachNodes detected wrong pickStyleChildIdx"); + return; + } + if (m_d->septrack_simple->findChild(simple)>-1||m_d->septrack_detailed->findChild(detailed)>-1) { + VP1Msg::message("ERROR: AssocObjAttachmentHandle::attachNodes Already attached!"); + return; + } + } + if (unpickable) { + if (m_d->pickStyleChildIdx==-1) { + m_d->pickStyleChildIdx = m_d->septrack_simple->getNumChildren(); + m_d->septrack_simple->addChild(Imp::pickStyle); + m_d->septrack_detailed->addChild(Imp::pickStyle); + } + m_d->septrack_simple->addChild(simple); + m_d->septrack_detailed->addChild(detailed); + } else { + if (m_d->pickStyleChildIdx>-1) { + m_d->septrack_simple->insertChild(simple,m_d->pickStyleChildIdx); + m_d->septrack_detailed->insertChild(detailed,m_d->pickStyleChildIdx); + ++(m_d->pickStyleChildIdx); + } else { + m_d->septrack_simple->addChild(simple); + m_d->septrack_detailed->addChild(detailed); + } + } + + //Should we update the overall attachment status?: + if (m_d->trackhandle->visible() && m_d->septrack_simple->getNumChildren() == 2 + (m_d->pickStyleChildIdx==-1?0:1)) { + m_d->ensureAttached(); + } +} + +//____________________________________________________________________ +void AssocObjAttachmentHandle::setPickableStateOfNodes( SoNode*simple, SoNode*detailed, bool unpickable ) +{ + if (VP1Msg::verbose()) { + VP1Msg::messageVerbose("AssocObjAttachmentHandle::setPickableStateOfNodes called with unpickable = " + +QString(unpickable?"true":"false")); + if (!simple||!detailed) { + VP1Msg::messageVerbose("AssocObjAttachmentHandle::setPickableStateOfNodes ERROR: Called with null pointers!"); + return; + } + } + m_d->ensureInit(); + int isimple = m_d->septrack_simple->findChild(simple); + if (VP1Msg::verbose()) { + if (m_d->septrack_simple->getNumChildren()!=m_d->septrack_detailed->getNumChildren()) { + VP1Msg::message("ERROR: AssocObjAttachmentHandle::setPickableStateOfNodes septrack_simple->getNumChildren()" + "!=m_d->septrack_detailed->getNumChildren()."); + return; + } + int idetailed = m_d->septrack_detailed->findChild(detailed); + if (idetailed!=isimple) { + VP1Msg::message("ERROR: AssocObjAttachmentHandle::setPickableStateOfNodes" + " called with simple and detailed nodes that are not at same child idx!"); + return; + } + if (m_d->pickStyleChildIdx != m_d->septrack_detailed->findChild(Imp::pickStyle) + ||m_d->pickStyleChildIdx != m_d->septrack_simple->findChild(Imp::pickStyle)) { + VP1Msg::message("ERROR: AssocObjAttachmentHandle::setPickableStateOfNodes detected wrong pickStyleChildIdx"); + return; + } + } + if (isimple<0) { + VP1Msg::messageDebug( "WARNING: AssocObjAttachmentHandle::setPickableStateOfNodes" + " called with nodes that are not currently children. Calling attachNodes(..)." ); + attachNodes(simple, detailed, unpickable); + return; + } + if (unpickable == (m_d->pickStyleChildIdx>-1&&isimple>m_d->pickStyleChildIdx)) { + VP1Msg::messageDebug("WARNING: AssocObjAttachmentHandle::setPickableStateOfNodes" + " already in correct state."); + return; + } + + simple->ref();//To avoid deletion upon removeChild calls. + detailed->ref(); + if (unpickable) { + m_d->septrack_simple->removeChild(simple); + m_d->septrack_detailed->removeChild(detailed); + if (m_d->pickStyleChildIdx==-1) { + m_d->pickStyleChildIdx = m_d->septrack_simple->getNumChildren(); + m_d->septrack_simple->addChild(Imp::pickStyle); + m_d->septrack_detailed->addChild(Imp::pickStyle); + } else { + --(m_d->pickStyleChildIdx); + } + m_d->septrack_simple->addChild(simple); + m_d->septrack_detailed->addChild(detailed); + } else { + if (m_d->pickStyleChildIdx==-1) { + VP1Msg::message("ERROR: AssocObjAttachmentHandle::setPickableStateOfNodes Inconsistent logic"); + simple->unref(); + detailed->unref(); + return; + } + if (m_d->pickStyleChildIdx==isimple-1&&isimple==m_d->septrack_simple->getNumChildren()-1) { + //pickStyle object no longer needed: + VP1Msg::messageVerbose("AssocObjAttachmentHandle::setPickableStateOfNodes detaching pickstyle"); + m_d->septrack_simple->removeChild(Imp::pickStyle); + m_d->septrack_detailed->removeChild(Imp::pickStyle); + m_d->pickStyleChildIdx = -1; + } else { + //Move children left of the pickstyle object. + m_d->septrack_simple->removeChild(simple); + m_d->septrack_detailed->removeChild(detailed); + m_d->septrack_simple->insertChild(simple,m_d->pickStyleChildIdx); + m_d->septrack_detailed->insertChild(detailed,m_d->pickStyleChildIdx); + ++(m_d->pickStyleChildIdx); + } + } + simple->unref(); + detailed->unref(); +} + +//____________________________________________________________________ +void AssocObjAttachmentHandle::detachNodes( SoNode*simple, SoNode*detailed ) +{ + if (!m_d->trackmat) + return; + int isimple = m_d->septrack_simple->findChild(simple); + if (VP1Msg::verbose()) { + if (!m_d->septrack_simple) { + // VP1Msg::message("ERROR: AssocObjAttachmentHandle::detachNodes Not initialised previously!."); + m_d->ensureInit(); + } + if (!simple||!detailed) { + VP1Msg::messageVerbose("AssocObjAttachmentHandle::detach ERROR: Called with null pointers!"); + return; + } + if (m_d->septrack_simple->getNumChildren()!=m_d->septrack_detailed->getNumChildren()) { + VP1Msg::message("ERROR: AssocObjAttachmentHandle::detachNodes septrack_simple->getNumChildren()" + "!=m_d->septrack_detailed->getNumChildren()."); + return; + } + if (m_d->pickStyleChildIdx != m_d->septrack_detailed->findChild(Imp::pickStyle) + ||m_d->pickStyleChildIdx != m_d->septrack_simple->findChild(Imp::pickStyle)) { + VP1Msg::message("ERROR: AssocObjAttachmentHandle::detachNodes detected wrong pickStyleChildIdx"); + return; + } + if (isimple==-1) { + VP1Msg::message("ERROR: AssocObjAttachmentHandle::detachNodes Not previously attached!"); + return; + } + if (m_d->septrack_detailed->findChild(detailed)!=isimple) { + VP1Msg::message("ERROR: AssocObjAttachmentHandle::setPickableStateOfNodes" + " called with simple and detailed nodes that are not at same child idx!"); + return; + } + } + m_d->septrack_simple->removeChild(simple); + m_d->septrack_detailed->removeChild(detailed); + if ( m_d->pickStyleChildIdx!=-1 + && isimple>m_d->pickStyleChildIdx + && m_d->pickStyleChildIdx==m_d->septrack_simple->getNumChildren()-1 ) { + VP1Msg::messageVerbose("AssocObjAttachmentHandle::detachNodes detaching pickstyle"); + m_d->septrack_simple->removeChild(Imp::pickStyle); + m_d->septrack_detailed->removeChild(Imp::pickStyle); + m_d->pickStyleChildIdx = -1; + } + + //Should we update the overall attachment status?: + if (m_d->trackhandle->visible() && m_d->septrack_simple->getNumChildren() == 1 + (m_d->pickStyleChildIdx==-1?0:1)) + m_d->ensureDetached(); +} + +//____________________________________________________________________ +QList<AssociatedObjectHandleBase*> TrackHandleBase::getVisibleMeasurements() const +{ + QList<AssociatedObjectHandleBase*> l; + if (!m_d->tsos_ascobjs) return l; + std::vector<AscObj_TSOS*>::iterator + it(m_d->tsos_ascobjs->begin()), + itE(m_d->tsos_ascobjs->end()); + for (;it!=itE;++it) + if ((*it)->hasMeasurement()&&(*it)->visible()) + l << (*it); + return l; +} + +void TrackHandleBase::fillObjectBrowser( QList<QTreeWidgetItem *>& listOfItems) { + VP1Msg::messageVerbose("TrackHandleBase::fillObjectBrowser"); + + assert(m_d->m_objBrowseTree==0); + m_d->m_objBrowseTree = new QTreeWidgetItem(); + + QString direction = QString::fromUtf8("(\u03B7,\u03D5)=[") + QString::number(momentum().eta(),'f',2) + ","+QString::number(momentum().phi(),'f',2)+"], "; + QString l = direction + shortInfo(); + m_d->m_objBrowseTree->setText(0, type()+QString(QString::number(listOfItems.size())) ); + m_d->m_objBrowseTree->setText(1, l ); + + if (!visible()) { + m_d->m_objBrowseTree->setFlags(0); // not selectable, not enabled + } + listOfItems << browserTreeItem(); +} + +QTreeWidgetItem* TrackHandleBase::browserTreeItem() const {return m_d->m_objBrowseTree;} + +//____________________________________________________________________ +void TrackHandleBase::visibleStateChanged() +{ + if ( !browserTreeItem()) { + VP1Msg::messageVerbose("visibleStateChanged: No m_objBrowseTree!"); + return; + } + + if (!visible()) { + browserTreeItem()->setFlags(0); // not selectable, not enabled + } else { + browserTreeItem()->setFlags(Qt::ItemIsSelectable | Qt::ItemIsEnabled); // selectable, enabled + } + QFont itemFont = browserTreeItem()->font(0); + itemFont.setStrikeOut(!visible()); + browserTreeItem()->setFont(0, itemFont); + browserTreeItem()->setFont(1, itemFont); +} diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackHandle_TrkTrack.cxx b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackHandle_TrkTrack.cxx new file mode 100644 index 0000000000000000000000000000000000000000..dbcd53e653e1c35b9e87f6a3b2a3c946ffcc9e28 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackHandle_TrkTrack.cxx @@ -0,0 +1,342 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class TrackHandle_TrkTrack // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: February 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12TrackSystems/TrackHandle_TrkTrack.h" +#include "VTI12TrackSystems/TrackSystemController.h" +#include "VTI12TrackSystems/TrackCollHandle_TrkTrack.h" +#include "VTI12TrackSystems/VP1TrackSanity.h" +#include "VTI12TrackSystems/TrkObjToString.h" +#include "VTI12Utils/VP1JobConfigInfo.h" +#include "TrkTrack/Track.h" +#include "TrkTrack/TrackStateOnSurface.h" +#include "TrkSurfaces/Surface.h" +#include "TrkMeasurementBase/MeasurementBase.h" +#include "TrkRIO_OnTrack/RIO_OnTrack.h" +#include "TrkCompetingRIOsOnTrack/CompetingRIOsOnTrack.h" +#include "VP1Base/VP1Msg.h"//fixme +#include "VTI12TrackSystems/VP1TrackSummary.h" +#include "VTI12TrackSystems/AscObj_TSOS.h" +#include "VTI12TrackSystems/TrkObjToString.h" +#include <Inventor/nodes/SoSeparator.h> +#include <Inventor/nodes/SoNode.h> + + +//____________________________________________________________________ +TrackHandle_TrkTrack::TrackHandle_TrkTrack(TrackCollHandleBase* ch, const Trk::Track* trk) + : TrackHandleBase(ch), + m_nhits_sct(0), m_hitInfoStatus(-1), m_trk(trk) +{ +} + +//____________________________________________________________________ +TrackHandle_TrkTrack::~TrackHandle_TrkTrack() +{ +} + +//____________________________________________________________________ +QStringList TrackHandle_TrkTrack::clicked() const +{ + // Object browser stuff + QTreeWidget* trkObjBrowser = common()->controller()->trackObjBrowser(); + if (trkObjBrowser){ + trkObjBrowser->setCurrentItem(browserTreeItem()); + trkObjBrowser->scrollToItem(browserTreeItem()); + } + QStringList l; + l << "Trk::Track"; + if (!m_trk) { + l << "ERROR: This TrackHandle_TrkTrack handle has a NULL track pointer!!"; + return l; + } + l << "Author info: " << " "+QString(m_trk->info().dumpInfo().c_str()); + + l << TrackHandleBase::baseInfo(); + if (m_trk->fitQuality()) + l << "Fit quality [Chi^2, nDoF] = ["+QString::number(m_trk->fitQuality()->chiSquared())+", "+QString::number(m_trk->fitQuality()->doubleNumberDoF())+"]. "; + if (common()->controller()->printVerboseInfoOnSingleSelection()) { + l << " ===== dump ====="; + std::ostringstream s; + s << *m_trk; + l << QString(s.str().c_str()).split('\n'); + } + return l; +} + +//____________________________________________________________________ +Amg::Vector3D TrackHandle_TrkTrack::momentum() const +{ + for (const Trk::TrackParameters* param : *m_trk->trackParameters()) { + if (!common()->trackSanityHelper()->isSafe(param)) + continue; + return param->momentum(); + } + return TrackHandleBase::momentum(); +} + +//____________________________________________________________________ +void TrackHandle_TrkTrack::visibleStateChanged() +{ + static_cast<TrackCollHandle_TrkTrack*>(collHandle())->visibleStateUpdated(this); + TrackHandleBase::visibleStateChanged(); +} + +//____________________________________________________________________ +void TrackHandle_TrkTrack::currentMaterialChanged() +{ + if (visible()) + static_cast<TrackCollHandle_TrkTrack*>(collHandle())->visibleStateUpdated(this); +} + +//____________________________________________________________________ +void TrackHandle_TrkTrack::ensureInitSubSysHitInfo() const +{ + if (m_hitInfoStatus==-1) + m_hitInfoStatus = VP1TrackSummary::countHits( m_trk, m_nhits_sct) ? 1 : 0; +} + +void TrackHandle_TrkTrack::fillObjectBrowser( QList<QTreeWidgetItem *>& listOfItems) +{ + TrackHandleBase::fillObjectBrowser(listOfItems); // Obligatory! + + // Fill sub-data. + QList<AssociatedObjectHandleBase*> list = getAllAscObjHandles(); + DataVector< const Trk::TrackStateOnSurface >::const_iterator it = trkTrackPointer()->trackStateOnSurfaces ()->begin(), + itE = trkTrackPointer()->trackStateOnSurfaces ()->end(); + unsigned int i=0; + for (;it!=itE;++it){ +// VP1Msg::messageVerbose("TSOS #"+QString::number(i++)); + + bool visible=false; + QTreeWidgetItem* TSOSitem = new QTreeWidgetItem(browserTreeItem()); + + AscObj_TSOS* asc=0; + if (i<static_cast<unsigned int>(list.size())) asc = dynamic_cast<AscObj_TSOS*>(list.at(i)); + + if (asc) { + asc->setBrowserTreeItem(TSOSitem); + visible=asc->visible(); + } + + if (!visible) { + TSOSitem->setFlags(0);// not selectable, not enabled + QFont itemFont = TSOSitem->font(0); + itemFont.setStrikeOut(true); + TSOSitem->setFont(0, itemFont); + TSOSitem->setFont(1, itemFont); + } + TSOSitem->setText(0, QString("Track State "+QString::number( (int)(it - trkTrackPointer()->trackStateOnSurfaces ()->begin() ) ) ) ); + + QString tsosText; + bool first=true; + const Trk::MeasurementBase* meas = (*it)->measurementOnTrack(); + if ( /**(*it)->type(Trk::TrackStateOnSurface::Measurement) &&*/ meas ){ + QString measName(TrkObjToString::name(*meas)); + tsosText+=measName; + + QTreeWidgetItem* measItem = new QTreeWidgetItem(TSOSitem); + measItem->setExpanded(true); // want it opened so subparams seen easily + measItem->setFlags(Qt::ItemIsEnabled); + measItem->setText(0, measName); + // measItem->setText(1, TrkObjToString::shortInfo(*meas) ); + + QStringList list = TrkObjToString::fullInfo( *((*it)->measurementOnTrack ()) ); + for (int i = 0; i < (list.size()-1); ){ + QTreeWidgetItem* subparamItem = new QTreeWidgetItem(measItem); + subparamItem->setText(0, list.at(i++) ); + subparamItem->setText(1, list.at(i++) ); + subparamItem->setFlags(Qt::ItemIsEnabled); + } + + first=false; + } + if ( (*it)->trackParameters () ) { + if (!first) tsosText.append(" + "); + tsosText.append("Parameters"); + + QTreeWidgetItem* paramItem = new QTreeWidgetItem(TSOSitem); + paramItem->setExpanded(true); // want it opened so subparams seen easily + paramItem->setFlags(Qt::ItemIsEnabled); + paramItem->setText(0, TrkObjToString::name( *((*it)->trackParameters ()) ) ); + // paramItem->setText(1, TrkObjToString::shortInfo( *((*it)->trackParameters ()) ) ); + + QStringList list = TrkObjToString::fullInfo( *((*it)->trackParameters ()) ); + for (int i = 0; i < (list.size()-1); ){ + QTreeWidgetItem* subparamItem = new QTreeWidgetItem(paramItem); + subparamItem->setText(0, list.at(i++) ); + subparamItem->setText(1, list.at(i++) ); + subparamItem->setFlags(Qt::ItemIsEnabled); + } + + first=false; + } + if ( (*it)->materialEffectsOnTrack () ){ + if (!first) tsosText.append(" + "); + tsosText.append("MaterialEffectsOnTrack"); + QTreeWidgetItem* meItem = new QTreeWidgetItem(TSOSitem); + meItem->setExpanded(true); // want it opened so subparams seen easily + meItem->setFlags(Qt::ItemIsEnabled); + + meItem->setText(0, TrkObjToString::name( *((*it)->materialEffectsOnTrack ()) ) ); + meItem->setText(1, TrkObjToString::shortInfo( *((*it)->materialEffectsOnTrack ()) ) ); + + first=false; + } + if ( (*it)->fitQualityOnSurface () ){ + if (!first) tsosText.append(" + "); + tsosText.append("FitQuality"); + QTreeWidgetItem* fqItem = new QTreeWidgetItem(TSOSitem); + fqItem->setExpanded(true); // want it opened so subparams seen easily + fqItem->setFlags(Qt::ItemIsEnabled); + fqItem->setText(0, QString("FitQuality") ); + fqItem->setText(1, TrkObjToString::shortInfo( *((*it)->fitQualityOnSurface ()) ) ); + + first=false; + } + // FIXME - add information about chamber for Muon systems? + + if ( (*it)->type(Trk::TrackStateOnSurface::Outlier) ){ + if (!first) tsosText.append(" + "); + tsosText.append("Outlier"); + } + + if ( (*it)->type(Trk::TrackStateOnSurface::InertMaterial) ){ + if (!first) tsosText.append(" + "); + tsosText.append("InertMaterial"); + } + + if ( (*it)->type(Trk::TrackStateOnSurface::BremPoint) ){ + if (!first) tsosText.append(" + "); + tsosText.append("BremPoint"); + } + + if ( (*it)->type(Trk::TrackStateOnSurface::Perigee) ){ + if (!first) tsosText.append(" + "); + tsosText.append("Perigee"); + } + + if ( (*it)->type(Trk::TrackStateOnSurface::Hole) ){ + if (!first) tsosText.append(" + "); + tsosText.append("Hole"); + } + TSOSitem->setText(1, tsosText ); + } + // listOfItems << browserTreeItem(); +} + +SoNode* TrackHandle_TrkTrack::zoomToTSOS(unsigned int index) +{ + if (trkTrackPointer() && (index<trkTrackPointer()->trackStateOnSurfaces()->size() )){ + const Trk::TrackStateOnSurface* tsos = (*trkTrackPointer()->trackStateOnSurfaces())[index]; + // now find matching AscObj_TSOS + QList<AssociatedObjectHandleBase*> list = getAllAscObjHandles(); + for (int i = 0; i < list.size(); ++i) { + // VP1Msg::messageVerbose("TrackSystemController::objectBrowserClicked: checking ASC "+QString::number(i)); + + AscObj_TSOS* asc = dynamic_cast<AscObj_TSOS*>(list.at(i)); + if (asc) { + if (asc && asc->trackStateOnSurface()==tsos) { + VP1Msg::messageVerbose("TrackSystemController::objectBrowserClicked: this ASC matches "+QString::number(i)); + //asc->zoomView(); + return asc->shapeDetailed(); + } + } + } + } + return 0; +} + +QString TrackHandle_TrkTrack::shortInfo() const +{ + QString l("|P|="+VP1Msg::str(momentum().mag()/CLHEP::GeV)+" [GeV], "); + l+= "SCT["+QString::number(getNSCTHits())+"]"; + return l; +} + + +void TrackHandle_TrkTrack::updateObjectBrowser(){ + + if ( !browserTreeItem()) { + VP1Msg::messageVerbose("updateObjectBrowser: No m_objBrowseTree!"); + return; + } + + // QString tmp = (visible()==true)?"True":"False"; +// VP1Msg::messageVerbose("updateObjectBrowser "+m_objBrowseTree->text(0)+" with visible()="+tmp); + + if (!visible()) { + browserTreeItem()->setFlags(0); // not selectable, not enabled + } else { + browserTreeItem()->setFlags(Qt::ItemIsSelectable | Qt::ItemIsEnabled); // selectable, enabled + } + QFont font= browserTreeItem()->font(0); + font.setStrikeOut(!visible()); + browserTreeItem()->setFont(0, font ); + browserTreeItem()->setFont(1, font ); + + + // FIXME! Only do if necessary i.e. if something affecting this TSOS has changed. + + QList<AssociatedObjectHandleBase*> list = getAllAscObjHandles(); + + if (list.size()==0) { + VP1Msg::message("No ASC objects associated with this track - no track components visible yet?"); + return; + } + + DataVector< const Trk::TrackStateOnSurface >::const_iterator it = trkTrackPointer()->trackStateOnSurfaces ()->begin(), + itE = trkTrackPointer()->trackStateOnSurfaces ()->end(); + unsigned int numOfTSOS=0; + for (;it!=itE;++it,++numOfTSOS){ + AscObj_TSOS* asc = dynamic_cast<AscObj_TSOS*>(list.at(numOfTSOS)); + if (!(asc && asc->trackStateOnSurface()==*it && list.size()>0) ) { + // Fallback. + VP1Msg::message("TSOS#"+QString::number(numOfTSOS)+" does not seem to match AscObj_TSOS in list, which has size="+QString::number(list.size())+" Will try fallback."); + for (int i = 0; i < list.size(); ++i) { + AscObj_TSOS* asc = dynamic_cast<AscObj_TSOS*>(list.at(i)); + if (asc && asc->trackStateOnSurface()==*it) { + VP1Msg::message("-> this ASC matches "+QString::number(i)); + } + } + } + if (!asc) { + VP1Msg::message("Could not find matching Asc in list of size "+QString::number(list.size())); + continue; + } + + if (!asc->browserTreeItem() && browserTreeItem()){ + // not set yet - so need to do this now. Can we just use the index? + asc->setBrowserTreeItem(browserTreeItem()->child(numOfTSOS)); + } + + if (!asc->browserTreeItem()){ + VP1Msg::message("Could not find matching browserTreeItem"); + continue; + } + + if (!asc->visible()) { + asc->browserTreeItem()->setFlags(0); // not selectable, not enabled + } else { + asc->browserTreeItem()->setFlags(Qt::ItemIsSelectable | Qt::ItemIsEnabled); // selectable, enabled + } + QFont itemFont = asc->browserTreeItem()->font(0); + itemFont.setStrikeOut(!asc->visible()); + asc->browserTreeItem()->setFont(0, itemFont); + asc->browserTreeItem()->setFont(1, itemFont); + } +} + +const Trk::FitQuality* TrackHandle_TrkTrack::getFitQuality() const { + return m_trk ? m_trk->fitQuality ():0; +} + diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackHandle_TruthTrack.cxx b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackHandle_TruthTrack.cxx new file mode 100644 index 0000000000000000000000000000000000000000..6c9dddcb4c6f7109525c40dad880a1f2f6c7d739 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackHandle_TruthTrack.cxx @@ -0,0 +1,340 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class TrackHandle_TruthTrack // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: March 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12TrackSystems/TrackHandle_TruthTrack.h" +#include "VTI12TrackSystems/AscObj_TruthPoint.h" +#include "VP1Base/VP1Msg.h" + +#include "TrkTrack/Track.h" +#include "HepMC/GenParticle.h" +#include "HepMC/GenVertex.h" +#include "CLHEP/Vector/LorentzVector.h" +#include "TrkTrack/Track.h" +#include "AthContainers/DataVector.h" +#include "TrkParameters/TrackParameters.h" +#include "TrkSurfaces/PlaneSurface.h" +#include "HepMC/GenParticle.h" + +//____________________________________________________________________ +class TrackHandle_TruthTrack::Imp { +public: + Imp(TrackHandle_TruthTrack * tc, + const SimBarCode& sbc,const SimHitList& shl,const HepMC::GenParticle* p) + : theclass(tc), + simBarCode(sbc), + simHitList(shl), + genParticle(p), + ascObjVis(false), + ascObjs(0), + trkTrack(0) {} + TrackHandle_TruthTrack * theclass; + SimBarCode simBarCode; + SimHitList simHitList; + const HepMC::GenParticle* genParticle; + + bool ascObjVis; + std::vector<AscObj_TruthPoint*> * ascObjs; + void ensureInitAscObjs(); + const Trk::Track * trkTrack; + void ensureInitTrkTracks(); + + static Trk::Perigee * createTrkPerigeeFromProdVertex(const HepMC::GenParticle * p, const double& charge ) + { + if (!p) + return 0;//Fixme: message! + const HepMC::GenVertex * v = p->production_vertex(); + if (!v) + return 0;//Fixme: message! + // std::cout << "Creating truth track prod vertex at: " << v->point3d().x() << " " << v->point3d().y() << " " << v->point3d().z() << std::endl; + Amg::Vector3D mom(p->momentum().px(),p->momentum().py(),p->momentum().pz()); + double absmom(mom.mag()); + if (absmom<=0) + return 0;//Fixme: message! + Amg::Vector3D pos(v->point3d().x(),v->point3d().y(),v->point3d().z()); + return new Trk::Perigee(0.,0.,mom.phi(), mom.theta(), charge/absmom, pos); + } + + static Trk::TrackParameters * createTrkParamFromDecayVertex(const HepMC::GenParticle * p, const double& charge ) + { + if (!p) + return 0;//Fixme: message! + const HepMC::GenVertex * v = p->end_vertex(); + if (!v) + return 0;//Fixme: message! + // std::cout << "Creating truth track end vertex at: " << v->point3d().x() << " " << v->point3d().y() << " " << v->point3d().z() << std::endl; + Amg::Vector3D mom(p->momentum().px(),p->momentum().py(),p->momentum().pz()); +// double absmom(mom.mag()); +// if (absmom<=0) +// return 0;//Fixme: message! + Amg::Vector3D pos(v->point3d().x(),v->point3d().y(),v->point3d().z()); + + Amg::Translation3D amgtranslation(pos.x(),pos.y(),pos.z()); + Amg::Transform3D* amgTransf = new Amg::Transform3D(amgtranslation * Amg::RotationMatrix3D::Identity()); + + return new Trk::AtaPlane(pos,mom,charge, *(new Trk::PlaneSurface(amgTransf))); + } + + static Trk::TrackStateOnSurface * createTSOS(const Trk::TrackParameters * pars) + { + return pars ? new Trk::TrackStateOnSurface(0,pars,0,0) : 0; + } + static void addPars(DataVector<const Trk::TrackStateOnSurface>* dv, const Trk::TrackParameters * pars) + { + if (!pars) + return; + Trk::TrackStateOnSurface * tsos = createTSOS(pars); + if (tsos) + dv->push_back(tsos); + } + + void createTrack(DataVector<const Trk::TrackStateOnSurface>* trackStateOnSurfaces) + { + if (!trackStateOnSurfaces) { + VP1Msg::messageDebug("TrackHandle_TruthTrack WARNING: Could not create track due to null TSOS vector"); + return; + } + if (trackStateOnSurfaces->size()==0) { + VP1Msg::messageDebug("TrackHandle_TruthTrack WARNING: Could not create track due to empty TSOS vector"); + delete trackStateOnSurfaces; + return; + } + if (trkTrack) { + VP1Msg::messageDebug("TrackHandle_TruthTrack ERROR: Already create trkTrack previously!"); + delete trackStateOnSurfaces; + return; + } + + Trk::TrackInfo ti(Trk::TrackInfo::Unknown,theclass->extrapolationParticleHypothesis()); + trkTrack = new Trk::Track(ti,trackStateOnSurfaces/*track assumes ownership*/,0/*fitquality*/); + +// if (VP1Msg::verbose()) +// VP1Msg::messageVerbose("TrackHandle_TruthTrack created track with " +// +QString::number(trackStateOnSurfaces->size())+" parameters"); + } + +}; + +//____________________________________________________________________ +TrackHandle_TruthTrack::TrackHandle_TruthTrack( TrackCollHandleBase* ch, + const SimBarCode& simBarCode, + const SimHitList& simHitList, + const HepMC::GenParticle* genPart ) + : TrackHandleBase(ch), m_d(new Imp(this,simBarCode,simHitList,genPart)) +{ + if (VP1Msg::verbose()) { + //Check genparticle barcode is same as in simBarCode. (and event index in parent_event()) + //Check that genparticle has production vertex. + //Check if genparticle has end vertex, that there are no sim hits. + //all pdg codes of simhits and genparticle should be identical. + //all simhits should have same barcode. + //hitTime should be rising in all simhits. NB: Remember to correct hit times with bunch crossing!! + //fixme! + } +} + +//____________________________________________________________________ +TrackHandle_TruthTrack::~TrackHandle_TruthTrack() +{ + //Fixme: delete simhitlist here? + setAscObjsVisible(false); + delete m_d->ascObjs; + delete m_d->trkTrack; + delete m_d; +} + +//____________________________________________________________________ +void TrackHandle_TruthTrack::Imp::ensureInitTrkTracks() +{ + if (trkTrack) + return; + + //The GenParticle part is used if it is available with a production + //vertex. The sim. hits are used if present and the genparticle does + //not have an end vertex: + bool useGenParticle = genParticle && genParticle->production_vertex(); + bool decayedGenParticle = useGenParticle && genParticle->end_vertex(); + bool useSimHits = !decayedGenParticle && !simHitList.empty(); + // std::cout << "TruthTrack useGen, decayedGen, useSim = " << useGenParticle << decayedGenParticle << useSimHits << std::endl; + if (!useGenParticle&&!useSimHits) { + VP1Msg::message("TrackHandle_TruthTrack ERROR: Track has neither a genparticle or sim. hits!!"); + return; + } + + if (!theclass->hasCharge()) { + VP1Msg::message("TrackHandle_TruthTrack ERROR: Could not determine particle charge (pdg=" + +QString::number(theclass->pdgCode())+").");//Fixme: I guess we could show non-extrapolated version? + return; + } + const double charge = theclass->charge(); + + DataVector<const Trk::TrackStateOnSurface>* trackStateOnSurfaces = new DataVector<const Trk::TrackStateOnSurface>; + + if (useGenParticle) { + addPars(trackStateOnSurfaces,createTrkPerigeeFromProdVertex(genParticle,charge)); + + if (decayedGenParticle) { + addPars(trackStateOnSurfaces,createTrkParamFromDecayVertex(genParticle,charge)); + createTrack(trackStateOnSurfaces); + return; + } + } + + if (useSimHits) { + //Add parameters from simhits (yes, if !useGenParticle, we get no perigee). + SimHitList::const_iterator it, itE(simHitList.end()); + for ( it = simHitList.begin(); it != itE; ++it ) { + //Fixme: momentum() < 0 (i.e. not present); + //Fixme: Possibly add points for both posStart() and posEnd() (and use energy loss information to get different momenta?) + addPars(trackStateOnSurfaces,it->second->createTrackParameters()); + } + + } + + createTrack(trackStateOnSurfaces); +} + +//____________________________________________________________________ +QStringList TrackHandle_TruthTrack::clicked() const +{ + + QStringList l; + l << "Truth track"; + l << TrackHandleBase::baseInfo(); + l << "Evt index = "+QString::number(m_d->simBarCode.evtIndex()); + l << "BarCode = "+QString::number(m_d->simBarCode.barCode()); + //fixme - more info + // l << "Truth track clicked [evt index = "+QString::number(m_d->simBarCode.second) + // +", barcode = "+(m_d->simBarCode.barCode<0?QString("Unknown (G4 secondary)"):QString::number(m_d->simBarCode.first))+"]";//fixme - more info + return l; +} + +//____________________________________________________________________ +const Trk::Track * TrackHandle_TruthTrack::provide_pathInfoTrkTrack() const +{ + m_d->ensureInitTrkTracks(); + return m_d->trkTrack; +} + + +//____________________________________________________________________ +int TrackHandle_TruthTrack::pdgCode() const +{ + return m_d->simBarCode.pdgCode(); +} + +//____________________________________________________________________ +bool TrackHandle_TruthTrack::hasBarCodeZero() const +{ + return m_d->simBarCode.isNonUniqueSecondary(); +} + +//____________________________________________________________________ +Amg::Vector3D TrackHandle_TruthTrack::momentum() const +{ + if (m_d->genParticle) { + return Amg::Vector3D(m_d->genParticle->momentum().px(),m_d->genParticle->momentum().py(),m_d->genParticle->momentum().pz()); + } + SimHitList::const_iterator it, itE(m_d->simHitList.end()); + for ( it = m_d->simHitList.begin(); it != itE; ++it ) { + if (it->second->momentum()>=0) { + return (it->second->momentum()) * (it->second->momentumDirection()); + } + } + //Unknown: + return TrackHandleBase::momentum(); +} + +//____________________________________________________________________ +bool TrackHandle_TruthTrack::hasVertexAtIR(const double& rmaxsq, const double& zmax) const +{ + if (!m_d->genParticle) + return false; + const HepMC::GenVertex * v = m_d->genParticle->production_vertex(); + if (!v) + return false; + + double x(v->point3d().x()), y(v->point3d().y()); + if (x*x+y*y>rmaxsq) + return false; + return fabs(v->point3d().z())<=zmax; +} + +//____________________________________________________________________ +void TrackHandle_TruthTrack::visibleStateChanged() +{ + if (visible()&&m_d->ascObjVis&&!m_d->ascObjs) + m_d->ensureInitAscObjs(); +} + +//____________________________________________________________________ +void TrackHandle_TruthTrack::setAscObjsVisible(bool b) +{ + if (m_d->ascObjVis==b) + return; + m_d->ascObjVis=b; +// const bool visnow = visible()&&m_d->ascObjVis; +// const bool visbefore = visible()&&!m_d->ascObjVis; +// if (visnow==visbefore) +// return; +// VP1Msg::messageVerbose("TrackHandle_TruthTrack::AscObjs visible state -> "+VP1Msg::str(b)); + + if (!m_d->ascObjs) { + if (!b||!visible()) + return; + m_d->ensureInitAscObjs(); + } + + std::vector<AscObj_TruthPoint*>::iterator it(m_d->ascObjs->begin()), itE(m_d->ascObjs->end()); + for (;it!=itE;++it) + (*it)->setVisible(b); +} + +//____________________________________________________________________ +void TrackHandle_TruthTrack::Imp::ensureInitAscObjs() +{ + if (ascObjs) + return; + ascObjs = new std::vector<AscObj_TruthPoint*>; + const HepMC::GenVertex * vprod = genParticle ? genParticle->production_vertex() : 0; + const HepMC::GenVertex * vend = genParticle ? genParticle->end_vertex() : 0; + ascObjs->reserve((vprod?1:0)+(vend?1:simHitList.size())); + if (vprod) + ascObjs->push_back(new AscObj_TruthPoint(theclass,vprod,genParticle)); + + if (vend) { + ascObjs->push_back(new AscObj_TruthPoint(theclass,vend,genParticle)); + } else { + SimHitList::const_iterator it, itE(simHitList.end()); + for ( it = simHitList.begin(); it != itE; ++it ) + ascObjs->push_back(new AscObj_TruthPoint(theclass,it->second)); + } + std::vector<AscObj_TruthPoint*>::iterator it, itE(ascObjs->end()); + for (it=ascObjs->begin();it!=itE;++it) + theclass->registerAssocObject(*it); + for (it=ascObjs->begin();it!=itE;++it) + (*it)->setVisible(ascObjVis); +} + +//____________________________________________________________________ +double TrackHandle_TruthTrack::calculateCharge() const +{ + if (!m_d->simHitList.empty()) { + if (m_d->simHitList.at(0).second->hasCharge()) + return m_d->simHitList.at(0).second->charge(); + else + VP1Msg::messageVerbose("TrackHandle_TruthTrack::calculateCharge() WARNING: Simhit did not have charge!"); + } + + return TrackHandleBase::calculateCharge(); +} diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackLODManager.cxx b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackLODManager.cxx new file mode 100644 index 0000000000000000000000000000000000000000..0a729fa10148955395b7a754d6a76873a88ecfdc --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackLODManager.cxx @@ -0,0 +1,364 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class TrackLODManager // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: March 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12TrackSystems/TrackLODManager.h" +#include "VP1Base/VP1Msg.h" +#include "VP1Base/VP1ExtraSepLayerHelper.h" +#include <Inventor/nodes/SoLevelOfDetail.h> +#include <Inventor/nodes/SoSeparator.h> +#include <map> + +//____________________________________________________________________ +class TrackLODManager::Imp { +public: + Imp() : attachnode(0), + attachnode_lod(0), + attachsep_simple(0), + attachsep_detailed(0), + attachHelper_simple(0), + attachHelper_detailed(0), + detailLevel(TrackCommonFlags::AUTO) {} + SoGroup * attachnode; + SoGroup * attachnode_lod; + SoSeparator * attachsep_simple; + SoSeparator * attachsep_detailed; + VP1ExtraSepLayerHelper * attachHelper_simple; + VP1ExtraSepLayerHelper * attachHelper_detailed; + void ensureLODDetached(); + void ensureSimpleDetached(); + void ensureDetailedDetached(); + void updateAttachmentForDetailLevel(TrackCommonFlags::DETAILLEVEL); + + TrackCommonFlags::DETAILLEVEL detailLevel; + std::map<std::pair<int,double>,TrackLODHandle* > id_2_lodhandle; +}; + + +//____________________________________________________________________ +TrackLODManager::TrackLODManager(QObject * parent, IVP1System * sys) + : QObject(parent), VP1HelperClassBase(sys,"TrackLODManager"), m_d(new Imp) +{ +} + +//____________________________________________________________________ +TrackLODManager::~TrackLODManager() +{ + if (m_d->attachnode) { + messageDebug("WARNING: Destructed before event data cleared!"); + eraseEventData(); + } + delete m_d; +} + +//____________________________________________________________________ +void TrackLODManager::Imp::ensureDetailedDetached() +{ + if ( attachnode && attachsep_detailed && attachnode->findChild(attachsep_detailed)>-1) + attachnode->removeChild(attachsep_detailed); +} + +//____________________________________________________________________ +void TrackLODManager::Imp::ensureSimpleDetached() +{ + if ( attachnode && attachsep_simple && attachnode->findChild(attachsep_simple)>-1) + attachnode->removeChild(attachsep_simple); +} + +//____________________________________________________________________ +void TrackLODManager::Imp::ensureLODDetached() +{ + if ( attachnode && attachnode_lod && attachnode->findChild(attachnode_lod)>-1) + attachnode->removeChild(attachnode_lod); +} + +//____________________________________________________________________ +void TrackLODManager::Imp::updateAttachmentForDetailLevel(TrackCommonFlags::DETAILLEVEL dl) +{ + if (dl == TrackCommonFlags::SIMPLE) { + if ( attachnode && attachsep_simple && attachnode->findChild(attachsep_simple)<0) + attachnode->addChild(attachsep_simple); + } else { + ensureSimpleDetached(); + } + + if (dl == TrackCommonFlags::DETAILED) { + if ( attachnode && attachsep_detailed && attachnode->findChild(attachsep_detailed)<0) + attachnode->addChild(attachsep_detailed); + } else { + ensureDetailedDetached(); + } + + if (dl == TrackCommonFlags::AUTO) { + if ( attachnode && attachnode_lod && attachnode->findChild(attachnode_lod)<0) + attachnode->addChild(attachnode_lod); + } else { + ensureLODDetached(); + } +} + +//____________________________________________________________________ +void TrackLODManager::setDetailLevel(TrackCommonFlags::DETAILLEVEL dl) +{ + if (VP1Msg::verbose()) + messageVerbose("signal received in setDetailLevel (old = "+TrackCommonFlags::toString(m_d->detailLevel)+", new = "+TrackCommonFlags::toString(dl)); + if ( m_d->detailLevel == dl ) + return; + m_d->detailLevel = dl; + m_d->updateAttachmentForDetailLevel(dl); +} + +//____________________________________________________________________ +void TrackLODManager::setAttachNode(SoGroup* an) +{ + if (!an) { + message("setAttachNode ERROR: Received null pointer!"); + return; + } + if (m_d->attachnode) { + message("setAttachNode ERROR: Received new attachment group pointer while still having previous one!"); + eraseEventData(); + return; + } + + m_d->attachnode = an; + m_d->attachnode->ref(); + + m_d->attachsep_simple = new SoSeparator; + m_d->attachsep_simple->ref(); + m_d->attachsep_detailed = new SoSeparator; + m_d->attachsep_detailed->ref(); + m_d->attachnode_lod = new SoGroup; + m_d->attachnode_lod->ref(); + + m_d->attachHelper_simple = new VP1ExtraSepLayerHelper(m_d->attachsep_simple); + m_d->attachHelper_detailed = new VP1ExtraSepLayerHelper(m_d->attachsep_detailed); + + m_d->updateAttachmentForDetailLevel(m_d->detailLevel); +} + +//____________________________________________________________________ +void TrackLODManager::eraseEventData() +{ + messageVerbose("eraseEventData start"); + if (!m_d->attachnode) { + messageDebug("eraseEventData WARNING: - called before attachment node was set!"); + return; + } + m_d->ensureSimpleDetached(); + m_d->ensureDetailedDetached(); + m_d->ensureLODDetached(); + + std::map<std::pair<int,double>,TrackLODHandle* >::iterator it, itE(m_d->id_2_lodhandle.end()); + for (it = m_d->id_2_lodhandle.begin(); it!=itE;++it) { + delete it->second; + } + m_d->id_2_lodhandle.clear(); + + if (m_d->attachnode_lod) { + m_d->attachnode_lod->unref(); + m_d->attachnode_lod = 0; + } + + if (m_d->attachsep_simple) { + delete m_d->attachHelper_simple; + m_d->attachHelper_simple = 0; + m_d->attachsep_simple->unref(); + m_d->attachsep_simple = 0; + } + + if (m_d->attachsep_detailed) { + delete m_d->attachHelper_detailed; + m_d->attachHelper_detailed = 0; + m_d->attachsep_detailed->unref(); + m_d->attachsep_detailed = 0; + } + + m_d->attachnode->unref(); + m_d->attachnode = 0; + messageVerbose("eraseEventData end"); + +} + +//____________________________________________________________________ +TrackLODHandle * TrackLODManager::getLODHandle(int regionindex, const double& crossover_value) +{ + std::map<std::pair<int,double>,TrackLODHandle* >::iterator it = m_d->id_2_lodhandle.find(std::make_pair(regionindex,crossover_value)); + if (it!=m_d->id_2_lodhandle.end()) + return it->second; + if (!m_d->attachnode) { + message("getTrackLODHandle ERROR: Called before attachment node was set!"); + return 0; + } + TrackLODHandle * lh = new TrackLODHandle(m_d->attachnode_lod,m_d->attachHelper_simple,m_d->attachHelper_detailed,regionindex,crossover_value); + m_d->id_2_lodhandle[std::make_pair(regionindex,crossover_value)] = lh; + return lh; +} + + +///////////////////////////////////// +// TrackLODHandle implementation // +///////////////////////////////////// + + +//____________________________________________________________________ +class TrackLODHandle::Imp { +public: + Imp( SoGroup* ag, + VP1ExtraSepLayerHelper * shs, + VP1ExtraSepLayerHelper * shd, + int i, const double& c) + : attachGroup_LOD(ag), + attachHelper_simple(shs), + attachHelper_detailed(shd), + regIdx(i), + crossVal(c), + lod(0), + sep_detailed(0), + sep_simple(0) {} + SoGroup* attachGroup_LOD; + VP1ExtraSepLayerHelper * attachHelper_simple; + VP1ExtraSepLayerHelper * attachHelper_detailed; + int regIdx; + double crossVal; + SoLevelOfDetail * lod; + SoSeparator * sep_detailed; + SoSeparator * sep_simple; + void updateCrossOverField() + { + //Fixme: We should scale this with complexity! I.e. multiply the value with 1.0/(complexity+0.5) + // lod->screenArea.setValue(crossVal/sqrt(sep_detailed->getNumChildren()+1.0)); + lod->screenArea.setValue(crossVal*sqrt(sep_detailed->getNumChildren())+0.1); + } +}; + + +//____________________________________________________________________ +TrackLODHandle::TrackLODHandle(SoGroup* attachgroup_LOD, + VP1ExtraSepLayerHelper * sephelper_simple, + VP1ExtraSepLayerHelper * sephelper_detailed, + int regionindex, const double& crossover_value) + : m_d(new Imp(attachgroup_LOD,sephelper_simple,sephelper_detailed,regionindex,crossover_value)) +{ +// if (VP1Msg::verbose()) +// VP1Msg::messageVerbose("TrackLODHandle Constructed with regionIndex = "+QString::number(regionindex) +// +" and nominal crossover value = "+QString::number(crossover_value)); + if (!attachgroup_LOD||!sephelper_simple||!sephelper_detailed) + VP1Msg::messageDebug("TrackLODHandle ERROR: Received null pointer!"); +} + +//____________________________________________________________________ +TrackLODHandle::~TrackLODHandle() +{ + if (m_d->lod) { + if (m_d->attachGroup_LOD->findChild(m_d->lod)>-1) { + m_d->attachGroup_LOD->removeChild(m_d->lod); + m_d->attachHelper_simple->removeNode(m_d->sep_simple); + m_d->attachHelper_detailed->removeNode(m_d->sep_detailed); + } + m_d->lod->unref(); + m_d->sep_detailed->unref(); + m_d->sep_simple->unref(); + } + delete m_d; +} + +//____________________________________________________________________ +void TrackLODHandle::addNodes(SoGroup* simple,SoGroup*detailed ) +{ + if (!m_d->lod) { +// if (VP1Msg::verbose()) +// VP1Msg::messageVerbose( "TrackLODHandle addNodes: Initialising nodes: LOD, sep_detailed and sep_simple."); + m_d->lod = new SoLevelOfDetail; + m_d->sep_detailed = new SoSeparator; + m_d->sep_simple = new SoSeparator; + m_d->lod->ref(); + m_d->sep_detailed->ref(); + m_d->sep_simple->ref(); + m_d->lod->addChild(m_d->sep_detailed); + m_d->lod->addChild(m_d->sep_simple); + } + + if (VP1Msg::verbose()) { + //Extra sanity checks: + if (!detailed) { + VP1Msg::messageVerbose("TrackLODHandle ERROR: addNodes received null pointer for detailed node"); + return; + } + if (!simple) { + VP1Msg::messageVerbose("TrackLODHandle ERROR: addNodes received null pointer for simple node"); + return; + } + if (m_d->sep_detailed->findChild(detailed)>=0) { + VP1Msg::messageVerbose("TrackLODHandle ERROR: addNodes called for detailed node which is already added"); + return; + } + if (m_d->sep_simple->findChild(simple)>=0) { + VP1Msg::messageVerbose("TrackLODHandle ERROR: addNodes called for simple node which is already added"); + return; + } + } + + m_d->sep_detailed->addChild(detailed); + m_d->sep_simple->addChild(simple); + + if (m_d->sep_detailed->getNumChildren()==1) { + //We went from 0 to 1 children! + if (VP1Msg::verbose()&&m_d->attachGroup_LOD->findChild(m_d->lod)>=0) + VP1Msg::messageVerbose("TrackLODHandle ERROR: adding lod, but it is already a child!!"); + m_d->attachGroup_LOD->addChild(m_d->lod); + m_d->attachHelper_simple->addNode(m_d->sep_simple); + m_d->attachHelper_detailed->addNode(m_d->sep_detailed); + } + m_d->updateCrossOverField(); +} + +//____________________________________________________________________ +void TrackLODHandle::removeNodes(SoGroup* simple,SoGroup*detailed ) +{ + if (!m_d->lod) + return; + + if (VP1Msg::verbose()) { + //Extra sanity checks: + if (!detailed) { + VP1Msg::messageVerbose("TrackLODHandle ERROR: removeNodes received null pointer for detailed node"); + return; + } + if (!simple) { + VP1Msg::messageVerbose("TrackLODHandle ERROR: removeNodes received null pointer for simple node"); + return; + } + if (m_d->sep_detailed->findChild(detailed)<0) { + VP1Msg::messageVerbose("TrackLODHandle ERROR: removeNodes called for detailed node which is not already added"); + return; + } + if (m_d->sep_simple->findChild(simple)<0) { + VP1Msg::messageVerbose("TrackLODHandle ERROR: removeNodes called for simple node which is not already added"); + return; + } + } + m_d->sep_detailed->removeChild(detailed); + m_d->sep_simple->removeChild(simple); + + if (m_d->sep_detailed->getNumChildren()<1) { + //We went from 1 to 0 children + if (VP1Msg::verbose()&&m_d->attachGroup_LOD->findChild(m_d->lod)<0) + VP1Msg::messageVerbose("TrackLODHandle ERROR: removing child, but node is not currently a child!!"); + m_d->attachGroup_LOD->removeChild(m_d->lod); + m_d->attachHelper_simple->removeNode(m_d->sep_simple); + m_d->attachHelper_detailed->removeNode(m_d->sep_detailed); + } else { + m_d->updateCrossOverField(); + } +} diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackPropagationHelper.cxx b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackPropagationHelper.cxx new file mode 100644 index 0000000000000000000000000000000000000000..60a4efb144bf327cb35d9e27890a5a6513256a6b --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackPropagationHelper.cxx @@ -0,0 +1,544 @@ +/* + Copyright (C) 2002-2018 CERN for the benefit of the ATLAS collaboration +*/ + + + //////////////////////////////////////////////////////////////// + // // + // Implementation of class TrackPropagationHelper // + // // + // Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // + // Initial extrapolation code by Thijs Cornelissen // + // Initial version: February 2008 // + // // + //////////////////////////////////////////////////////////////// + +#include "VTI12TrackSystems/TrackPropagationHelper.h" +#include "TrkExInterfaces/IExtrapolator.h" +#include "TrkTrack/Track.h" +#include "TrkSurfaces/PlaneSurface.h" +#include "TrkParameters/TrackParameters.h" +#include <stdexcept> +//#include "TrkEventPrimitives/GlobalMomentum.h" +#include "VTI12TrackSystems/VP1TrackSanity.h" +#include "TrkEventPrimitives/CurvilinearUVT.h" +#include "TrkVolumes/Volume.h" +#include "TrkVolumes/BoundarySurface.h" +#include "TrkVolumes/VolumeBounds.h" + +#include "CLHEP/Units/PhysicalConstants.h" + +#include "VP1Base/VP1QtUtils.h" +#include "VP1Base/VP1Msg.h" +#include <limits> + +//____________________________________________________________________ +class TrackPropagationHelper::Imp { +public: + Imp(TrackPropagationHelper* tc) + : theclass(tc), + tracksanity(new VP1TrackSanity(tc?tc->systemBase():0)), + maxInDetr(1.1*CLHEP::m), + maxInDetrsq(maxInDetr*maxInDetr), + maxz(3.5*CLHEP::m), + // maxR2(std::numeric_limits<float>::max()), + fallback_flydist(10.0*CLHEP::cm), + showExtrapSurfaces(VP1QtUtils::environmentVariableIsOn("VP1_TRKSYS_SHOWEXTRAPSURFACES")) + { + } + ~Imp() { delete tracksanity; } + + TrackPropagationHelper * theclass; + VP1TrackSanity * tracksanity; + const double maxInDetr; + const double maxInDetrsq; + const double maxz; + // double maxR2; + const double fallback_flydist; + + bool outsideIDVolume(const Amg::Vector3D& p) { + return fabs(p.z())>maxz||p.perp2()>maxInDetrsq; + } + + //Fixme: These are similar to internal methods in InDetProjHelper in guideline system!!: + void movePoint1ToZPlaneAndPoint2( Amg::Vector3D& p1, const Amg::Vector3D& p2, const double& z ) const; + void movePoint1ToInfiniteCylinderAndPoint2( Amg::Vector3D&p1, const Amg::Vector3D&p2, const double& r ) const; + + bool makePointsNeutral_SinglePar( std::vector<Amg::Vector3D >& points, const Trk::Track* ); + bool makePointsCharged_SinglePar( std::vector<Amg::Vector3D >& points, const Trk::Track*, + Trk::IExtrapolator * extrapolator, Trk::ParticleHypothesis hypo ); + bool addPointsBetweenParameters_Charged( std::vector<Amg::Vector3D >& points, const Trk::Track*, + const Trk::TrackParameters * par1, const Trk::TrackParameters * par2, + Trk::IExtrapolator * extrapolator, Trk::ParticleHypothesis hypo ); + + //Will create new track par: + const Trk::TrackParameters * extrapolateToNewPar( Trk::IExtrapolator * extrapolator, + const Trk::Track* trk, + const Trk::TrackParameters * prevpars, + Trk::ParticleHypothesis hypo, + const double& dist ); + //Granularity: + double maxPointDistSq(const Amg::Vector3D& /* p */){ + //Vertex region: + /** all paths return the same number + const double absz(fabs(p.z())), absrsq(p.perp2()); + if ( (absz<2.75*CLHEP::m) and (absrsq<(1.2*CLHEP::m)*(1.2*CLHEP::m)) ) { + if ( (absz<0.67*CLHEP::m) and (absrsq<(0.16*CLHEP::m)*(0.16*CLHEP::m)) ) { + return 2*CLHEP::cm;//inside pixel + } + return 2*CLHEP::cm;//ID outside pixel + } + **/ + return 2*CLHEP::cm;//Outside ID + } + + std::vector<Trk::PlaneSurface> surfaces; //!< For debugging. + bool showExtrapSurfaces; +}; + +std::vector<Trk::PlaneSurface>& TrackPropagationHelper::getExtrapolationSurfaces() const { + return m_d->surfaces; +} + +//____________________________________________________________________ +void TrackPropagationHelper::Imp::movePoint1ToZPlaneAndPoint2( Amg::Vector3D& p1, const Amg::Vector3D& p2, const double& z ) const +{ + double dx(p2.x()-p1.x()), dy(p2.y()-p1.y()), dz(p2.z()-p1.z()); + if (dz==0.0) { + theclass->message("movePoint1ToZPlaneAndPoint2 Error: Points have same z!!"); + return; + } + double s( (z-p1.z())/dz ); + // p1.set( p1.x()+dx*s, p1.y()+dy*s, z ); + p1[0]= p1.x()+dx*s; + p1[1]= p1.y()+dy*s; + p1[2]= z; + +} + + //____________________________________________________________________ +void TrackPropagationHelper::Imp::movePoint1ToInfiniteCylinderAndPoint2( Amg::Vector3D&p1, const Amg::Vector3D&p2, const double& r ) const +{ + //Fixme: what happens here if we don't cross? And how can we be sure + //that we don't move FURTHER than the other point? (i.e. if the + //infinite line with p1 and p2 crosses, but the segment p1p2 does + //not!? + double p1r(p1.perp()); + double dr(p2.perp()-p1r); + if (dr==0.0) { + theclass->message("movePoint1ToInfiniteCylinderAndPoint2 Error: Points have same r!!"); + return; + } + double s((r-p1r)/dr); + double t(1.0-s); + // p1.set( p1.x()*t + p2.x()*s, p1.y()*t + p2.y()*s, p1.z()*t + p2.z()*s ); + p1[0]= p1.x()*t + p2.x()*s; + //p1[1]= p2.y()*s, p1.z()*t; original + p1[1]= p1.y()*t + p2.y()*s; //sroe, compiler warning fix + p1[2]= p1.z()*t + p2.z()*s; +} + + //____________________________________________________________________ +TrackPropagationHelper::TrackPropagationHelper(IVP1System* sys ) + : VP1HelperClassBase(sys,"TrackPropagationHelper"), m_d(new Imp(this)) +{ +} + + //____________________________________________________________________ +TrackPropagationHelper::~TrackPropagationHelper() +{ + delete m_d; +} + + //____________________________________________________________________ +bool TrackPropagationHelper::makePointsNeutral( std::vector<Amg::Vector3D >& points, const Trk::Track* track ) +{ + if (VP1Msg::verbose()) + messageVerbose("makePointsNeutral start"); + + points.clear(); + if (!track) { + message("makePointsNeutral called with null track pointer"); + return false; + } + const unsigned npars = track->trackParameters()->size(); + if (npars==0) { + message("makePointsNeutral Error: No TrackParameters on track!"); + return false; + } + if (npars==1) + return m_d->makePointsNeutral_SinglePar(points,track); + + points.reserve(track->trackParameters()->size()); + + + DataVector<const Trk::TrackStateOnSurface>::const_iterator tsos_iter = track->trackStateOnSurfaces()->begin(); + DataVector<const Trk::TrackStateOnSurface>::const_iterator tsos_end = track->trackStateOnSurfaces()->end(); + bool problems(false); + for (; tsos_iter != tsos_end; ++tsos_iter) { + if (!m_d->tracksanity->isSafe(*tsos_iter)) { + problems = true; + continue; + } + //if ((*tsos_iter)->materialEffectsOnTrack()) + // continue; + const Trk::TrackParameters* trackParam = (*tsos_iter)->trackParameters(); + if (!m_d->tracksanity->isSafe(trackParam)) { + problems = true; + continue; + } + points.push_back(trackParam->position()); + } + if (problems) { + messageDebug("makePointsNeutral WARNING: Track had one or more track parameters which is unsafe to use in job."); + if (points.size()<2) { + messageDebug("makePointsNeutral ERROR: Track did not have at least two safe parameters."); + points.clear(); + return false; + } + } + + if (VP1Msg::verbose()) + messageVerbose("makePointsNeutral_SinglePar end"); + return true; +} + + //____________________________________________________________________ +bool TrackPropagationHelper::Imp::makePointsNeutral_SinglePar( std::vector<Amg::Vector3D >& points, const Trk::Track* track ) +{ + if (VP1Msg::verbose()) + theclass->messageVerbose("makePointsNeutral_SinglePar start"); + points.clear(); + const Trk::TrackParameters * par = *(track->trackParameters()->begin()); + if (!tracksanity->isSafe(par)) { + theclass->messageDebug("makePointsNeutral_SinglePar called with unsafe track parameter"); + return false; + } + Amg::Vector3D u(par->momentum().unit()); + Amg::Vector3D a(par->position()),b; + if (outsideIDVolume(a)) { + //We start outside. We just add fallback_flydist. (fixme: warn?) + b = a +fallback_flydist*u; + } else { + //Make a second point, where trajectory hits maxInDetr,maxz + b = a +999*CLHEP::m*u; + if (b.z()<-maxz) + movePoint1ToZPlaneAndPoint2( b, a, -maxz ); + else + if (b.z()>maxz) + movePoint1ToZPlaneAndPoint2( b, a, maxz ); + if (b.perp2()>maxInDetrsq) + movePoint1ToInfiniteCylinderAndPoint2( b,a, maxInDetr ); + } + points.reserve(2); + points.push_back(a); + points.push_back(b); + if (VP1Msg::verbose()) + theclass->messageVerbose("makePointsNeutral_SinglePar (single track parameter) end"); + return true; +} + + //____________________________________________________________________ +bool TrackPropagationHelper::makePointsCharged( std::vector<Amg::Vector3D >& points, const Trk::Track* track, + Trk::IExtrapolator * extrapolator, Trk::ParticleHypothesis hypo, bool useMEOT,const Trk::Volume* volume ) +{ + if (VP1Msg::verbose()) + messageVerbose("makePointsCharged start with hypo="+str(hypo)+", useMEOT="+str(useMEOT)+", volume=" +str(volume)); + // if (volume) std::cout<<volume->volumeBounds()<<std::endl; + /////////////////////////////////////////////////////////////// + // Clear input points, check/sanitise input and initialise // + /////////////////////////////////////////////////////////////// + + points.clear(); + if (!extrapolator) { + message("makePointsCharged ERROR: Null extrapolator tool provided!"); + return false; + } + if (!track) { + message("makePointsCharged ERROR: Called with null track pointer"); + return false; + } + const unsigned npars = track->trackParameters()->size(); + if (npars==0) { + message("makePointsCharged ERROR: No TrackParameters on track!"); + return false; + } + if (npars==1) + return m_d->makePointsCharged_SinglePar(points,track,extrapolator,hypo); + + points.reserve(npars);//At least we need this. + + //Add a point for each parameter, and add extra points between them where appropriate. + DataVector<const Trk::TrackStateOnSurface>::const_iterator tsos_iter = track->trackStateOnSurfaces()->begin(); + DataVector<const Trk::TrackStateOnSurface>::const_iterator tsos_end = track->trackStateOnSurfaces()->end(); + const Trk::TrackParameters* prevpar(0); + const Trk::TrackParameters* trackParam(0); + bool problems(false); + for (; tsos_iter != tsos_end; ++tsos_iter) { + if (!m_d->tracksanity->isSafe(*tsos_iter)) + continue; + if ((*tsos_iter)->measurementOnTrack()==0 && ( (*tsos_iter)->materialEffectsOnTrack()&&!useMEOT ) ) + continue; + trackParam = (*tsos_iter)->trackParameters(); + if (!m_d->tracksanity->isSafe(trackParam)) + continue; + if (!prevpar) { + //first time. + prevpar = trackParam; + points.push_back(prevpar->position()); + continue; + } + if (!m_d->addPointsBetweenParameters_Charged(points,track,prevpar,trackParam,extrapolator,hypo)) + problems = true; + points.push_back(trackParam->position()); + prevpar = trackParam; + } + + if (problems) + messageDebug("WARNING: Problems encountered adding point(s) between track parameters"); + +// restrict to ID tracks for now. + if (volume && trackParam && !m_d->outsideIDVolume(trackParam->position())) { + messageVerbose("Extending to Volume"); + //get individual surfaces + + //TODO - optimise this! + const std::vector< const Trk::Surface * > * bsurfs = volume->volumeBounds ().decomposeToSurfaces (volume->transform ()); + + if (bsurfs){ + messageVerbose("Has this many surfaces:"+str(bsurfs->size())); + + std::vector< const Trk::Surface * >::const_iterator bSurfsIt = bsurfs->begin(); + for (;bSurfsIt!= bsurfs->end(); bSurfsIt++){ + + messageVerbose("Extrap value:"+str((extrapolator))); + messageVerbose("trackParam:"+str((trackParam))); + const Trk::TrackParameters* trackPar = extrapolator->extrapolate(*trackParam,**bSurfsIt,Trk::alongMomentum,true,hypo); // change this to extrapolate current param to surface. + + if (trackPar){ + messageVerbose("Extrapolation succeeded"); + + if (!m_d->addPointsBetweenParameters_Charged(points,track,trackParam,trackPar,extrapolator,hypo)) + messageDebug("WARNING: Problems encountered adding point(s) between track parameters in extending to Volume"); + } + } + } else { + messageDebug("WARNING: Problems encountered getting boundary surfaces from Volume"); + } + } + if (VP1Msg::verbose()) + messageVerbose("makePointsCharged end with "+str(points.size())+"points"); + return true; +} + + //____________________________________________________________________ +const Trk::TrackParameters * TrackPropagationHelper::Imp::extrapolateToNewPar( Trk::IExtrapolator * extrapolator, + const Trk::Track* trk, + const Trk::TrackParameters * prevpars, + Trk::ParticleHypothesis hypo, + const double& dist ) +{ + if (!trk||!prevpars||!extrapolator) + return 0; + + + //Code from thijs begin + // CLHEP::Hep3Vector dir(prevpars->sinTheta()*prevpars->cosPhi(),prevpars->sinTheta()*prevpars->sinPhi(),prevpars->cosTheta()); + // double theta=prevpars->parameters()[Trk::theta]; + // double newtheta=(theta<M_PI/2.) ? theta+M_PI/2. : theta-M_PI/2.; + // CLHEP::Hep3Vector dir2(sin(newtheta)*prevpars->cosPhi(),sin(newtheta)*prevpars->sinPhi(),cos(newtheta)); + // CLHEP::Hep3Vector dir3=dir.cross(dir2); + // CLHEP::HepRotation rot; + // rot.rotateAxes(dir2,dir3,dir); + // Hep3Vector transl=prevpars->position()+dist*dir; + // HepTransform3D *transf=new HepTransform3D(rot,transl); + // Trk::PlaneSurface plsurf(transf); + //Code from thijs end + // //Alternative test code from thomas begin + // //(shows same issues as thijs' code unfortunately) + // Ed's attempt: + // HepGeom::Rotate3D rotation; + // HepGeom::Scale3D scale; + // HepGeom::Translate3D translation; + // Trk::Surface* surf= prevpars->associatedSurface()->clone(); + // surf->transform ().getDecomposition(scale,rotation,translation); + // translation = HepTranslate3D(prevpars->position()+prevpars->momentum().unit()*dist); + + Trk::CurvilinearUVT uvt(prevpars->momentum().unit()); + + + Amg::Transform3D* t = new Amg::Transform3D(uvt.curvU(),uvt.curvV(),uvt.curvT(), prevpars->position()+(prevpars->momentum().unit()*dist)); + + Trk::PlaneSurface surf(t); + + // Trk::PlaneSurface surf(new HepGeom::Transform3D(CLHEP::HepRotation(uvt.curvU(),uvt.curvV(),uvt.curvT()), + // prevpars->position()+(prevpars->momentum().unit()*dist))); + + if (showExtrapSurfaces) surfaces.push_back(surf); + + // theclass->messageVerbose("extrapolateToNewPar. current position: "+str(prevpars->position())+" ("+str(prevpars->position().mag())+"), dist="+str(dist)); + // theclass->messageVerbose("new position: "+str(surf.center())+", using dir="+str(prevpars->momentum().unit()*dist)); + + // if ((prevpars->position()-surf.center()).mag()<0.01){ + // theclass->messageVerbose("Bugger. Translation didn't work. "); + // return 0; + // } + const Trk::TrackParameters *newpars(0); + try { + // newpars = extrapolator->extrapolate(*trk,surf,Trk::anyDirection,false,hypo); // change this to extrapolate current param to surface. + newpars = extrapolator->extrapolate(*prevpars,surf,Trk::alongMomentum,false,hypo); // change this to extrapolate current param to surface. + } catch (const std::runtime_error& e) { + theclass->message("Failure trying to use extrapolator for track (Exception thrown: " + QString(e.what())+")"); + return 0; + } + if (!newpars) { + theclass->message("Failure trying to use extrapolator for track"); + return 0; + } + + //in case this lead to a large kink, we try a different, less ambitous, method: + // Amg::Vector3D actualdirp((newpars->position()-prevpars->position()).unit()); + // const double dot = actualdirp.x()*dir.x()+actualdirp.y()*dir.y()+actualdirp.z()*dir.z(); + // if (dot<0.866025403784439) {//>30deg + // theclass->messageVerbose("Detected kink. Trying alternative extrapolation)"); + // delete newpars; + // newpars = 0; + // HepTransform3D *transf2=new HepTransform3D(rot,transl); + // Trk::PlaneSurface plsurf2(transf2); + // try { + // newpars = extrapolator->extrapolateDirectly(*prevpars,plsurf2,Trk::anyDirection,false,hypo); + // } catch (std::runtime_error e) { + // theclass->message("Failure trying to use alternative extrapolation method for track (Exception thrown: " + QString(e.what())+")"); + // return 0; + // } + // } + + + if (!newpars) { + theclass->message("Failure trying to use extrapolator for track"); + return 0; + } + return newpars; +} + +bool TrackPropagationHelper::showExtrapolationSurfaces() const { + return m_d->showExtrapSurfaces; +} + +// double TrackPropagationHelper::maxR2ForTracks() const { +// return m_d->maxR2; +// } + + + //____________________________________________________________________ +bool TrackPropagationHelper::Imp::makePointsCharged_SinglePar( std::vector<Amg::Vector3D >& points, const Trk::Track* track, + Trk::IExtrapolator * extrapolator, Trk::ParticleHypothesis hypo ) +{ + if (VP1Msg::verbose()) + theclass->messageVerbose("makePointsCharged_SinglePar start"); + points.clear(); + if (!extrapolator) { + theclass->message("makePointsCharged_SinglePar ERROR: Null extrapolator tool provided!"); + return false; + } + const Trk::TrackParameters * par = *(track->trackParameters()->begin()); + if (!tracksanity->isSafe(par)) { + theclass->messageDebug("makePointsCharged_SinglePar called with unsafe track parameter"); + return false; + } + + Amg::Vector3D p0(par->position()); + points.push_back(p0); + const bool startoutsideID(outsideIDVolume(p0)); + + double distadded(0); + const double maxdistadded = 2*CLHEP::m; + points.reserve(20);//skip a few reallocs + const Trk::TrackParameters * prevpars = par; + const Trk::TrackParameters * temppars(0); + + while (distadded<maxdistadded) { + temppars = extrapolateToNewPar( extrapolator, track, prevpars, hypo, maxPointDistSq(prevpars->position())); + if (temppars) + distadded += (temppars->position()-prevpars->position()).mag(); + if (prevpars!=par) + delete prevpars; + prevpars = 0; + if (!temppars) { + theclass->messageDebug("makePointsCharged_SinglePar ERROR: Failed to use extrapolator for next point"); + if (points.size()<2) { + points.clear(); + return false; + } + return true;//Fixme?? + } + Amg::Vector3D p(temppars->position()); + points.push_back(p); + prevpars = temppars; + temppars = 0; + if (!startoutsideID && outsideIDVolume(p)) { + if (prevpars!=par) + delete prevpars; + prevpars = 0; + break; + } + } + if (prevpars!=par) + delete prevpars; + + if (VP1Msg::verbose()) + theclass->messageVerbose("makePointsCharged_SinglePar end"); + return true; + +} + + //____________________________________________________________________ +bool TrackPropagationHelper::Imp::addPointsBetweenParameters_Charged( std::vector<Amg::Vector3D >& points, const Trk::Track* trk, + const Trk::TrackParameters * par1, const Trk::TrackParameters * par2, + Trk::IExtrapolator * extrapolator, Trk::ParticleHypothesis hypo ) +{ + double distbetween = sqrt((par2->position()-par1->position()).mag2()); + if (distbetween<0.001) { + theclass->messageVerbose("TrackPropagationHelper::Imp::addPointsBetweenParameters_Charged: parameters on top of each other. Skip, but no error."); + return true; + } + // theclass->messageVerbose("TrackPropagationHelper::Imp::addPointsBetweenParameters_Charged: par1=" + // +str(par1->position())+", par2=" +str(par2->position())+", dist="+str(distbetween)); + + Amg::Vector3D p2(par2->position()); + const Trk::TrackParameters * prevpars = par1; + + double olddistsq(1.0e99); + double distadded(0); + const double maxdistadded = std::max(2*CLHEP::m,(par1->position()-p2).mag()*1.5); + while ( (prevpars->position()-p2).mag()> maxPointDistSq(prevpars->position()) && distadded<maxdistadded ) { + + // theclass->messageVerbose("distadded: "+str(distadded)+", distance left="+str(sqrt((prevpars->position()-p2).mag2()))+", jump="+str(maxPointDistSq(prevpars->position()))); + const Trk::TrackParameters * newpars = extrapolateToNewPar( extrapolator, trk, prevpars, hypo, maxPointDistSq(prevpars->position()) ); + if (!newpars){ + if (VP1Msg::verbose()) + theclass->messageVerbose("TrackPropagationHelper::Imp::addPointsBetweenParameters_Charged: Extrapolation failed."); + return false; + } + const double distsq = (par2->position()-newpars->position()).mag2(); + if (distsq>olddistsq) { + delete newpars; + if (VP1Msg::verbose()) + theclass->messageVerbose("TrackPropagationHelper::Imp::addPointsBetweenParameters_Charged: distq("+str(distsq)+")>olddistsq ("+str(olddistsq)+") so overshot?"); + return false; + } + olddistsq = distsq; + // if ((prevpars->position()-newpars->position()).mag2() > 4*maxpointdistsq) { + // delete newpars; + // return false; + // } + points.push_back(newpars->position()); + distadded += (newpars->position()-prevpars->position()).mag(); + if (prevpars!=par1) + delete prevpars; + prevpars = newpars; + } + if (prevpars!=par1) + delete prevpars; + return (distadded<maxdistadded); +} diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackSysCommonData.cxx b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackSysCommonData.cxx new file mode 100644 index 0000000000000000000000000000000000000000..e34d815c7d0b2ec8a05246748a504ba88d4cb3ba --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackSysCommonData.cxx @@ -0,0 +1,192 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class TrackSysCommonData // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: April 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12TrackSystems/TrackSysCommonData.h" + +#include "VTI12TrackSystems/VP1TrackSystem.h" +#include "VTI12TrackSystems/AscObjSelectionManager.h" +#include "VTI12TrackSystems/TrackPropagationHelper.h" +#include "VTI12TrackSystems/TrackLODManager.h" +#include "VTI12TrackSystems/TrackSystemController.h" +#include "VTI12TrackSystems/VP1TrackSanity.h" +#include "VTI12TrackSystems/TrackHandle_TrkTrack.h" +#include "VTI12TrackSystems/TrackHandleBase.h" + +// #include "VP1GuideLineSystems/InDetProjHelper.h" + +#include "VP1Base/VisibleObjectToMaterialHelper.h" +#include "VP1Base/VP1Msg.h" + +#include <Inventor/C/errors/debugerror.h> +#include <Inventor/nodes/SoVertexProperty.h> +#include <Inventor/nodes/SoPointSet.h> +#include <Inventor/nodes/SoSeparator.h> + +#include <QTreeWidgetItem> + +#include<map> + +//____________________________________________________________________ +class TrackSysCommonData::Imp { +public: + std::map<SoNode*,TrackHandleBase*> nodeToTrackHandle; +}; + +//____________________________________________________________________ +TrackSysCommonData::TrackSysCommonData(VP1TrackSystem * sys,TrackSystemController * controller) + : VP1HelperClassBase(sys,"TrackSysCommonData"), m_textSep(0), m_d(new Imp), + m_ascObjSelectionManager(0), m_controller(controller), m_lastSelectedTrack(0) +{ + m_3dsystem = sys; + // m_indetProjHelper_Pixel = InDetProjHelper::createPixelHelper(sys); + // m_indetProjHelper_SCT = InDetProjHelper::createSCTHelper(sys); + // m_indetProjHelper_TRT = InDetProjHelper::createTRTHelper(sys); + m_trackPropagationHelper = new TrackPropagationHelper(sys); + m_trackSanity = new VP1TrackSanity(sys); + + m_singlePoint = new SoPointSet; + m_singlePoint->ref(); + SoVertexProperty * vertices = new SoVertexProperty; + vertices->vertex.set1Value(0,0.0f,0.0f,0.0f); + m_singlePoint->numPoints=1; + m_singlePoint->vertexProperty.setValue(vertices); + + m_trackLODManager = new TrackLODManager(0,sys); + QObject::connect( m_controller,SIGNAL(assocObjDetailLevelChanged(TrackCommonFlags::DETAILLEVEL)), + m_trackLODManager,SLOT(setDetailLevel(TrackCommonFlags::DETAILLEVEL)) ); + m_trackLODManager->setDetailLevel(m_controller->assocObjDetailLevel()); + + m_visTrkTracksToMaterialHelper = new VisibleObjectToMaterialHelper<Trk::Track>(0,sys); + m_visTrkSegmentsToMaterialHelper = new VisibleObjectToMaterialHelper<Trk::Segment>(0,sys); + QObject::connect(m_visTrkTracksToMaterialHelper,SIGNAL(visibleObjectsChanged()),sys,SLOT(visibleObjectsChanged())); + QObject::connect(m_visTrkSegmentsToMaterialHelper,SIGNAL(visibleObjectsChanged()),sys,SLOT(visibleObjectsChanged())); +} + +//____________________________________________________________________ +TrackSysCommonData::~TrackSysCommonData() +{ + // delete m_indetProjHelper_Pixel; + // delete m_indetProjHelper_SCT; + // delete m_indetProjHelper_TRT; + delete m_trackPropagationHelper; + delete m_trackLODManager; + delete m_visTrkTracksToMaterialHelper; + delete m_visTrkSegmentsToMaterialHelper; + delete m_trackSanity; + m_singlePoint->unref(); + if (m_textSep) { + m_textSep->unref(); + m_textSep = 0; + } + delete m_d; +} + +//____________________________________________________________________ +void TrackSysCommonData::setEventData(AscObjSelectionManager* aomgr) +{ + m_ascObjSelectionManager = aomgr; +} + +//____________________________________________________________________ +void TrackSysCommonData::clearEventData() +{ + m_ascObjSelectionManager->aboutTodelete();//To allow to emit signals. + delete m_ascObjSelectionManager; + m_ascObjSelectionManager = 0; + m_trackLODManager->eraseEventData(); + m_visTrkTracksToMaterialHelper->setNoVisibleObjects(); + m_visTrkSegmentsToMaterialHelper->setNoVisibleObjects(); + // m_d->nodeToTrackHandle.clear(); TrackHandle destructor already ensures that unregister... below is called. +} + +//____________________________________________________________________ +void TrackSysCommonData::registerTrack(SoNode*node,TrackHandleBase*handle) +{ + if (VP1Msg::verbose()) { + if (!node||!handle) { + message("registerTrack ERROR: Received null pointer!"); + return; + } + std::map<SoNode*,TrackHandleBase*>::iterator it = m_d->nodeToTrackHandle.find(node); + if (it!=m_d->nodeToTrackHandle.end()) + message("registerTrack ERROR: Node already registered!"); + } + m_d->nodeToTrackHandle[node]=handle; +} + +//____________________________________________________________________ +void TrackSysCommonData::unregisterTrack(SoNode*node) +{ + if (VP1Msg::verbose()) { + if (!node) { + message("unregisterTrack ERROR: Received null pointer!"); + return; + } + } + std::map<SoNode*,TrackHandleBase*>::iterator it = m_d->nodeToTrackHandle.find(node); + if (it==m_d->nodeToTrackHandle.end()) { + message("unregisterTrack ERROR: Not previously registered!"); + return; + } + m_d->nodeToTrackHandle.erase(it); +} + +//____________________________________________________________________ +TrackHandleBase* TrackSysCommonData::trackHandle(SoNode*n) +{ + if (!n) + return 0; + std::map<SoNode*,TrackHandleBase*>::iterator it = m_d->nodeToTrackHandle.find(n); + if (it!=m_d->nodeToTrackHandle.end()) + return it->second; + return 0; +} + +//____________________________________________________________________ +SoNode* TrackSysCommonData::node(TrackHandleBase* h) +{ + if (!h) + return 0; + std::map<SoNode*,TrackHandleBase*>::iterator it = m_d->nodeToTrackHandle.begin(), itEnd=m_d->nodeToTrackHandle.end(); + for (; it!=itEnd;++it) + if (it->second==h) return it->first; + return 0; +} + +//____________________________________________________________________ +SoNode* TrackSysCommonData::node(QTreeWidgetItem* item) +{ + if (!item) + return 0; + std::map<SoNode*,TrackHandleBase*>::iterator it = m_d->nodeToTrackHandle.begin(), itEnd=m_d->nodeToTrackHandle.end(); + for (; it!=itEnd;++it) + if (it->second->browserTreeItem()==item) return it->first; + return 0; +} + +const TrackHandleBase* TrackSysCommonData::getHandle(const Trk::Track* trk) +{ + if (!trk) { + messageVerbose("TrackSysCommonData::getHandle(): Received null pointer!"); + return 0; + } +// messageVerbose("TrackSysCommonData::getHandle(): about to loop over this many elements:"+QString::number(m_d->nodeToTrackHandle.size())); + + std::map<SoNode*,TrackHandleBase*>::iterator it = m_d->nodeToTrackHandle.begin(), itEnd=m_d->nodeToTrackHandle.end(); + for (; it!=itEnd;++it){ + const TrackHandle_TrkTrack* trkHandle = dynamic_cast<const TrackHandle_TrkTrack*>(it->second); + if (trkHandle && trkHandle->trkTrackPointer()==trk) return trkHandle; + } + return 0; +} diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackSystemController.cxx b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackSystemController.cxx new file mode 100644 index 0000000000000000000000000000000000000000..d9aefef6f43e5bddbf049715f698f3879e521260 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackSystemController.cxx @@ -0,0 +1,2206 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class TrackSystemController // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: February 2008 // +// Updates: Riccardo Maria Bianchi (rbianchi@cern.ch) // +// // +//////////////////////////////////////////////////////////////// + +#define VP1IMPVARNAME m_d + +// FIXME! Remove! +#include <Inventor/C/errors/debugerror.h> +#define protected public +#include <Inventor/nodes/SoSelection.h> +#undef protected + +#include "VTI12TrackSystems/TrackSystemController.h" +#include "VTI12TrackSystems/TrackCollWidget.h" +// #include "VP1TrackSystems/TrackObjectBrowserController.h" +#include "VTI12TrackSystems/AscObjSelectionManager.h" +#include "VTI12TrackSystems/AscObj_TSOS.h" +#include "VTI12TrackSystems/VP1TrackSystem.h" +#include "VTI12TrackSystems/TrackSysCommonData.h" +#include "VTI12TrackSystems/TrackHandle_TrkTrack.h" + +#include "ui_vp1trackcontrollerform.h" +#include "ui_settings_ascobjs_form.h" +#include "ui_settings_colouring_form.h" +#include "ui_settings_extrapolation_form.h" +#include "ui_settings_interactions_form.h" +#include "ui_settings_projections_form.h" +#include "ui_settings_cuts_form.h" +#include "ui_shift_muon_chamber_form.h" +#include "ui_objectbrowser.h" + +#include "VTI12Utils/VP1AvailableToolsHelper.h" +#include "VTI12Utils/VP1ToolAccessHelper.h" +#include "VTI12Utils/VP1JobConfigInfo.h" +#include "VTI12Utils/VP1ParticleData.h" +#include "VP1Base/VP1QtUtils.h" +#include "VP1Base/IVP1System.h" +#include "VP1Base/VP1Serialise.h" +#include "VP1Base/VP1Deserialise.h" +#include "VP1Base/VP1QtInventorUtils.h" +#include "VP1Base/VP1SoMaterialMixer.h" +#include "VP1Base/SoCooperativeSelection.h" + +#include "TrkExInterfaces/IExtrapolator.h" +#include "TrkFitterInterfaces/ITrackFitter.h" +#include "TrkTrack/Track.h" +#include "TrkTrack/TrackStateOnSurface.h" + +#include "TrkVolumes/CylinderVolumeBounds.h" +#include "TrkVolumes/CuboidVolumeBounds.h" +#include "TrkVolumes/Volume.h" + +#include "Inventor/nodes/SoMaterial.h" +#include "Inventor/nodes/SoDrawStyle.h" +#include "Inventor/nodes/SoComplexity.h" +#include "Inventor/nodes/SoLightModel.h" +#include <Inventor/nodes/SoSeparator.h> +#include <Inventor/actions/SoSearchAction.h> + +#include "CLHEP/Units/SystemOfUnits.h" + +#include <QTreeWidget> +#include <QTreeWidgetItem> + + + + +//____________________________________________________________________ +class TrackSystemController::Imp { +public: + TrackSystemController * theclass; + Ui::VP1TrackControllerForm ui; + TrackCollWidget * trackcollwidget; + void initMaterials(); + SoMaterial * createMaterial(const int& r,const int& g,const int& b) const; + SoMaterial * getMat(VP1MaterialButton*) const; + SoMaterial * materialFallback; + // SoDrawStyle * trackDrawStyle; + SoDrawStyle * ascObjDrawStyle; + SoComplexity * ascObjComplexity; + // SoLightModel * trackLightModel; + + QString restoredLastPropagator; + QString restoredLastFitter; + QStringList lastUpdatedAvailableExtrapolators; + QStringList lastUpdatedAvailableFitters; + bool updateComboBoxContents(QComboBox*cb,QStringList l,QString& restoredSelection); + static const QString noneAvailString; + unsigned numberOfSelectedPRDs; + unsigned numberOfSelectedTracks; + void updateFitPRDButtonState(); + + VP1SoMaterialMixer * matmixer; + VP1AvailableToolsHelper * toolhelper_extrapolators; + VP1AvailableToolsHelper * toolhelper_fitters; + VP1ToolAccessHelper * toolaccesshelper; + TrackCommonFlags::TrackPartsFlags last_shownTrackParts; + int last_vertexProjectionAngle; + double last_trackTubeRadius; + TrackLabelModes last_trackLabels; + float last_trackLabelTrkOffset; + QList<int> last_trackLabelPosOffset; + Trk::IExtrapolator * last_propagator; + // bool last_ignoreMeasurementEffectsOnTrackInProp; + PropagationOptionFlags last_propagationOptions; + float last_propMaxRadius; + Trk::ITrackFitter * last_trackFitter; + TrackCommonFlags::SELECTIONMODE last_selectionMode; + bool last_showTruthAscObjs; + TrackCommonFlags::DETAILLEVEL last_assocObjDetailLevel; + TrackCommonFlags::TSOSPartsFlags last_shownTSOSParts; + TrackCommonFlags::TSOSPartsFlags last_customColouredTSOSParts; + bool last_useShortTRTMeasurements; + bool last_useShortMDTMeasurements; + bool last_drawMeasGlobalPositions; + double last_measurementsShorttubesScale; + double last_nStdDevForParamErrors; + bool last_parTubeErrorsDrawCylinders; + int last_numberOfPointsOnCircles; + double last_materialEffectsOnTrackScale; + VP1Interval last_cutAllowedPt; + VP1Interval last_cutAllowedP; + VP1Interval last_cutAllowedEta; + QList<VP1Interval> last_cutAllowedPhi; + QList<unsigned> last_cutRequiredNHits; + bool last_cutTruthFromIROnly; + bool last_cutExcludeBarcodeZero; + bool last_cutTruthExcludeNeutrals; + bool last_cutOnlyVertexAssocTracks; + bool last_showTotMomentumOnMultiTrackSelection; + + Ui::TrackSysSettingsColouringForm ui_col; + Ui::TrackSysSettingsExtrapolationsForm ui_extrap; + Ui::TrackSysSettingsInteractionsForm ui_int; + Ui::TrackSysSettingsProjectionsForm ui_proj; + Ui::TrackSysSettingsCutsForm ui_cuts; + Ui::TrackSysSettingsAscObjsForm ui_ascobjs; + Ui::TrackSysShiftMuonChambersForm ui_shiftmuonchambers; + Ui::ObjectBrowser ui_objBrowser; + + static bool extrapolatorsCreated; + static void ensureExtrapolatorsCreated(IVP1System *); + static bool fittersCreated; + static void ensureFittersCreated(IVP1System *); + + QTreeWidget* objBrowserWidget; + TrackSysCommonData * common; + + // Added because TrackingVolumeSvc doesn't work any more. Can remove when we move to new extrapolator + Trk::Volume* calorimeterEntryLayer; + Trk::Volume* muonSpectrometerEntryLayer; + Trk::Volume* muonSpectrometerExitLayer; +}; + +const QString TrackSystemController::Imp::noneAvailString = QString("None available"); + + +//____________________________________________________________________ +QString TrackSystemController::toString( const QList<unsigned>& l ) +{ + QString s; + foreach(unsigned i,l) { + if (!s.isEmpty()) s+=", "; + s+=QString::number(i); + } + return "["+s+"]"; +} + +//____________________________________________________________________ +QString TrackSystemController::toString( const QList<int>& l ) +{ + QString s; + foreach(int i,l) { + if (!s.isEmpty()) s+=", "; + s+=QString::number(i); + } + return "["+s+"]"; +} + +//____________________________________________________________________ +bool TrackSystemController::Imp::extrapolatorsCreated = false; +void TrackSystemController::Imp::ensureExtrapolatorsCreated(IVP1System * sys) { + if (extrapolatorsCreated||!sys) + return; + extrapolatorsCreated = true; + + //Get available extrapolators: + QString tooltype("Trk::Extrapolator"); + VP1AvailableToolsHelper * availTools = new VP1AvailableToolsHelper(sys); + availTools->addMonitoredType(tooltype); + QStringList existingExtrapolators = availTools->availableTools(); + delete availTools; + + VP1ToolAccessHelper toolaccess(sys); + foreach (QString key,VP1QtUtils::environmentVariableValue("VP1_JOBCFG_EXTRA_VP1_EXTRAPOLATORS").split(';',QString::SkipEmptyParts)) { + if (existingExtrapolators.contains(key)) + continue; + sys->messageDebug("Attempting creation of fitter with tooltype/key "+key); + Trk::IExtrapolator * tool = toolaccess.getToolPointer<Trk::IExtrapolator>(key,false/*silent*/,true/*create if not exists*/); + if (!tool) { + sys->message("WARNING: Could not create tool type/key "+key); + } + + } +} + +//____________________________________________________________________ +bool TrackSystemController::Imp::fittersCreated = false; +void TrackSystemController::Imp::ensureFittersCreated(IVP1System * sys) { + if (fittersCreated||!sys) + return; + fittersCreated = true; + + //Get available extrapolators: + QStringList fittertypes; + fittertypes << "Trk::KalmanFitter" + << "Trk::GlobalChi2Fitter" + << "Trk::GaussianSumFilter" + << "Trk::DistributedKalmanFilter" + << "Trk::DeterministicAnnealingFilter"; + VP1AvailableToolsHelper * availTools = new VP1AvailableToolsHelper(sys); + availTools->addMonitoredTypes(fittertypes); + QStringList existingFitters = availTools->availableTools(); + delete availTools; + + VP1ToolAccessHelper toolaccess(sys); + foreach (QString instance,VP1QtUtils::environmentVariableValue("VP1_JOBCFG_EXTRA_VP1_FITTERS").split(';',QString::SkipEmptyParts)) { + if (existingFitters.contains(instance)) + continue; + sys->messageDebug("Attempting creation of fitter with tooltype/key "+instance); + Trk::ITrackFitter * tool = toolaccess.getToolPointer<Trk::ITrackFitter>(instance,false/*silent*/,true/*create if not exists*/); + if (!tool) { + sys->message("WARNING: Could not create tool with type/key "+instance); + } + } +} + +//____________________________________________________________________ +TrackSystemController::TrackSystemController(IVP1System * sys) + : VP1Controller(sys,"TrackSystemController"), m_d(new Imp) +{ + m_d->theclass = this; + m_d->lastUpdatedAvailableExtrapolators = QStringList("<dummy>");//special. + m_d->lastUpdatedAvailableFitters = QStringList("<dummy>");//special. + + //Stuff with tools waits until ::initTools() is called: + m_d->toolaccesshelper = 0; + m_d->toolhelper_extrapolators = 0; + m_d->toolhelper_fitters = 0; + m_d->matmixer = 0; + + m_d->ui.setupUi(this); + m_d->trackcollwidget = new TrackCollWidget; + setupCollWidgetInScrollArea(m_d->ui.collWidgetScrollArea,m_d->trackcollwidget); + + initDialog(m_d->ui_col, m_d->ui.pushButton_settings_colouring); + initDialog(m_d->ui_extrap, m_d->ui.pushButton_settings_extrapolation); + initDialog(m_d->ui_int, m_d->ui.pushButton_settings_interactions); + initDialog(m_d->ui_proj, m_d->ui.pushButton_settings_projections); + initDialog(m_d->ui_cuts, m_d->ui.pushButton_settings_cuts); + initDialog(m_d->ui_ascobjs, m_d->ui.pushButton_settings_details); + initDialog(m_d->ui_objBrowser, m_d->ui.pushButton_ObjectBrowser); + + //init: + m_d->numberOfSelectedPRDs=1;//anything != 0 + setNumberOfSelectedPRDsAndTracks(0,0); + + m_d->initMaterials(); + + m_d->materialFallback = new SoMaterial; + m_d->materialFallback->ref(); + + m_d->ui_cuts.etaPhiCutWidget->setSystemBasePointer(systemBase()); + + //Draw Styles / Complexity: + m_d->ascObjDrawStyle = new SoDrawStyle; + m_d->ascObjDrawStyle->setName("AscObjDrawStyle"); + m_d->ascObjDrawStyle->ref(); + addUpdateSlot(SLOT(updateAscObjDrawStyle())); + connectToLastUpdateSlot(m_d->ui_ascobjs.horizontalSlider_linewidths); + connectToLastUpdateSlot(m_d->ui_ascobjs.horizontalSlider_pointsizes); + + m_d->ascObjComplexity = new SoComplexity; + m_d->ascObjComplexity->setName("AscObjComplexity"); + m_d->ascObjComplexity->ref(); + addUpdateSlot(SLOT(updateAscObjComplexity())); + connectToLastUpdateSlot(m_d->ui_ascobjs.horizontalSlider_complexity); + + //Refit ui is dependent on env variable: + m_d->ui_int.radioButton_selmode_trackfits->setVisible(VP1QtUtils::environmentVariableIsOn("VP1_DEVEL_ENABLEREFIT")); + m_d->ui_int.groupBox_refitting->setEnabled(VP1QtUtils::environmentVariableIsOn("VP1_DEVEL_ENABLEREFIT")); + connect(m_d->ui_int.comboBox_fitterMode,SIGNAL(currentIndexChanged(int)),this,SLOT(updateFitPRDButtonState())); + + + //Disable elements based on job configuration: + + if (!(VP1JobConfigInfo::hasSCTGeometry())) { + m_d->ui_proj.checkBox_projections_indet->setChecked(false); + m_d->ui_proj.checkBox_projections_indet->setEnabled(false); + } + + //These we init explicitly since we might otherwise trigger a change + //before initlastvars (fixme: is this true and the right fix??) + m_d->last_propagator = 0; + m_d->last_trackFitter = 0; + + ///////////////////////////////////////////////////////////////////////////////////////////////////////////// + // Setup connections which monitor changes in the controller so that we may emit signals as appropriate: // + ///////////////////////////////////////////////////////////////////////////////////////////////////////////// + + // -> shownTrackParts + addUpdateSlot(SLOT(possibleChange_shownTrackParts())); + // connectToLastUpdateSlot(m_d->ui_col.checkBox_hideactualpaths); + connectToLastUpdateSlot(m_d->ui_proj.checkBox_projections_indet); + connectToLastUpdateSlot(m_d->ui_proj.groupBox_projections_vertex); + + addUpdateSlot(SLOT(possibleChange_vertexProjectionAngle())); + connectToLastUpdateSlot(m_d->ui_proj.spinBox_projections_vertex); + + + // // -> trackTubeRadius + // addUpdateSlot(SLOT(possibleChange_trackTubeRadius())); + // connectToLastUpdateSlot(m_d->ui_col.checkBox_trackTubes); + // connectToLastUpdateSlot(m_d->ui_col.doubleSpinBox_trackTubesRadiusMM); + + // -> track labels + addUpdateSlot(SLOT(possibleChange_trackLabels())); + connectToLastUpdateSlot(m_d->ui_col.checkBox_trkLabels_Pt); + connectToLastUpdateSlot(m_d->ui_col.checkBox_trkLabels_p); + connectToLastUpdateSlot(m_d->ui_col.checkBox_trkLabels_direction); + connectToLastUpdateSlot(m_d->ui_col.checkBox_trkLabels_hits); + connectToLastUpdateSlot(m_d->ui_col.checkBox_trkLabels_pid); + connectToLastUpdateSlot(m_d->ui_col.checkBox_trkLabels_fitQuality); + connectToLastUpdateSlot(m_d->ui_col.groupBox_labels); + + addUpdateSlot(SLOT(possibleChange_trackLabelTrkOffset())); + connectToLastUpdateSlot(m_d->ui_col.horizontalSlider_labels_trkOffset); + + addUpdateSlot(SLOT(possibleChange_trackLabelPosOffset())); + connectToLastUpdateSlot(m_d->ui_col.horizontalSlider_labels_xOffset); + connectToLastUpdateSlot(m_d->ui_col.horizontalSlider_labels_yOffset); + connectToLastUpdateSlot(m_d->ui_col.horizontalSlider_labels_zOffset); + + + // -> shownTSOSParts + addUpdateSlot(SLOT(possibleChange_shownTSOSParts())); + connectToLastUpdateSlot(m_d->ui_ascobjs.groupBox_measurements); + connectToLastUpdateSlot(m_d->ui_ascobjs.groupBox_parameters); + connectToLastUpdateSlot(m_d->ui_ascobjs.groupBox_errors); + connectToLastUpdateSlot(m_d->ui_ascobjs.checkBox_parametererrors); + connectToLastUpdateSlot(m_d->ui_ascobjs.checkBox_measurementerrors); + connectToLastUpdateSlot(m_d->ui_ascobjs.checkBox_parerror_hideperigeeerrors); + connectToLastUpdateSlot(m_d->ui_ascobjs.groupBox_materialeffectsontrack); + connectToLastUpdateSlot(m_d->ui_ascobjs.checkBox_materialeffectsontrack_hideNoDE); + connectToLastUpdateSlot(m_d->ui_ascobjs.groupBox_surfaces); + connectToLastUpdateSlot(m_d->ui_ascobjs.checkBox_surfaces_hidecustomsurfaces); + connectToLastUpdateSlot(m_d->ui_ascobjs.checkBox_surfaces_hidetubesurfaces); + + addUpdateSlot(SLOT(possibleChange_drawMeasGlobalPositions())); + connectToLastUpdateSlot(m_d->ui_ascobjs.checkBox_measurements_drawGP); + + // -> customColouredTSOSParts + addUpdateSlot(SLOT(possibleChange_customColouredTSOSParts())); + + connectToLastUpdateSlot(m_d->ui_ascobjs.checkBox_usecolour_measurements); + connectToLastUpdateSlot(m_d->ui_ascobjs.checkBox_usecolour_meas_outliers); + connectToLastUpdateSlot(m_d->ui_ascobjs.checkBox_usecolour_parameters); + connectToLastUpdateSlot(m_d->ui_ascobjs.checkBox_useHoleColour_parameters); + connectToLastUpdateSlot(m_d->ui_ascobjs.checkBox_usecolour_parametererrors); + connectToLastUpdateSlot(m_d->ui_ascobjs.checkBox_usecolour_materialeffectsontrack); + connectToLastUpdateSlot(m_d->ui_ascobjs.checkBox_usecolour_surfaces); + + // -> useShortTRTMeasurements + addUpdateSlot(SLOT(possibleChange_useShortTRTMeasurements())); + connectToLastUpdateSlot(m_d->ui_ascobjs.checkBox_measurements_shorttubes_trt); + + // -> useShortMDTMeasurements + addUpdateSlot(SLOT(possibleChange_useShortMDTMeasurements())); + connectToLastUpdateSlot(m_d->ui_ascobjs.checkBox_measurements_shorttubes_mdt); + + // -> useShortMDTMeasurements + addUpdateSlot(SLOT(possibleChange_measurementsShorttubesScale())); + connectToLastUpdateSlot(m_d->ui_ascobjs.doubleSpinBox_measurements_shorttubes_scale); + + // -> nStdDevForParamErrors + addUpdateSlot(SLOT(possibleChange_nStdDevForParamErrors())); + connectToLastUpdateSlot(m_d->ui_ascobjs.doubleSpinBox_parerror_stddev); + + // -> parTubeErrorsDrawCylinders + addUpdateSlot(SLOT(possibleChange_parTubeErrorsDrawCylinders())); + connectToLastUpdateSlot(m_d->ui_ascobjs.checkBox_parerror_drawcylinder); + + // -> numberOfPointsOnCircles + addUpdateSlot(SLOT(possibleChange_numberOfPointsOnCircles())); + connectToLastUpdateSlot(m_d->ui_ascobjs.horizontalSlider_complexity); + + // -> materialEffectsOnTrackScale + addUpdateSlot(SLOT(possibleChange_materialEffectsOnTrackScale())); + connectToLastUpdateSlot(m_d->ui_ascobjs.horizontalSlider_materialeffectsontrack_scale); + + // -> selectionMode + addUpdateSlot(SLOT(possibleChange_selectionMode())); + connectToLastUpdateSlot(m_d->ui_int.radioButton_selmode_single); + connectToLastUpdateSlot(m_d->ui_int.radioButton_selmode_multitracks); + connectToLastUpdateSlot(m_d->ui_int.radioButton_selmode_trackfits); + + // -> showTruthAscObjs + addUpdateSlot(SLOT(possibleChange_showTruthAscObjs())); + connectToLastUpdateSlot(m_d->ui_ascobjs.checkBox_truthtracks_display_points); + + // -> assocObjDetailLevel + addUpdateSlot(SLOT(possibleChange_assocObjDetailLevel())); + connectToLastUpdateSlot(m_d->ui_ascobjs.comboBox_assocobj_detaillevel); + + // -> cutAllowedP/Pt + addUpdateSlot(SLOT(possibleChange_cutAllowedPt())); + connectToLastUpdateSlot(m_d->ui_cuts.checkBox_cut_minpt); + connectToLastUpdateSlot(m_d->ui_cuts.checkBox_cut_maxpt); + connectToLastUpdateSlot(m_d->ui_cuts.doubleSpinBox_cut_minpt_gev); + connectToLastUpdateSlot(m_d->ui_cuts.doubleSpinBox_cut_maxpt_gev); + connectToLastUpdateSlot(m_d->ui_cuts.comboBox_momtype); + + // -> cutAllowedEta + addUpdateSlot(SLOT(possibleChange_cutAllowedEta())); + connectToLastUpdateSlot(m_d->ui_cuts.etaPhiCutWidget,SIGNAL(allowedEtaChanged(const VP1Interval&))); + + // -> cutAllowedPhi + addUpdateSlot(SLOT(possibleChange_cutAllowedPhi())); + connectToLastUpdateSlot(m_d->ui_cuts.etaPhiCutWidget,SIGNAL(allowedPhiChanged(const QList<VP1Interval>&))); + + // -> cutRequiredNHits(); + addUpdateSlot(SLOT(possibleChange_cutRequiredNHits())); + connectToLastUpdateSlot(m_d->ui_cuts.checkBox_cut_nhits_pixel); + connectToLastUpdateSlot(m_d->ui_cuts.checkBox_cut_nhits_sct); + connectToLastUpdateSlot(m_d->ui_cuts.checkBox_cut_nhits_trt); + connectToLastUpdateSlot(m_d->ui_cuts.checkBox_cut_nhits_muon); + connectToLastUpdateSlot(m_d->ui_cuts.checkBox_cut_nprecisionhits_muon); + connectToLastUpdateSlot(m_d->ui_cuts.spinBox_cut_nhits_pixel); + connectToLastUpdateSlot(m_d->ui_cuts.spinBox_cut_nhits_sct); + connectToLastUpdateSlot(m_d->ui_cuts.spinBox_cut_nhits_trt); + connectToLastUpdateSlot(m_d->ui_cuts.spinBox_cut_nhits_muon); + connectToLastUpdateSlot(m_d->ui_cuts.spinBox_cut_nprecisionhits_muon); + + // -> cutTruthFromIROnly + addUpdateSlot(SLOT(possibleChange_cutTruthFromIROnly())); + connectToLastUpdateSlot(m_d->ui_cuts.checkBox_cut_truthtracks_creationvertexinIR); + + // -> cutExcludeBarcodeZero + addUpdateSlot(SLOT(possibleChange_cutExcludeBarcodeZero())); + connectToLastUpdateSlot(m_d->ui_cuts.checkBox_cut_truthtracks_excludebarcode0); + + // -> cutTruthExcludeNeutrals + addUpdateSlot(SLOT(possibleChange_cutTruthExcludeNeutrals())); + connectToLastUpdateSlot(m_d->ui_cuts.checkBox_cut_truthtracks_excludeneutrals); + + // -> cutOnlyVertexAssocTracks + addUpdateSlot(SLOT(possibleChange_cutOnlyVertexAssocTracks())); + connectToLastUpdateSlot(m_d->ui_cuts.checkBox_vertexAssociated); + + // -> showTotMomentumOnMultiTrackSelection + addUpdateSlot(SLOT(possibleChange_showTotMomentumOnMultiTrackSelection())); + connectToLastUpdateSlot(m_d->ui_int.checkBox_sel_showtotmom); + + // Special: -> rerandomise + connect(m_d->ui_col.pushButton_colourbyrandom_rerandomise,SIGNAL(clicked()),this,SLOT(emitRerandomise())); + + // Special: -> refit + connect(m_d->ui_int.pushButton_refit,SIGNAL(clicked()),this,SLOT(emitRefit())); + + // TrackObjBrowser + messageVerbose("Enabling object browser"); + m_d->objBrowserWidget = m_d->ui_objBrowser.treeWidget; + m_d->objBrowserWidget->setSortingEnabled(false); + QStringList l; + l<<"Object"<<"Information"; + m_d->objBrowserWidget->setHeaderLabels(l); + connect(m_d->objBrowserWidget,SIGNAL(itemClicked(QTreeWidgetItem *, int)),this,SLOT(objectBrowserClicked(QTreeWidgetItem *, int))); + + // we want "Print information" on single track selection turned ON by default + m_d->ui_int.checkBox_selsingle_printinfo->setChecked(true); + + // Since TrkVolumesSvc isn't working anymore, hardcode values. (Remove when we move to new extrapolator) + + double hardCodedMaxZ {3500.0}; + double hardCodedMinZ {-2500.0}; + m_d->calorimeterEntryLayer = new Trk::Volume(new Amg::Transform3D(Amg::Translation3D(0.0, 0.0, (hardCodedMaxZ + hardCodedMinZ)/2)), new Trk::CuboidVolumeBounds(300.0, 300.0, (hardCodedMaxZ - hardCodedMinZ)/2)); + // m_d->calorimeterEntryLayer = new Trk::Volume(0, new Trk::CylinderVolumeBounds(1100.0, 3200.0)); + // m_d->muonSpectrometerEntryLayer = new Trk::Volume(0, new Trk::CylinderVolumeBounds(4250.0, 6779.0)); + // m_d->muonSpectrometerExitLayer = new Trk::Volume(0, new Trk::CylinderVolumeBounds(15000.0, 21000.0)); // FIXME! Put in correct values. EJWM + initLastVars(); +} + +//____________________________________________________________________ +void TrackSystemController::initTools() +{ + m_d->toolaccesshelper = new VP1ToolAccessHelper(systemBase()); + + // if (VP1JobConfigInfo::hasSCTGeometry()) { + if (true) { + + //Ensure special VP1 extrapolator and fitters are created: + Imp::ensureExtrapolatorsCreated(systemBase()); + Imp::ensureFittersCreated(systemBase()); + + messageVerbose("Setting up tool helper to monitor extrapolators - start"); + m_d->toolhelper_extrapolators = new VP1AvailableToolsHelper(systemBase(),this); + //Watch for extrapolators (and Fatras extrapolators are no-go!) + m_d->toolhelper_extrapolators->addMonitoredType("Trk::Extrapolator",(QStringList() << "*Fatras*")); + connect(m_d->toolhelper_extrapolators,SIGNAL(availableToolsChanged(const QStringList&)), + this,SLOT(availableExtrapolatorsChanged(const QStringList&))); + availableExtrapolatorsChanged(m_d->toolhelper_extrapolators->availableTools()); + messageVerbose("Setting up tool helper to monitor extrapolators - end"); + + messageVerbose("Setting up tool helper to monitor fitters - start"); + m_d->toolhelper_fitters = new VP1AvailableToolsHelper(systemBase(),this); + QStringList fittertypes; + fittertypes << "Trk::KalmanFitter" + << "Trk::GlobalChi2Fitter" + << "Trk::GaussianSumFilter" + << "Trk::DistributedKalmanFilter" + << "Trk::DeterministicAnnealingFilter"; + m_d->toolhelper_fitters->addMonitoredTypes(fittertypes); + connect(m_d->toolhelper_fitters,SIGNAL(availableToolsChanged(const QStringList&)), + this,SLOT(availableFittersChanged(const QStringList&))); + availableFittersChanged(m_d->toolhelper_fitters->availableTools()); + messageVerbose("Setting up tool helper to monitor fitters - end"); + } else { + m_d->toolhelper_extrapolators = 0; + m_d->toolhelper_fitters = 0; + m_d->ui_extrap.comboBox_propagator->clear(); + m_d->ui_extrap.comboBox_propagator->addItem(Imp::noneAvailString); + m_d->ui_extrap.comboBox_propagator->setEnabled(false); + m_d->ui_extrap.radioButton_athenaExtrapolator->setEnabled(false); + m_d->ui_extrap.radioButton_none->setChecked(true); + m_d->ui_int.comboBox_fitters->clear(); + m_d->ui_int.comboBox_fitters->addItem(Imp::noneAvailString); + m_d->ui_int.comboBox_fitters->setEnabled(false); + //FIXME: Disable radioButton_selmode_trackfits, comboBox_fitters, lineEdit_fittedTrackCollName, pushButton_refit + } + + // -> propagator + // + addUpdateSlot(SLOT(possibleChange_propagator())); + connectToLastUpdateSlot(m_d->ui_extrap.radioButton_none); + connectToLastUpdateSlot(m_d->ui_extrap.radioButton_athenaExtrapolator); + connectToLastUpdateSlot(m_d->ui_extrap.comboBox_propagator); + + addUpdateSlot(SLOT(possibleChange_propagationOptions())); + connectToLastUpdateSlot(m_d->ui_extrap.checkBox_ignoreMEoT); + connectToLastUpdateSlot(m_d->ui_extrap.checkBox_extendAllTracks); + connectToLastUpdateSlot(m_d->ui_extrap.comboBox_extendAllTracksToHere); + m_d->last_propagationOptions=TrackSystemController::NoPropOptions; + if (m_d->ui_extrap.checkBox_ignoreMEoT->isChecked()) m_d->last_propagationOptions |= TrackSystemController::IgnoreMEOT; //!< Really needed here??? FIXME + if (m_d->ui_extrap.checkBox_extendAllTracks->isChecked()) m_d->last_propagationOptions |= TrackSystemController::ExtendTrack; //!< Really needed here??? FIXME + + addUpdateSlot(SLOT(possibleChange_propMaxRadius())); + connectToLastUpdateSlot(m_d->ui_extrap.checkBox_maxRadius); + connectToLastUpdateSlot(m_d->ui_extrap.spinBox_maxRadiusValue); + + connect(m_d->ui_extrap.comboBox_extendAllTracksToHere, SIGNAL(currentIndexChanged(int)),this, SLOT(emitExtrapolateToHereChanged(int))); + // -> trackFitter + addUpdateSlot(SLOT(possibleChange_trackFitter())); + //(Nothing connects directly to this slot) + + //could also use testForChanges() here: + possibleChange_propagator(); + possibleChange_trackFitter(); +} + +//____________________________________________________________________ +SoMaterial * TrackSystemController::Imp::createMaterial(const int& r,const int& g,const int& b) const +{ + return VP1MaterialButton::createMaterial(r/255.0,g/255.0,b/255.0,0.2/*brightness*/); +} + +//____________________________________________________________________ + +void TrackSystemController::Imp::initMaterials() +{ + //By PID => Electrons and muons:. + ui_col.matButton_electrons->setMaterial(createMaterial(255,0,0)); //red; //(205,103,255));//purple + ui_col.matButton_muons->setMaterial(createMaterial(71,255,51));//green + + //By PID => Charged: bluish colours + ui_col.matButton_pions->setMaterial(createMaterial(74,146,255)); + ui_col.matButton_protons->setMaterial(createMaterial(56,49,255)); + ui_col.matButton_chargedkaons->setMaterial(createMaterial(116,255,228)); + ui_col.matButton_othercharged->setMaterial(createMaterial(142,163,255)); + + //By PID => Neutral yellowish colours. + ui_col.matButton_neutrons->setMaterial(createMaterial(245,255,42)); + ui_col.matButton_photons->setMaterial(createMaterial(255,227,82)); + ui_col.matButton_neutrinos->setMaterial(createMaterial(255,152,61)); + ui_col.matButton_otherneutrals->setMaterial(createMaterial(248,255,102)); + + //By charge: + ui_col.matButton_charge_pos->setMaterial(createMaterial(255,71,10)); + ui_col.matButton_charge_neg->setMaterial(createMaterial(116,255,10)); + ui_col.matButton_charge_neutral->setMaterial(createMaterial(255,227,82)); + + //By momentum: + ui_col.matButton_0GeV->setMaterial(createMaterial(0,50,0)); + ui_col.matButton_15GeV->setMaterial(createMaterial(0,255,0)); + + //Associated objects: + ui_ascobjs.matButton_measurements->setMaterial(createMaterial(55,200,55)); + ui_ascobjs.matButton_meas_outliers->setMaterial(createMaterial(155,155,155)); + ui_ascobjs.matButton_parameters->setMaterial(createMaterial(100,150,200)); + ui_ascobjs.matButton_holeParameters->setMaterial(createMaterial(100,100,100)); + ui_ascobjs.matButton_parerrors->setMaterial(createMaterial(255,100,0)); + SoMaterial * materialeffectsontrackMat = createMaterial(200,255,75); + materialeffectsontrackMat->transparency=0.5; + ui_ascobjs.matButton_materialeffectsontrack->setMaterial(materialeffectsontrackMat); + ui_ascobjs.matButton_surfaces->setMaterial(createMaterial(228,210,165)); +} + +//____________________________________________________________________ +TrackSystemController::~TrackSystemController() +{ + messageVerbose("~TrackSystemController begin"); + delete m_d->toolaccesshelper; + delete m_d->matmixer; + m_d->materialFallback->unref(); + // m_d->trackDrawStyle->unref(); + // m_d->trackLightModel->unref(); + m_d->ascObjDrawStyle->unref(); + m_d->ascObjComplexity->unref(); + + delete m_d->calorimeterEntryLayer ; + + // delete m_d->objBrowserWidget; + delete m_d; + messageVerbose("~TrackSystemController end"); +} + +//____________________________________________________________________ +int TrackSystemController::currentSettingsVersion() const +{ + return 17; +} + +//____________________________________________________________________ +void TrackSystemController::actualSaveSettings(VP1Serialise&s) const +{ + messageVerbose("TrackSystemController::actualSaveSettings()"); + + /* + * NOTE!!! Important, about serialization: + * + * - order has to be the same between saving-reading + * + * See: http://www.mimec.org/node/348 + * + */ + + messageDebug("Serialize - current version: "+QString::number( s.version() )); + + // saving a string, which will be checked while restoring the values + s.save(QString("TrackSystemSettings")); + + //versions <= 3 saved an integer here + + //Display options: linewidth: + // s.save(VP1QtInventorUtils::getValueLineWidthSlider(m_d->ui_col.horizontalSlider_trackWidth));//Version 1+ GONE WITH VERSION 17 + // s.widgetHandled(m_d->ui_col.horizontalSlider_trackWidth); + + //Tracks base light model: + // s.save(m_d->ui_col.checkBox_tracksUseBaseLightModel);//version 4+ GONE WITH VERSION 17 + + // --- Projections options --- + s.save(QString("Projections options")); + s.save(m_d->ui_proj.checkBox_projections_indet); + s.save(m_d->ui_proj.checkBox_projections_muonchambers); + s.save(m_d->ui_proj.groupBox_projections_vertex); //v15 + s.save(m_d->ui_proj.spinBox_projections_vertex);//v15 + s.save(m_d->ui_proj.horizontalSlider_projections_vertex);//v15 + // s.save(m_d->ui_col.checkBox_hideactualpaths); GONE WITH VERSION 17 + // --------------------------- + + + //Display options - track tubes + // s.save(m_d->ui_col.checkBox_trackTubes);//version 8+ GONE WITH VERSION 17 + // s.save(m_d->ui_col.doubleSpinBox_trackTubesRadiusMM);//version 8+ GONE WITH VERSION 17 + + //Version <= 3 had bool here + + + // ----- Propagation options ----- + s.save(QString("Propagation options")); + s.save(m_d->ui_extrap.radioButton_none, + m_d->ui_extrap.radioButton_helical, + m_d->ui_extrap.radioButton_athenaExtrapolator);//version 4+ + s.save(m_d->ui_extrap.comboBox_propagator);//NB: We restore this in a slightly special way + // ----------------------------------- + + + + + // ----- Interactions options ----- + s.save(QString("Interactions options")); + s.save(m_d->ui_int.lineEdit_fittedTrackCollName);//version 6+ + s.save(m_d->ui_int.comboBox_fitters);//version 6+ + // ----------------------------------- + + + + //Version <=2 had bool here + + //version 0 output an integer followed by two bools here + + //Display options - Trk::Tracks + //Version <=2 had bool here + s.save(m_d->ui_ascobjs.comboBox_assocobj_detaillevel); + //Version <=2 had two bool here + + //Display options - Truth tracks: + s.save(m_d->ui_ascobjs.checkBox_truthtracks_display_points); + + // --- Display options - Colours --- + s.save(QString("Colour options")); + //Display options - Colour by pdg: + s.save(m_d->ui_col.matButton_electrons); + s.save(m_d->ui_col.matButton_muons); + s.save(m_d->ui_col.matButton_pions); + s.save(m_d->ui_col.matButton_protons); + s.save(m_d->ui_col.matButton_chargedkaons); + s.save(m_d->ui_col.matButton_othercharged); + s.save(m_d->ui_col.matButton_neutrons); + s.save(m_d->ui_col.matButton_photons); + s.save(m_d->ui_col.matButton_neutrinos); + s.save(m_d->ui_col.matButton_otherneutrals); + + //Display options - Colour by charge: + s.save(m_d->ui_col.matButton_charge_neg);//version 2+ + s.save(m_d->ui_col.matButton_charge_pos);//version 2+ + s.save(m_d->ui_col.matButton_charge_neutral);//version 2+ + + //Display options - Colour by momentum: + s.save(m_d->ui_col.matButton_0GeV);//version 2+ + s.save(m_d->ui_col.matButton_15GeV);//version 2+ + // ----------------------------------- + + + + + + + + + // --- Cuts options --- + s.save(QString("Cuts options")); + //Cuts - general: + s.save(m_d->ui_cuts.checkBox_cut_minpt); + s.save(m_d->ui_cuts.doubleSpinBox_cut_minpt_gev); + s.save(m_d->ui_cuts.checkBox_cut_maxpt); + s.save(m_d->ui_cuts.doubleSpinBox_cut_maxpt_gev); + s.save(m_d->ui_cuts.comboBox_momtype);// version 10+ + + s.save(m_d->ui_cuts.etaPhiCutWidget);//Version 7+ + //Versions <=6 had 2*bool, 2*double, 1*bool, 1*obsoletephisectionstate here. + + //Cuts - number of hits: + s.save(m_d->ui_cuts.checkBox_cut_nhits_pixel);//Version 9+ + s.save(m_d->ui_cuts.checkBox_cut_nhits_sct);//Version 9+ + s.save(m_d->ui_cuts.checkBox_cut_nhits_trt);//Version 9+ + s.save(m_d->ui_cuts.checkBox_cut_nhits_muon);//Version 9+ + s.save(m_d->ui_cuts.spinBox_cut_nhits_pixel);//Version 9+ + s.save(m_d->ui_cuts.spinBox_cut_nhits_sct);//Version 9+ + s.save(m_d->ui_cuts.spinBox_cut_nhits_trt);//Version 9+ + s.save(m_d->ui_cuts.spinBox_cut_nhits_muon);//Version 9+ + + //Cuts - truth: + s.save(m_d->ui_cuts.checkBox_cut_truthtracks_creationvertexinIR); + s.save(m_d->ui_cuts.checkBox_cut_truthtracks_excludeneutrals); + s.save(m_d->ui_cuts.checkBox_cut_truthtracks_excludebarcode0); + + s.save(m_d->ui_cuts.checkBox_vertexAssociated);//Version 14+ + // ----------------------------------- + + + + + + + // --- Interactions options --- + s.save(QString("Interactions options")); + //Interactions - selection mode: + s.save(m_d->ui_int.radioButton_selmode_single, + m_d->ui_int.radioButton_selmode_multitracks, + m_d->ui_int.radioButton_selmode_trackfits); + + s.save(m_d->ui_int.checkBox_selsingle_printinfo); + s.save(m_d->ui_int.checkBox_selsingle_printinfo_verbose); + s.save(m_d->ui_int.checkBox_selsingle_orientzoom); + s.save(m_d->ui_int.checkBox_sel_printtotmom); + s.save(m_d->ui_int.checkBox_sel_showtotmom); + s.save(m_d->ui_int.comboBox_fitterMode); // Version 12+ + s.save(m_d->ui_int.checkBox_removeOutliers);// Version 12+ + s.save(m_d->ui_int.comboBox_particleHypo);// Version 12+ + // ----------------------------------- + + + + + // --- AscObjs options --- + s.save(QString("AscObjs options")); + //AscObjs - TSOS: + s.save(m_d->ui_ascobjs.checkBox_materialeffectsontrack_forceposontrack); + s.save(m_d->ui_ascobjs.checkBox_materialeffectsontrack_hideNoDE); + s.save(m_d->ui_ascobjs.checkBox_measurements_shorttubes_mdt); + s.save(m_d->ui_ascobjs.checkBox_measurements_shorttubes_trt); + s.save(m_d->ui_ascobjs.checkBox_measurements_drawGP); // Version 11 + s.save(m_d->ui_ascobjs.checkBox_parerror_drawcylinder); + s.save(m_d->ui_ascobjs.checkBox_parerror_hideperigeeerrors); + s.save(m_d->ui_ascobjs.checkBox_surfaces_hidecustomsurfaces); + s.save(m_d->ui_ascobjs.checkBox_surfaces_hidetubesurfaces); // Version 11 + s.save(m_d->ui_ascobjs.checkBox_usecolour_materialeffectsontrack); + s.save(m_d->ui_ascobjs.checkBox_usecolour_meas_outliers); + s.save(m_d->ui_ascobjs.checkBox_usecolour_measurements); + s.save(m_d->ui_ascobjs.checkBox_usecolour_parametererrors); + s.save(m_d->ui_ascobjs.checkBox_usecolour_parameters); + s.save(m_d->ui_ascobjs.checkBox_useHoleColour_parameters);// Version 14 + s.save(m_d->ui_ascobjs.checkBox_usecolour_surfaces); + + s.save(m_d->ui_ascobjs.doubleSpinBox_parerror_stddev); + s.save(m_d->ui_ascobjs.groupBox_materialeffectsontrack); + s.save(m_d->ui_ascobjs.groupBox_measurements); + s.save(m_d->ui_ascobjs.groupBox_errors);// Version 13 + s.save(m_d->ui_ascobjs.checkBox_parametererrors);// Version 13 + s.save(m_d->ui_ascobjs.checkBox_measurementerrors);// Version 13 + s.save(m_d->ui_ascobjs.groupBox_parameters); + s.save(m_d->ui_ascobjs.groupBox_surfaces); + s.save(m_d->ui_ascobjs.horizontalSlider_complexity); + s.save(m_d->ui_ascobjs.horizontalSlider_linewidths);//FIXME!!! SAVE AS ABOVE INSTEAD!! + s.save(m_d->ui_ascobjs.horizontalSlider_materialeffectsontrack_scale); + s.save(m_d->ui_ascobjs.horizontalSlider_pointsizes);//FIXME!!! SAVE AS ABOVE INSTEAD!! + s.save(m_d->ui_ascobjs.matButton_materialeffectsontrack); + s.save(m_d->ui_ascobjs.matButton_meas_outliers); + s.save(m_d->ui_ascobjs.matButton_measurements); + s.save(m_d->ui_ascobjs.matButton_parameters); + s.save(m_d->ui_ascobjs.matButton_holeParameters);// Version 14 + s.save(m_d->ui_ascobjs.matButton_parerrors); + s.save(m_d->ui_ascobjs.matButton_surfaces); + s.save(m_d->ui_ascobjs.doubleSpinBox_measurements_shorttubes_scale);//Version 5+ + // ----------------------------------- + + + + + // ----- Colouring options ----- + s.save(QString("Colouring options")); + // Version 12 + s.save(m_d->ui_col.groupBox_labels); + s.save(m_d->ui_col.horizontalSlider_labels_trkOffset); + s.save(m_d->ui_col.horizontalSlider_labels_xOffset); + s.save(m_d->ui_col.horizontalSlider_labels_yOffset); + s.save(m_d->ui_col.horizontalSlider_labels_zOffset); + s.save(m_d->ui_col.checkBox_trkLabels_p); + s.save(m_d->ui_col.checkBox_trkLabels_Pt); + s.save(m_d->ui_col.checkBox_trkLabels_pid); + s.save(m_d->ui_col.checkBox_trkLabels_hits); + s.save(m_d->ui_col.checkBox_trkLabels_fitQuality); + s.save(m_d->ui_col.checkBox_trkLabels_direction); + // -------------------------- + + + + + + + // ----- Extrap options ----- + s.save(QString("Extrapolator options")); + s.save(m_d->ui_extrap.checkBox_ignoreMEoT); // Version 14 + s.save(m_d->ui_extrap.checkBox_extendAllTracks); + s.save(m_d->ui_extrap.comboBox_extendAllTracksToHere); + s.save(m_d->ui_extrap.horizontalSlider_granularity); + s.save(m_d->ui_extrap.checkBox_maxRadius); // Version 15 + s.save(m_d->ui_extrap.spinBox_maxRadiusValue); + // -------------------------- + + + messageVerbose("TrackSystemController::actualSaveSettings() - DONE."); + +} + +//____________________________________________________________________ +void TrackSystemController::actualRestoreSettings(VP1Deserialise& s) +{ + messageDebug("TrackSystemController::actualRestoreSettings()"); + + /* + * NOTE!!! Important, about serialization: + * + * - order has to be the same between saving-reading + * + * See: http://www.mimec.org/node/348 + * + */ + + messageDebug("Deserialize - current version: "+QString::number( s.version() )); + + if (s.version()<0||s.version()>currentSettingsVersion()) { + message("Warning: State data in .vp1 file has unsupported version ("+str(s.version())+")"); + return; + } + + if (s.version()<17) { + message("Warning: the VP1 GUI has changed since .vp1 file format version ("+str(s.version())+"), which means you will have lost the line thickness etc. settings formally found in the Colouring pop-up dialogue."); + } + + if (s.version()<17) { + s.ignoreString(); + } else { + QString tt = s.restoreString(); + messageDebug("Check string: " + tt); + if (tt != "TrackSystemSettings") { + messageDebug("\n\nERROR!! Settings order does not match!!"); + return; + } + } + + if (s.version()<=3) + s.ignoreInt(); + + // //Display options: linewidth: + // if (s.version()>=1) { + // VP1QtInventorUtils::setValueLineWidthSlider(m_d->ui_col.horizontalSlider_trackWidth,s.restoreDouble()); + // s.widgetHandled(m_d->ui_col.horizontalSlider_trackWidth); + // } + if (s.version()<17) + s.ignoreInt(); //m_d->ui_col.horizontalSlider_trackWidth + + //Tracks base light model: + // if (s.version()>=4) + // s.restore(m_d->ui_col.checkBox_tracksUseBaseLightModel); + if (s.version()<17) + s.ignoreBool(); //m_d->ui_col.checkBox_tracksUseBaseLightModel + + + + + + // --- Projections options --- + if (s.version()>=17 && s.restoreString() != "Projections options") messageDebug("\n\nERROR! --> 'Projections options'"); + s.restore(m_d->ui_proj.checkBox_projections_indet); + s.restore(m_d->ui_proj.checkBox_projections_muonchambers); + if (s.version()>=15){ + s.restore(m_d->ui_proj.groupBox_projections_vertex); + s.restore(m_d->ui_proj.spinBox_projections_vertex); + s.restore(m_d->ui_proj.horizontalSlider_projections_vertex); + } + // s.restore(m_d->ui_col.checkBox_hideactualpaths); + if (s.version()<17) + s.ignoreBool(); //m_d->ui_col.checkBox_hideactualpaths + // -------------------------------------- + + + + + //Display options - track tubes + // if (s.version()>=8) { + // s.restore(m_d->ui_col.checkBox_trackTubes); + // s.restore(m_d->ui_col.doubleSpinBox_trackTubesRadiusMM); + // } + if (s.version()<17){ + s.ignoreBool(); //m_d->ui_col.checkBox_trackTubes + s.ignoreDouble(); //m_d->ui_col.doubleSpinBox_trackTubesRadiusMM + } + + if (s.version()<=3) + s.ignoreBool(); + + + + + // ----- Propagation options ----- + if (s.version()>=17 && s.restoreString() != "Propagation options") messageDebug("\n\nERROR! --> 'Propagation options'"); + if (s.version()>=4) + s.restore(m_d->ui_extrap.radioButton_none, + m_d->ui_extrap.radioButton_helical, + m_d->ui_extrap.radioButton_athenaExtrapolator); + m_d->restoredLastPropagator = s.restoreString(); + s.widgetHandled(m_d->ui_extrap.comboBox_propagator); + // ----------------------------------- + + + + + // ----- Interactions options ----- + if (s.version()>=17 && s.restoreString() != "Interactions options") messageDebug("\n\nERROR! --> 'Interactions options'"); + if (s.version()>=6) { + s.restore(m_d->ui_int.lineEdit_fittedTrackCollName); + m_d->restoredLastFitter = s.restoreString(); + s.widgetHandled(m_d->ui_int.comboBox_fitters); + } + // ----------------------------------- + + + + + if (s.version()<=2) + s.ignoreBool(); + + if (s.version()==0) { + s.ignoreInt(); + s.ignoreBool(); + s.ignoreBool(); + } + + //Display options - Trk::Tracks + if (s.version()<=2) + s.ignoreBool(); + s.restore(m_d->ui_ascobjs.comboBox_assocobj_detaillevel); + if (s.version()<=2) { + s.ignoreBool(); + s.ignoreBool(); + } + + //Display options - Truth tracks: + s.restore(m_d->ui_ascobjs.checkBox_truthtracks_display_points); + + + // --- Display options - Colours --- + if (s.version()>=17 && s.restoreString() != "Colour options") messageDebug("\n\nERROR! --> 'Colour options'"); + //Display options - Colour by pdg: + s.restore(m_d->ui_col.matButton_electrons); + s.restore(m_d->ui_col.matButton_muons); + s.restore(m_d->ui_col.matButton_pions); + s.restore(m_d->ui_col.matButton_protons); + s.restore(m_d->ui_col.matButton_chargedkaons); + s.restore(m_d->ui_col.matButton_othercharged); + s.restore(m_d->ui_col.matButton_neutrons); + s.restore(m_d->ui_col.matButton_photons); + s.restore(m_d->ui_col.matButton_neutrinos); + s.restore(m_d->ui_col.matButton_otherneutrals); + if (s.version()>=2) { + //Display options - Colour by charge: + s.restore(m_d->ui_col.matButton_charge_neg); + s.restore(m_d->ui_col.matButton_charge_pos); + s.restore(m_d->ui_col.matButton_charge_neutral); + + //Display options - Colour by momentum: + s.restore(m_d->ui_col.matButton_0GeV); + s.restore(m_d->ui_col.matButton_15GeV); + } + // ----------------------------------- + + + + + + // --- Cuts options --- + if (s.version()>=17 && s.restoreString() != "Cuts options") messageDebug("\n\nERROR! --> 'Cuts options'"); + //Cuts - general: + s.restore(m_d->ui_cuts.checkBox_cut_minpt); + s.restore(m_d->ui_cuts.doubleSpinBox_cut_minpt_gev); + s.restore(m_d->ui_cuts.checkBox_cut_maxpt); + s.restore(m_d->ui_cuts.doubleSpinBox_cut_maxpt_gev); + + if (s.version()>=10) { + s.restore(m_d->ui_cuts.comboBox_momtype); + } + + if (s.version()>=7) { + s.restore(m_d->ui_cuts.etaPhiCutWidget); + } else { + s.ignoreBool(); + s.ignoreBool(); + s.ignoreDouble(); + s.ignoreDouble(); + s.ignoreBool(); + s.ignoreObsoletePhiSectionWidgetState(); + } + + if (s.version()>=9) { + s.restore(m_d->ui_cuts.checkBox_cut_nhits_pixel); + s.restore(m_d->ui_cuts.checkBox_cut_nhits_sct); + s.restore(m_d->ui_cuts.checkBox_cut_nhits_trt); + s.restore(m_d->ui_cuts.checkBox_cut_nhits_muon); + s.restore(m_d->ui_cuts.spinBox_cut_nhits_pixel); + s.restore(m_d->ui_cuts.spinBox_cut_nhits_sct); + s.restore(m_d->ui_cuts.spinBox_cut_nhits_trt); + s.restore(m_d->ui_cuts.spinBox_cut_nhits_muon); + } + + //Cuts - truth: + s.restore(m_d->ui_cuts.checkBox_cut_truthtracks_creationvertexinIR); + s.restore(m_d->ui_cuts.checkBox_cut_truthtracks_excludeneutrals); + s.restore(m_d->ui_cuts.checkBox_cut_truthtracks_excludebarcode0); + + if (s.version()>=14) s.restore(m_d->ui_cuts.checkBox_vertexAssociated); + // ----------------------------------- + + + + + + // --- Interactions options --- + if (s.version()>=17 && s.restoreString() != "Interactions options") messageDebug("\n\nERROR! --> 'Interactions options'"); + //Interactions - selection mode: + s.restore(m_d->ui_int.radioButton_selmode_single, + m_d->ui_int.radioButton_selmode_multitracks, + m_d->ui_int.radioButton_selmode_trackfits); + + s.restore(m_d->ui_int.checkBox_selsingle_printinfo); + s.restore(m_d->ui_int.checkBox_selsingle_printinfo_verbose); + s.restore(m_d->ui_int.checkBox_selsingle_orientzoom); + s.restore(m_d->ui_int.checkBox_sel_printtotmom); + s.restore(m_d->ui_int.checkBox_sel_showtotmom); + if (s.version()>=12){ + s.restore(m_d->ui_int.comboBox_fitterMode); + s.restore(m_d->ui_int.checkBox_removeOutliers); + s.restore(m_d->ui_int.comboBox_particleHypo); + } + // ----------------------------------- + + + + + + + + // --- AscObjs options --- + if (s.version()>=17 && s.restoreString() != "AscObjs options") messageDebug("\n\nERROR! --> 'AscObjs options'"); + //AscObjs - TSOS: + s.restore(m_d->ui_ascobjs.checkBox_materialeffectsontrack_forceposontrack); + s.restore(m_d->ui_ascobjs.checkBox_materialeffectsontrack_hideNoDE); + s.restore(m_d->ui_ascobjs.checkBox_measurements_shorttubes_mdt); + s.restore(m_d->ui_ascobjs.checkBox_measurements_shorttubes_trt); + if (s.version()>=11) s.restore(m_d->ui_ascobjs.checkBox_measurements_drawGP); + s.restore(m_d->ui_ascobjs.checkBox_parerror_drawcylinder); + s.restore(m_d->ui_ascobjs.checkBox_parerror_hideperigeeerrors); + s.restore(m_d->ui_ascobjs.checkBox_surfaces_hidecustomsurfaces); + if (s.version()>=11) s.restore(m_d->ui_ascobjs.checkBox_surfaces_hidetubesurfaces); + s.restore(m_d->ui_ascobjs.checkBox_usecolour_materialeffectsontrack); + s.restore(m_d->ui_ascobjs.checkBox_usecolour_meas_outliers); + s.restore(m_d->ui_ascobjs.checkBox_usecolour_measurements); + if (s.version()<12) s.restore(m_d->ui_ascobjs.checkBox_parametererrors); // was groupBox_parametererrors before... + s.restore(m_d->ui_ascobjs.checkBox_usecolour_parametererrors); + s.restore(m_d->ui_ascobjs.checkBox_usecolour_parameters); + if (s.version()>=14) + s.restore(m_d->ui_ascobjs.checkBox_useHoleColour_parameters); + s.restore(m_d->ui_ascobjs.checkBox_usecolour_surfaces); + s.restore(m_d->ui_ascobjs.doubleSpinBox_parerror_stddev); + s.restore(m_d->ui_ascobjs.groupBox_materialeffectsontrack); + s.restore(m_d->ui_ascobjs.groupBox_measurements); + if (s.version()>=12) { + s.restore(m_d->ui_ascobjs.groupBox_errors); + s.restore(m_d->ui_ascobjs.checkBox_parametererrors); + s.restore(m_d->ui_ascobjs.checkBox_measurementerrors); + } + s.restore(m_d->ui_ascobjs.groupBox_parameters); + s.restore(m_d->ui_ascobjs.groupBox_surfaces); + s.restore(m_d->ui_ascobjs.horizontalSlider_complexity); + s.restore(m_d->ui_ascobjs.horizontalSlider_linewidths);//FIXME!!! SAVE AS ABOVE INSTEAD!! + s.restore(m_d->ui_ascobjs.horizontalSlider_materialeffectsontrack_scale); + s.restore(m_d->ui_ascobjs.horizontalSlider_pointsizes);//FIXME!!! SAVE AS ABOVE INSTEAD!! + s.restore(m_d->ui_ascobjs.matButton_materialeffectsontrack); + s.restore(m_d->ui_ascobjs.matButton_meas_outliers); + s.restore(m_d->ui_ascobjs.matButton_measurements); + s.restore(m_d->ui_ascobjs.matButton_parameters); + if (s.version()>=14) + s.restore(m_d->ui_ascobjs.matButton_holeParameters); + s.restore(m_d->ui_ascobjs.matButton_parerrors); + s.restore(m_d->ui_ascobjs.matButton_surfaces); + if (s.version()>=5) + s.restore(m_d->ui_ascobjs.doubleSpinBox_measurements_shorttubes_scale); + // ----------------------------------- + + + + + + + //Interactions - track fits: + + + + // ----- Colouring options ----- + if (s.version()>=17 && s.restoreString() != "Colouring options") messageDebug("\n\nERROR! --> 'Colouring options'"); + if (s.version()>=12){ + s.restore(m_d->ui_col.groupBox_labels); + s.restore(m_d->ui_col.horizontalSlider_labels_trkOffset); + s.restore(m_d->ui_col.horizontalSlider_labels_xOffset); + s.restore(m_d->ui_col.horizontalSlider_labels_yOffset); + s.restore(m_d->ui_col.horizontalSlider_labels_zOffset); + s.restore(m_d->ui_col.checkBox_trkLabels_p); + s.restore(m_d->ui_col.checkBox_trkLabels_Pt); + s.restore(m_d->ui_col.checkBox_trkLabels_pid); + s.restore(m_d->ui_col.checkBox_trkLabels_hits); + s.restore(m_d->ui_col.checkBox_trkLabels_fitQuality); + } + if (s.version()>=16) + s.restore(m_d->ui_col.checkBox_trkLabels_direction); + + + + + + // ----- Extrap options ----- + // Version 14 + if (s.version()>=17 && s.restoreString() != "Extrapolator options") messageDebug("\n\nERROR! --> 'Extrapolator options'"); + if (s.version()>=14){ + s.restore(m_d->ui_extrap.checkBox_ignoreMEoT); + s.restore(m_d->ui_extrap.checkBox_extendAllTracks); + s.restore(m_d->ui_extrap.comboBox_extendAllTracksToHere); + s.restore(m_d->ui_extrap.horizontalSlider_granularity); + } + // version 15 + if (s.version()>=15){ + s.restore(m_d->ui_extrap.checkBox_maxRadius); + s.restore(m_d->ui_extrap.spinBox_maxRadiusValue); + } + // ------------------------------ + + + + messageDebug("TrackSystemController::actualRestoreSettings() - DONE."); + +} + +//____________________________________________________________________ +TrackCollWidget * TrackSystemController::collWidget() const +{ + return m_d->trackcollwidget; +} + +//Access methods: + +//____________________________________________________________________ +SoMaterial * TrackSystemController::Imp::getMat(VP1MaterialButton* mb) const +{ + if (!mb) { + theclass->message("ERROR: Null material button pointer"); + return materialFallback; + } + QList<SoMaterial*> mats = mb->handledMaterials(); + if (mats.count()!=1) { + theclass->message("ERROR: No material in button"); + return materialFallback; + } + return mats.at(0); +} + +//____________________________________________________________________ +SoMaterial * TrackSystemController::getMaterialForPDGCode(const int& pdgCode) const +{ + VP1MaterialButton * matbutton(0); + int abspdg = abs(pdgCode); + switch (abspdg) { + case 211: matbutton = m_d->ui_col.matButton_pions; break; + case 11: matbutton = m_d->ui_col.matButton_electrons; break; + case 22: matbutton = m_d->ui_col.matButton_photons; break; + case 13: matbutton = m_d->ui_col.matButton_muons; break; + case 2212: matbutton = m_d->ui_col.matButton_protons; break; + case 2112: matbutton = m_d->ui_col.matButton_neutrons; break; + case 2: return m_d->materialFallback; + //Only use CHARGED kaons here!! + // case 130://k-long + // case 310://k-short + // case 311://k0 + case 321://k+ + // case 313://k*0 + case 323://k*+ + //Fixme: More (charged) kaon states??? + matbutton = m_d->ui_col.matButton_chargedkaons; break; + case 12://nu_e + case 14://nu_mu + case 16://nu_tau + case 18://fourth gen. neutrino: + matbutton = m_d->ui_col.matButton_neutrinos; break; + default: + bool ok; + double charge; + charge = VP1ParticleData:: particleCharge(abspdg,ok); + if (!ok) { + message("WARNING: Could not look up charge of pdg code "+str(abspdg)+". Assuming charged."); + charge = 1.0; + } + if (charge==0.0) + matbutton = m_d->ui_col.matButton_otherneutrals; + else + matbutton = m_d->ui_col.matButton_othercharged; + break; + } + return m_d->getMat(matbutton); +} + +//____________________________________________________________________ +SoMaterial * TrackSystemController::getMaterialForCharge(const double& charge) const +{ + if (charge>0) + return m_d->getMat(m_d->ui_col.matButton_charge_pos); + else if (charge<0) + return m_d->getMat(m_d->ui_col.matButton_charge_neg); + return m_d->getMat(m_d->ui_col.matButton_charge_neutral); +} + +//____________________________________________________________________ +SoMaterial * TrackSystemController::getMaterialForMomentum(const double& absmom) const +{ + static const double low=0*CLHEP::GeV; + static const double high=15*CLHEP::GeV; + if (absmom<=low) + return m_d->getMat(m_d->ui_col.matButton_0GeV); + else if (absmom>=high) + return m_d->getMat(m_d->ui_col.matButton_15GeV); + + if (!m_d->matmixer) + m_d->matmixer = new VP1SoMaterialMixer(systemBase()); + + const double x = (absmom-low)/(high-low); + return m_d->matmixer->getMixedMaterial( m_d->getMat(m_d->ui_col.matButton_0GeV), 1-x, + m_d->getMat(m_d->ui_col.matButton_15GeV), x ); +} + +//____________________________________________________________________ +SoMaterial * TrackSystemController::customMatMeasurements() const +{ + return m_d->getMat(m_d->ui_ascobjs.matButton_measurements); +} + +//____________________________________________________________________ +SoMaterial * TrackSystemController::customMatMeasurementsOutliers() const +{ + return m_d->getMat(m_d->ui_ascobjs.matButton_meas_outliers); +} + +//____________________________________________________________________ +SoMaterial * TrackSystemController::customMatParameters() const +{ + return m_d->getMat(m_d->ui_ascobjs.matButton_parameters); +} + +//____________________________________________________________________ +SoMaterial * TrackSystemController::customMatHoleParameters() const +{ + return m_d->getMat(m_d->ui_ascobjs.matButton_holeParameters); +} + +//____________________________________________________________________ +SoMaterial * TrackSystemController::customMatParameterErrors() const +{ + return m_d->getMat(m_d->ui_ascobjs.matButton_parerrors); +} + +//____________________________________________________________________ +SoMaterial * TrackSystemController::customMatMaterialEffects() const +{ + return m_d->getMat(m_d->ui_ascobjs.matButton_materialeffectsontrack); +} + +//____________________________________________________________________ +SoMaterial * TrackSystemController::customMatSurfaces() const +{ + return m_d->getMat(m_d->ui_ascobjs.matButton_surfaces); +} + +// //____________________________________________________________________ +// void TrackSystemController::updateTrackDrawStyle() +// { +// double val = VP1QtInventorUtils::getValueLineWidthSlider(m_d->ui_col.horizontalSlider_trackWidth); +// if (m_d->trackDrawStyle->lineWidth.getValue()!=val) +// m_d->trackDrawStyle->lineWidth = val; +// } + +// //____________________________________________________________________ +// void TrackSystemController::updateTrackLightModel() +// { +// bool base = m_d->ui_col.checkBox_tracksUseBaseLightModel->isChecked(); +// if (m_d->trackLightModel->model.getValue()!=(base?SoLightModel::BASE_COLOR:SoLightModel::PHONG)) { +// messageVerbose("TrackLightModel changed (base = "+str(base)); +// if (base) +// m_d->trackLightModel->model.setValue(SoLightModel::BASE_COLOR); +// else +// m_d->trackLightModel->model.setValue(SoLightModel::PHONG); +// } +// } + +//____________________________________________________________________ +void TrackSystemController::updateAscObjDrawStyle() +{ + double val_lw = VP1QtInventorUtils::getValueLineWidthSlider(m_d->ui_ascobjs.horizontalSlider_linewidths); + double val_ps = VP1QtInventorUtils::getValuePointSizeSlider(m_d->ui_ascobjs.horizontalSlider_pointsizes); + if (m_d->ascObjDrawStyle->lineWidth.getValue()!=val_lw) + m_d->ascObjDrawStyle->lineWidth = val_lw; + if (m_d->ascObjDrawStyle->pointSize.getValue()!=val_ps) + m_d->ascObjDrawStyle->pointSize = val_ps; +} + + +//____________________________________________________________________ +void TrackSystemController::updateAscObjComplexity() +{ + //choose complexity in interval [0.01,1.0] + const double val = std::min<double>(1.0,std::max<double>(0.0,0.01+0.991* + (m_d->ui_ascobjs.horizontalSlider_complexity->value() + -m_d->ui_ascobjs.horizontalSlider_complexity->minimum())/ + (m_d->ui_ascobjs.horizontalSlider_complexity->maximum()*1.0))); + if (m_d->ascObjComplexity->value.getValue()!=val) + m_d->ascObjComplexity->value.setValue(val); +} + +// //____________________________________________________________________ +// SoDrawStyle * TrackSystemController::trackDrawStyle() const +// { +// return m_d->trackDrawStyle; +// } + +// //____________________________________________________________________ +// SoLightModel * TrackSystemController::trackLightModel() const +// { +// return m_d->trackLightModel; +// } + +//____________________________________________________________________ +SoDrawStyle * TrackSystemController::ascObjDrawStyle() const +{ + return m_d->ascObjDrawStyle; +} + +//____________________________________________________________________ +SoComplexity * TrackSystemController::ascObjComplexity() const +{ + return m_d->ascObjComplexity; +} + +//____________________________________________________________________ +QString TrackSystemController::nameOfNewlyFittedCollections() const +{ + QString name = m_d->ui_int.lineEdit_fittedTrackCollName->text().simplified(); + return name.isEmpty() ? "<noname>" : name; +} + +//____________________________________________________________________ +TrackCommonFlags::TrackPartsFlags TrackSystemController::shownTrackParts() const +{ + TrackCommonFlags::TrackPartsFlags parts = TrackCommonFlags::NoParts; + // if (!m_d->ui_col.checkBox_hideactualpaths->isChecked()) parts |= TrackCommonFlags::ActualPath; + parts |= TrackCommonFlags::ActualPath; // sensible default. + // if (m_d->ui_proj.checkBox_projections_indet->isChecked()) parts |= TrackCommonFlags::InDetProjections; + if (m_d->ui_proj.groupBox_projections_vertex->isChecked()) parts |= TrackCommonFlags::VertexProjections; + return parts; +} + +int TrackSystemController::vertexProjectionAngle() const{ + messageVerbose("angleForVertexPlane"+str(m_d->ui_proj.spinBox_projections_vertex->value())); + + if (!m_d->ui_proj.groupBox_projections_vertex->isChecked()) return -1; + return m_d->ui_proj.spinBox_projections_vertex->value(); +} + +// //____________________________________________________________________ +// double TrackSystemController::trackTubeRadius() const +// { +// return m_d->ui_col.checkBox_trackTubes->isChecked() ? +// m_d->ui_col.doubleSpinBox_trackTubesRadiusMM->value()*CLHEP::mm : 0.0; +// } + +//____________________________________________________________________ +TrackCommonFlags::TSOSPartsFlags TrackSystemController::shownTSOSParts() const +{ + TrackCommonFlags::TSOSPartsFlags f(TrackCommonFlags::TSOS_NoObjects); + if (m_d->ui_ascobjs.groupBox_parameters->isChecked()) + f |= TrackCommonFlags::TSOS_TrackPars; + if (m_d->ui_ascobjs.groupBox_errors->isChecked()&&m_d->ui_ascobjs.checkBox_parametererrors->isChecked()) { + f |= TrackCommonFlags::TSOS_TrackParsErrorsNotPerigee; + if (!m_d->ui_ascobjs.checkBox_parerror_hideperigeeerrors->isChecked()) + f |= TrackCommonFlags::TSOS_TrackParsErrorsPerigee; + } + if (m_d->ui_ascobjs.groupBox_errors->isChecked()&&m_d->ui_ascobjs.checkBox_measurementerrors->isChecked()) { + f |= TrackCommonFlags::TSOS_MeasError; + } + if (m_d->ui_ascobjs.groupBox_measurements->isChecked()) { + f |= TrackCommonFlags::TSOS_AnyMeasRioOnTrack; + f |= TrackCommonFlags::TSOS_AnyMeasCompetingRioOnTrack; + } + if (m_d->ui_ascobjs.groupBox_surfaces->isChecked()) { + f |= TrackCommonFlags::TSOS_SurfacesDetElem; + if (!m_d->ui_ascobjs.checkBox_surfaces_hidecustomsurfaces->isChecked()) + f |= TrackCommonFlags::TSOS_SurfacesCustom; + if (!m_d->ui_ascobjs.checkBox_surfaces_hidetubesurfaces->isChecked()) + f |= TrackCommonFlags::TSOS_TubeSurfaces; + } + if (m_d->ui_ascobjs.groupBox_materialeffectsontrack->isChecked()) { + f |= TrackCommonFlags::TSOS_MaterialEffects; + if (!m_d->ui_ascobjs.checkBox_materialeffectsontrack_hideNoDE->isChecked()) + f |= TrackCommonFlags::TSOS_MaterialEffectsWithNoDeltaE; + } + + return f; +} + +//____________________________________________________________________ +TrackCommonFlags::TSOSPartsFlags TrackSystemController::customColouredTSOSParts() const +{ + TrackCommonFlags::TSOSPartsFlags f(TrackCommonFlags::TSOS_NoObjects); + if (m_d->ui_ascobjs.checkBox_usecolour_measurements->isChecked()) + f |= TrackCommonFlags::TSOS_AnyMeasurementNotOutlier; + if (m_d->ui_ascobjs.checkBox_usecolour_meas_outliers->isChecked()) + f |= TrackCommonFlags::TSOS_AnyMeasurementOutlier; + if (m_d->ui_ascobjs.checkBox_usecolour_parameters->isChecked()) + f |= TrackCommonFlags::TSOS_TrackPars; + if (m_d->ui_ascobjs.checkBox_useHoleColour_parameters->isChecked()) + f |= TrackCommonFlags::TSOS_Hole; + if (m_d->ui_ascobjs.checkBox_usecolour_parametererrors->isChecked()) + f |= TrackCommonFlags::TSOS_AnyParsErrors; + if (m_d->ui_ascobjs.checkBox_usecolour_materialeffectsontrack->isChecked()) + f |= TrackCommonFlags::TSOS_AnyMaterialEffects; + if (m_d->ui_ascobjs.checkBox_usecolour_surfaces->isChecked()) + f |= TrackCommonFlags::TSOS_AnySurface; + + return f; +} + +//____________________________________________________________________ +bool TrackSystemController::hideTubeSurfaces() const +{ + return m_d->ui_ascobjs.checkBox_surfaces_hidetubesurfaces->isChecked(); +} + +//____________________________________________________________________ +bool TrackSystemController::hideCustomSurfaces() const +{ + return m_d->ui_ascobjs.checkBox_surfaces_hidecustomsurfaces->isChecked(); +} + +//____________________________________________________________________ +bool TrackSystemController::drawMeasGlobalPositions() const +{ + return m_d->ui_ascobjs.checkBox_measurements_drawGP->isChecked(); +} + + +//____________________________________________________________________ +double TrackSystemController::measurementsShorttubesScale() const +{ + return std::max(0.1*CLHEP::mm,m_d->ui_ascobjs.doubleSpinBox_measurements_shorttubes_scale->value()*CLHEP::cm); +} + +//____________________________________________________________________ +double TrackSystemController::nStdDevForParamErrors() const +{ + return std::min<double>(1.0e3,std::max<double>(1.0e-3,m_d->ui_ascobjs.doubleSpinBox_parerror_stddev->value())); +} + +//____________________________________________________________________ +bool TrackSystemController::parTubeErrorsDrawCylinders() const +{ + return m_d->ui_ascobjs.checkBox_parerror_drawcylinder->isChecked(); +} + +//____________________________________________________________________ +int TrackSystemController::numberOfPointsOnCircles() const +{ + const int val(m_d->ui_ascobjs.horizontalSlider_complexity->value()); + const int max(m_d->ui_ascobjs.horizontalSlider_complexity->maximum()); + const int min(m_d->ui_ascobjs.horizontalSlider_complexity->minimum()); + //special cases: + if (val==max) + return 80; + else if (val==min) + return 4; + + //roughly 4..32: + const int n(1+static_cast<int>(0.5+7.0*(val-min)/(1.0*max)));//number between 1 and 8 + return std::min<int>(32,std::max<int>(4,4*n)); +} + +//____________________________________________________________________ +double TrackSystemController::materialEffectsOnTrackScale() const +{ + return m_d->ui_ascobjs.horizontalSlider_materialeffectsontrack_scale->value()/5.0; +} + +//____________________________________________________________________ +Trk::IExtrapolator * TrackSystemController::propagator() const +{ + if (!m_d->toolaccesshelper + ||!m_d->ui_extrap.radioButton_athenaExtrapolator->isChecked() + ||m_d->ui_extrap.comboBox_propagator->count()==0) + return 0; + + QString key = m_d->ui_extrap.comboBox_propagator->currentText(); + if (key==Imp::noneAvailString) + return 0; + return key.isEmpty() ? 0 : m_d->toolaccesshelper->getToolPointer<Trk::IExtrapolator>(key); +} + +TrackSystemController::PropagationOptionFlags TrackSystemController::propagationOptions() const{ + PropagationOptionFlags options=TrackSystemController::NoPropOptions; + if (m_d->ui_extrap.checkBox_ignoreMEoT->isChecked()) options |= TrackSystemController::IgnoreMEOT; + if (m_d->ui_extrap.checkBox_extendAllTracks->isChecked()) options |= TrackSystemController::ExtendTrack; + return options; +} + +float TrackSystemController::propMaxRadius() const{ + if (!m_d->ui_extrap.checkBox_maxRadius->isChecked()) return -1.0; + return m_d->ui_extrap.spinBox_maxRadiusValue->value(); +} + +void TrackSystemController::emitExtrapolateToHereChanged(int /**index*/){ + emit extrapolateToThisVolumeChanged(); +} + +bool TrackSystemController::ignoreMeasurementEffectsOnTrackInProp() +{ + return m_d->ui_extrap.checkBox_ignoreMEoT->isChecked(); +} + +//____________________________________________________________________ +Trk::ITrackFitter * TrackSystemController::trackFitter() const +{ + if (!m_d->toolaccesshelper + ||m_d->ui_int.comboBox_fitters->count()==0) + return 0; + + QString key = m_d->ui_int.comboBox_fitters->currentText(); + if (key==Imp::noneAvailString) + return 0; + return key.isEmpty() ? 0 : m_d->toolaccesshelper->getToolPointer<Trk::ITrackFitter>(key); +} + +// ITrackingVolumesSvc * TrackSystemController::trackingVolumeSvc() const +// { +// return m_trackingVolumesSvc.operator->(); +// } + +const Trk::Volume * TrackSystemController::extrapolateToThisVolume() const +{ + if (m_d->ui_extrap.comboBox_extendAllTracksToHere->currentText()=="Calorimeter") + return m_d->calorimeterEntryLayer; + return 0; +} + +//____________________________________________________________________ +TrackCommonFlags::SELECTIONMODE TrackSystemController::selectionMode() const +{ + if (m_d->ui_int.radioButton_selmode_single->isChecked()) + return TrackCommonFlags::SINGLEOBJECT; + else if (m_d->ui_int.radioButton_selmode_multitracks->isChecked()) + return TrackCommonFlags::MULTITRACK; + else if (m_d->ui_int.radioButton_selmode_trackfits->isChecked()) + return TrackCommonFlags::TRACKFIT; + message("selectionMode ERROR: Inconsistency detected."); + return TrackCommonFlags::SINGLEOBJECT; +} + +TrackCommonFlags::FITTERMODE TrackSystemController::fitterMode() const +{ + if (m_d->ui_int.comboBox_fitterMode->currentText()=="Fit PRDs") + return TrackCommonFlags::FROMPRDS; + else if (m_d->ui_int.comboBox_fitterMode->currentText()=="Refit Track") + return TrackCommonFlags::REFITSINGLETRACK; + else if (m_d->ui_int.comboBox_fitterMode->currentText()=="Extend Track with PRDs") + return TrackCommonFlags::EXTENDTRACKWITHPRDS; + else if (m_d->ui_int.comboBox_fitterMode->currentText()=="Combine Two Tracks") + return TrackCommonFlags::COMBINETWOTRACKS; + + message("fitterMode ERROR: Inconsistency detected. Mode not known."); + + return TrackCommonFlags::FROMPRDS; // FIXME! +} + +bool TrackSystemController::fitterRemoveOutliers() const +{ + return m_d->ui_int.checkBox_removeOutliers->isChecked(); +} + +Trk::ParticleHypothesis TrackSystemController::fitterParticleHypthesis() const +{ + if (m_d->ui_int.comboBox_particleHypo->currentText()=="Pion") + return Trk::pion; + else if (m_d->ui_int.comboBox_particleHypo->currentText()=="Non Interacting") + return Trk::nonInteracting; + else if (m_d->ui_int.comboBox_particleHypo->currentText()=="Electron") + return Trk::electron; + else if (m_d->ui_int.comboBox_particleHypo->currentText()=="Muon") + return Trk::muon; + else if (m_d->ui_int.comboBox_particleHypo->currentText()=="Kaon") + return Trk::kaon; + else if (m_d->ui_int.comboBox_particleHypo->currentText()=="Proton") + return Trk::proton; + else if (m_d->ui_int.comboBox_particleHypo->currentText()=="Photon") + return Trk::photon; + + message("fitterMode ERROR: Inconsistency detected. Mode not known."); + return Trk::undefined; // FIXME! +} + +//____________________________________________________________________ +bool TrackSystemController::showTruthAscObjs() const +{ + return m_d->ui_ascobjs.checkBox_truthtracks_display_points->isChecked(); +} + +//____________________________________________________________________ +TrackCommonFlags::DETAILLEVEL TrackSystemController::assocObjDetailLevel() const +{ + if (m_d->ui_ascobjs.comboBox_assocobj_detaillevel->currentText()=="Auto") + return TrackCommonFlags::AUTO; + else if (m_d->ui_ascobjs.comboBox_assocobj_detaillevel->currentText()=="Simple") + return TrackCommonFlags::SIMPLE; + else + return TrackCommonFlags::DETAILED; +} + +void TrackSystemController::vertexCutsAllowed(bool b){ + if (m_d->ui_cuts.checkBox_vertexAssociated->isEnabled()!=b) { + m_d->ui_cuts.checkBox_vertexAssociated->setEnabled(b); + emit cutOnlyVertexAssocTracksChanged(m_d->ui_cuts.checkBox_vertexAssociated->isChecked()); + } +} + +bool TrackSystemController::cutOnlyVertexAssocTracks() const { + if (!m_d->ui_cuts.checkBox_vertexAssociated->isEnabled()) return false; + return m_d->ui_cuts.checkBox_vertexAssociated->isChecked(); +} + + +//____________________________________________________________________ +VP1Interval TrackSystemController::cutAllowedPt() const +{ + if (!m_d->ui_cuts.checkBox_cut_minpt) + return VP1Interval(); + + // will set range to negative if we have momcut=P + // if minCut unset then min=-inf + // if minCut set, and Pt selected, then min=-minCut + // if minCut set, and P selected, then min=-maxCut + // etc + bool isPCut = m_d->ui_cuts.comboBox_momtype->currentText()=="P"; + + const double minFromInterface=m_d->ui_cuts.doubleSpinBox_cut_minpt_gev->value()*CLHEP::GeV; + const double maxFromInterface=m_d->ui_cuts.doubleSpinBox_cut_maxpt_gev->value()*CLHEP::GeV; + + double min=0.0,max=0.0; + if (!isPCut) { + //Pt cut + min = (m_d->ui_cuts.checkBox_cut_minpt->isChecked() ? minFromInterface : -std::numeric_limits<double>::infinity()); + max = (m_d->ui_cuts.checkBox_cut_maxpt->isChecked() ? maxFromInterface : std::numeric_limits<double>::infinity()); + } else { + min = (m_d->ui_cuts.checkBox_cut_maxpt->isChecked() ? -maxFromInterface : -std::numeric_limits<double>::infinity()); + max = (m_d->ui_cuts.checkBox_cut_minpt->isChecked() ? -minFromInterface : std::numeric_limits<double>::infinity()); + } + + //message("cutAllowedPt: min,max="+QString::number(min)+","+QString::number(max)); + + if (max<min) + return VP1Interval(); + + return VP1Interval( min, max );//fixme: closed interval?? +} + +//____________________________________________________________________ +VP1Interval TrackSystemController::cutAllowedEta() const +{ + return m_d->ui_cuts.etaPhiCutWidget->allowedEta(); +} + +//____________________________________________________________________ +QList<VP1Interval> TrackSystemController::cutAllowedPhi() const +{ + return m_d->ui_cuts.etaPhiCutWidget->allowedPhi(); +} + +//____________________________________________________________________ +QList<unsigned> TrackSystemController::cutRequiredNHits() const +{ + unsigned npixel = m_d->ui_cuts.checkBox_cut_nhits_pixel->isChecked() ? m_d->ui_cuts.spinBox_cut_nhits_pixel->value() : 0; + unsigned nsct = m_d->ui_cuts.checkBox_cut_nhits_sct->isChecked() ? m_d->ui_cuts.spinBox_cut_nhits_sct->value() : 0; + unsigned ntrt = m_d->ui_cuts.checkBox_cut_nhits_trt->isChecked() ? m_d->ui_cuts.spinBox_cut_nhits_trt->value() : 0; + unsigned nmuon = m_d->ui_cuts.checkBox_cut_nhits_muon->isChecked() ? m_d->ui_cuts.spinBox_cut_nhits_muon->value() : 0; + unsigned nprecmuon = m_d->ui_cuts.checkBox_cut_nprecisionhits_muon->isChecked() ? m_d->ui_cuts.spinBox_cut_nprecisionhits_muon->value() : 0; + + QList<unsigned> l; + if (!npixel&&!nsct&&!ntrt&&!nmuon&&!nprecmuon) + return l; + l << npixel << nsct << ntrt << nmuon << nprecmuon; + return l; +} + +//____________________________________________________________________ +bool TrackSystemController::cutTruthFromIROnly() const +{ + return m_d->ui_cuts.checkBox_cut_truthtracks_creationvertexinIR->isChecked(); +} + +//____________________________________________________________________ +bool TrackSystemController::cutExcludeBarcodeZero() const +{ + return m_d->ui_cuts.checkBox_cut_truthtracks_excludebarcode0->isChecked(); +} + +//____________________________________________________________________ +bool TrackSystemController::cutTruthExcludeNeutrals() const +{ + return m_d->ui_cuts.checkBox_cut_truthtracks_excludeneutrals->isChecked(); +} + +//____________________________________________________________________ +//Returns false if "none available" +bool TrackSystemController::Imp::updateComboBoxContents(QComboBox*cb,QStringList l,QString& restoredSelection) +{ + //current selection: + QString ct = cb->currentText(); + if (ct==Imp::noneAvailString) + ct = ""; + + bool save = cb->blockSignals(true); + + cb->clear(); + + bool enabled = false; + if (l.isEmpty()) { + cb->addItem(Imp::noneAvailString); + cb->setEnabled(false); + } else { + cb->addItems(l); + + int i = restoredSelection.isEmpty() ? -1 : cb->findText(restoredSelection); + if (i<0) + i = ct.isEmpty() ? -1 : cb->findText(ct); + restoredSelection = ""; + + if (i>=0) { + cb->setCurrentIndex(i); + } else { + //Let's try to pick the default to be VP1Extrapolater over + //AtlasExtrapolater over... whatever (same for fitters): + int i_vp1(-1), i_atlas(-1); + for (int j = 0; j <cb->count();++j) { + if (i_vp1==-1&&cb->itemText(j).contains("vp1",Qt::CaseInsensitive)) + i_vp1 = j; + if (i_atlas==-1&&cb->itemText(j).contains("atlas",Qt::CaseInsensitive)) + i_atlas = j; + } + if (i_vp1>=0) + cb->setCurrentIndex(i_vp1); + else if (i_atlas>=0) + cb->setCurrentIndex(i_atlas); + } + //m_d->ui_extrap.radioButton_athenaExtrapolator->setEnabled(true); + enabled = true; + cb->setEnabled(true); + } + + if (!save) + cb->blockSignals(false); + return enabled; +} + +//____________________________________________________________________ +void TrackSystemController::availableFittersChanged(const QStringList& af) +{ + if (m_d->lastUpdatedAvailableFitters==af) + return; + m_d->lastUpdatedAvailableFitters=af; + m_d->updateComboBoxContents(m_d->ui_int.comboBox_fitters,af,m_d->restoredLastFitter);//remember return val. + m_d->updateFitPRDButtonState(); + + possibleChange_trackFitter(); +} + +//____________________________________________________________________ +void TrackSystemController::availableExtrapolatorsChanged(const QStringList& ae) +{ + if (m_d->lastUpdatedAvailableExtrapolators==ae) + return; + m_d->lastUpdatedAvailableExtrapolators=ae; + + if (!m_d->updateComboBoxContents(m_d->ui_extrap.comboBox_propagator,ae,m_d->restoredLastPropagator)) { + m_d->ui_extrap.radioButton_athenaExtrapolator->setEnabled(false); + bool save1 = m_d->ui_extrap.radioButton_none->blockSignals(true); + bool save2 = m_d->ui_extrap.radioButton_helical->blockSignals(true); + bool save3 = m_d->ui_extrap.radioButton_athenaExtrapolator->blockSignals(true); + m_d->ui_extrap.radioButton_none->setChecked(true);//Fixme: fall back to the helical instead! + m_d->ui_extrap.radioButton_helical->setChecked(false); + m_d->ui_extrap.radioButton_athenaExtrapolator->setChecked(false); + if (!save1) m_d->ui_extrap.radioButton_none->blockSignals(false); + if (!save2) m_d->ui_extrap.radioButton_helical->blockSignals(false); + if (!save3) m_d->ui_extrap.radioButton_athenaExtrapolator->blockSignals(false); + } else { + m_d->ui_extrap.radioButton_athenaExtrapolator->setEnabled(true); + } + + possibleChange_propagator(); +} + +//____________________________________________________________________ +bool TrackSystemController::orientAndZoomOnSingleSelection() const +{ + return m_d->ui_int.checkBox_selsingle_orientzoom->isChecked(); +} + +//____________________________________________________________________ +bool TrackSystemController::printInfoOnSingleSelection() const +{ + return m_d->ui_int.checkBox_selsingle_printinfo->isChecked(); +} + +//____________________________________________________________________ +bool TrackSystemController::printVerboseInfoOnSingleSelection() const +{ + return printInfoOnSingleSelection() && m_d->ui_int.checkBox_selsingle_printinfo_verbose->isChecked(); +} + +//____________________________________________________________________ +bool TrackSystemController::printTotMomentumOnMultiTrackSelection() const +{ + return m_d->ui_int.checkBox_sel_printtotmom->isChecked(); +} + +//____________________________________________________________________ +bool TrackSystemController::showTotMomentumOnMultiTrackSelection() const +{ + return m_d->ui_int.checkBox_sel_showtotmom->isChecked(); +} + +//____________________________________________________________________ +void TrackSystemController::emitRerandomise() +{ + messageVerbose("Emitting rerandomise"); + emit rerandomise(); +} + +//____________________________________________________________________ +void TrackSystemController::emitRefit() +{ + messageVerbose("Emitting refit"); + emit refit(); +} + +//____________________________________________________________________ +void TrackSystemController::Imp::updateFitPRDButtonState() +{ + switch (theclass->fitterMode()) { + case TrackCommonFlags::FROMPRDS: ui_int.pushButton_refit->setEnabled( numberOfSelectedPRDs>=3 && theclass->trackFitter() );break; + case TrackCommonFlags::REFITSINGLETRACK: ui_int.pushButton_refit->setEnabled( numberOfSelectedTracks>=1 && theclass->trackFitter() );break; + case TrackCommonFlags::EXTENDTRACKWITHPRDS: ui_int.pushButton_refit->setEnabled( numberOfSelectedTracks>=1 && numberOfSelectedPRDs>=1 && theclass->trackFitter() );break; + case TrackCommonFlags::COMBINETWOTRACKS: ui_int.pushButton_refit->setEnabled( numberOfSelectedTracks==2 && theclass->trackFitter() );break; + } +} + +//____________________________________________________________________ +void TrackSystemController::setNumberOfSelectedPRDsAndTracks(unsigned prds, unsigned trks) +{ + if (m_d->numberOfSelectedPRDs==prds && m_d->numberOfSelectedTracks==trks) + return; + m_d->numberOfSelectedPRDs=prds; + m_d->numberOfSelectedTracks=trks; + + switch (fitterMode()) { + case TrackCommonFlags::FROMPRDS: m_d->ui_int.pushButton_refit->setText("Fit track from "+str(prds)+" PRDs");break; + case TrackCommonFlags::REFITSINGLETRACK: m_d->ui_int.pushButton_refit->setText("Fit track");break; + case TrackCommonFlags::EXTENDTRACKWITHPRDS: m_d->ui_int.pushButton_refit->setText("Extend track with "+str(prds)+" PRDs");break; + case TrackCommonFlags::COMBINETWOTRACKS: m_d->ui_int.pushButton_refit->setText("Combine");break; + } + + + // FIXME Need to redo this method so that it can handle all fitter modes + + m_d->updateFitPRDButtonState(); +} + +void TrackSystemController::updateFitPRDButtonState(){ + messageVerbose("updateFitPRDButtonState"); + + switch (fitterMode()) { + case TrackCommonFlags::FROMPRDS: m_d->ui_int.pushButton_refit->setText("Fit track from "+str(m_d->numberOfSelectedPRDs)+" PRDs");break; + case TrackCommonFlags::REFITSINGLETRACK: m_d->ui_int.pushButton_refit->setText("Fit track");break; + case TrackCommonFlags::EXTENDTRACKWITHPRDS: m_d->ui_int.pushButton_refit->setText("Extend track with "+str(m_d->numberOfSelectedPRDs)+" PRDs");break; + case TrackCommonFlags::COMBINETWOTRACKS: m_d->ui_int.pushButton_refit->setText("Combine");break; + } + + m_d->updateFitPRDButtonState(); +} + +QTreeWidget* TrackSystemController::trackObjBrowser() const +{ + return m_d->objBrowserWidget; +} + +TrackSysCommonData * TrackSystemController::common() const { + return m_d->common; +} +void TrackSystemController::setCommonData(TrackSysCommonData * common){ + m_d->common=common; +} + +void TrackSystemController::objectBrowserClicked(QTreeWidgetItem * item, int){ + messageVerbose("objectBrowserClicked for "+item->text(0)); + + VP1TrackSystem* sys = dynamic_cast<VP1TrackSystem*>(systemBase()); + if (!sys){ + messageVerbose("TrackSystemController::objectBrowserClicked: Couldn't get VP1TrackSystem pointer"); + return; + } + + //sys->deselectAll(); // FIXME. necessary? + + SoNode* node = common()->node(item); + if (node) { + // okay, have track + SoCooperativeSelection * sel = sys->selTracks(); + sel->select(node); + } else { + // maybe it's a TSOS? Check first that it has a parent + if (item->parent()) node = common()->node(item->parent()); + if ( !node && item->parent()->parent() ) node = common()->node(item->parent()->parent()); // Try one more up (ugly, but shouldn't ever be deeper than this) + if (node) { + // yes, so now get index within track, as we can hopefully use this to find the AscObj_TSOS + unsigned int index = item->parent()->indexOfChild(item);// should correspond to the TSOS number + messageVerbose("TrackSystemController::objectBrowserClicked: item has index of "+QString::number(index)); + TrackHandle_TrkTrack* trkHandle = dynamic_cast<TrackHandle_TrkTrack*>(common()->trackHandle(node)); + if (trkHandle && trkHandle->trkTrackPointer()) { + if (index<trkHandle->trkTrackPointer()->trackStateOnSurfaces()->size() ){ + // in range + const Trk::TrackStateOnSurface* tsos = (*trkHandle->trkTrackPointer()->trackStateOnSurfaces())[index]; + // now find matching AscObj_TSOS + QList<AssociatedObjectHandleBase*> list = trkHandle->getVisibleMeasurements(); + for (int i = 0; i < list.size(); ++i) { + messageVerbose("TrackSystemController::objectBrowserClicked: checking ASC "+QString::number(i)); + + AscObj_TSOS* asc = dynamic_cast<AscObj_TSOS*>(list.at(i)); + if (asc && asc->trackStateOnSurface()==tsos) { + messageVerbose("TrackSystemController::objectBrowserClicked: this ASC matches "+QString::number(i)); + //asc->zoomView(); + common()->ascObjSelectionManager()->pretendUserClicked(asc); + } else { + messageVerbose("TrackSystemController::objectBrowserClicked: no matching Asc found"); + } + } // for loop + } else { + messageVerbose("TrackSystemController::objectBrowserClicked: index of "+QString::number(index)+" is greater than number of TSOSes:"+QString::number(trkHandle->trkTrackPointer()->trackStateOnSurfaces()->size())); + } + } + } else { + messageVerbose("TrackSystemController::objectBrowserClicked: Couldn't get node pointer. Maybe object not visible?"); + } + } + + + // if (selTrack){ + // SoCooperativeSelection * sel = sys->selTracks(); + // sel->select(node); + // } else { + // common()->ascObjSelectionManager()->pretendUserClicked(); + // } + // + // SoCooperativeSelection * sel = sys->selTracks(); + // SoCooperativeSelection * selAsc = dynamic_cast<SoCooperativeSelection*>(common()->ascObjSelectionManager()->getAscObjAttachSep()); + // SoSeparator* eventRoot = common()->ascObjSelectionManager()->eventRoot(); + // + // SoSearchAction mySearchAction; + // mySearchAction.setNode(node); + // // SoSeparator* eventRoot = common()->ascObjSelectionManager()->eventRoot(); + // mySearchAction.apply(eventRoot); + // SoPath* path=mySearchAction.getPath(); + // if ( !path ) { + // messageVerbose("TrackSystemController::objectBrowserClicked: Couldn't get SoPath"); + // return; + // } else { + // messageVerbose("TrackSystemController::objectBrowserClicked: got SoPath. Will now try to select."); + // messageVerbose("pathlength="+QString::number(path->getLength())); + // } + // + // //sel->select(path); //Doesn't work. + // // messageVerbose("findpath="+QString::number(sel->findPath(path))); + // sel->select(node); // Doesn't work. + // if (sel->getNumSelected()==0){ + // messageVerbose("TrackSystemController::objectBrowserClicked: Couldn't select. Trying with ASC sel node."); + // + // selAsc->select(node); + // if (selAsc->getNumSelected()==0){ + // messageVerbose("TrackSystemController::objectBrowserClicked: Couldn't select. Trying with ASC sel using path."); + // + // selAsc->select(path); + // } + // } + // // messageVerbose("findpath="+QString::number(sel->findPath(path))); + // + // // sel->touch(); + // messageVerbose("numselected="+QString::number(sel->getNumSelected())); + + // path->unref(); +} + +std::vector<double> TrackSystemController::alignmentShiftValue() +{ + std::vector<double> values(6,0.0); + values[0]=m_d->ui_shiftmuonchambers.doubleSpinBox_tra_s->value(); + values[1]=m_d->ui_shiftmuonchambers.doubleSpinBox_tra_z->value(); + values[2]=m_d->ui_shiftmuonchambers.doubleSpinBox_tra_t->value(); + values[3]=m_d->ui_shiftmuonchambers.doubleSpinBox_rot_s->value(); + values[4]=m_d->ui_shiftmuonchambers.doubleSpinBox_rot_z->value(); + values[5]=m_d->ui_shiftmuonchambers.doubleSpinBox_rot_t->value(); + return values; +} +int TrackSystemController::alignmentShiftLevel() +{ + if (m_d->ui_shiftmuonchambers.comboBox_level->currentText()=="Level 0") + return 0; + else if (m_d->ui_shiftmuonchambers.comboBox_level->currentText()=="Level 1") + return 1; + else if (m_d->ui_shiftmuonchambers.comboBox_level->currentText()=="Level 2") + return 2; + else if (m_d->ui_shiftmuonchambers.comboBox_level->currentText()=="Level 3") + return 3; + return 0; +} + +bool TrackSystemController::doTrackLabels() +{ + return m_d->ui_col.groupBox_labels->isChecked(); +} + +float TrackSystemController::trackLabelTrkOffset() +{ + return static_cast<float>(m_d->ui_col.horizontalSlider_labels_trkOffset->value())/static_cast<float>(m_d->ui_col.horizontalSlider_labels_trkOffset->maximum()); +} + +QList<int> TrackSystemController::trackLabelPosOffset() +{ + QList<int> values; + values << m_d->ui_col.horizontalSlider_labels_xOffset->value(); + values << m_d->ui_col.horizontalSlider_labels_yOffset->value(); + values << m_d->ui_col.horizontalSlider_labels_zOffset->value(); + return values; +} + +int TrackSystemController::labelXOffset() +{ + return m_d->ui_col.horizontalSlider_labels_xOffset->value(); +} + +int TrackSystemController::labelYOffset() +{ + return m_d->ui_col.horizontalSlider_labels_yOffset->value(); +} + +int TrackSystemController::labelZOffset() +{ + return m_d->ui_col.horizontalSlider_labels_zOffset->value(); +} + +TrackSystemController::TrackLabelModes TrackSystemController::trackLabels(){ + if (!m_d->ui_col.groupBox_labels->isChecked()) + return TrackSystemController::NoLabels; + + TrackLabelModes labels=TrackSystemController::NoLabels; + if (m_d->ui_col.checkBox_trkLabels_p->isChecked()) labels |= TrackSystemController::P; + if (m_d->ui_col.checkBox_trkLabels_Pt->isChecked()) labels |= TrackSystemController::Pt; + if (m_d->ui_col.checkBox_trkLabels_direction->isChecked()) labels |= TrackSystemController::Direction; + if (m_d->ui_col.checkBox_trkLabels_pid->isChecked()) labels |= TrackSystemController::Pid; + if (m_d->ui_col.checkBox_trkLabels_hits->isChecked()) labels |= TrackSystemController::Hits; + if (m_d->ui_col.checkBox_trkLabels_fitQuality->isChecked()) labels |= TrackSystemController::FitQuality; + return labels; +} + +/////////////////////////////////////////////////////////////////////////// +// Test for possible changes in values and emit signals as appropriate: +// (possibleChange_XXX() slots code provided by macros) +#define VP1CONTROLLERCLASSNAME TrackSystemController +#include "VP1Base/VP1ControllerMacros.h" +POSSIBLECHANGE_IMP(shownTrackParts) +POSSIBLECHANGE_IMP(vertexProjectionAngle) +// POSSIBLECHANGE_IMP(trackTubeRadius) +POSSIBLECHANGE_IMP(trackLabels) +POSSIBLECHANGE_IMP(trackLabelTrkOffset) +POSSIBLECHANGE_IMP(trackLabelPosOffset) +POSSIBLECHANGE_IMP(shownTSOSParts) +POSSIBLECHANGE_IMP(customColouredTSOSParts) +POSSIBLECHANGE_IMP(drawMeasGlobalPositions) +POSSIBLECHANGE_IMP(measurementsShorttubesScale) +POSSIBLECHANGE_IMP(nStdDevForParamErrors) +POSSIBLECHANGE_IMP(parTubeErrorsDrawCylinders) +POSSIBLECHANGE_IMP(numberOfPointsOnCircles) +POSSIBLECHANGE_IMP(materialEffectsOnTrackScale) +POSSIBLECHANGE_IMP(propagator) +POSSIBLECHANGE_IMP(propagationOptions) +POSSIBLECHANGE_IMP(propMaxRadius) +POSSIBLECHANGE_IMP(trackFitter) +POSSIBLECHANGE_IMP(selectionMode) +POSSIBLECHANGE_IMP(showTruthAscObjs) +POSSIBLECHANGE_IMP(assocObjDetailLevel) +POSSIBLECHANGE_IMP(cutAllowedPt) +POSSIBLECHANGE_IMP(cutAllowedEta) +POSSIBLECHANGE_IMP(cutAllowedPhi) +POSSIBLECHANGE_IMP(cutRequiredNHits) +POSSIBLECHANGE_IMP(cutTruthFromIROnly) +POSSIBLECHANGE_IMP(cutExcludeBarcodeZero) +POSSIBLECHANGE_IMP(cutTruthExcludeNeutrals) +POSSIBLECHANGE_IMP(cutOnlyVertexAssocTracks) +POSSIBLECHANGE_IMP(showTotMomentumOnMultiTrackSelection) diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackTypes.cxx b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackTypes.cxx new file mode 100644 index 0000000000000000000000000000000000000000..371a5b0390856feb7e58c274f63f5aa1081f365d --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrackTypes.cxx @@ -0,0 +1,124 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#include "VTI12TrackSystems/TrackTypes.h" + +//______________________________________________ +qint32 TrackType::typeToInt(const Type&t) +{ + switch (t) { + case TrkTrack: return 0; + case TrackParticle: return 1; + case TruthTrack: return 3; + case FatrasTruthTrack: return 4; + case TrkSegment: return 5; + case RefittedTrack: return 6; + case AnalysisObject: return 7; + case xAOD: return 9; + case Unknown: return 10; + default: return -1; + } +} + +//______________________________________________ +TrackType::Type TrackType::intToType(const qint32& i) +{ + switch (i) { + case 0: return TrkTrack; + case 1: return TrackParticle; + case 3: return TruthTrack; + case 4: return FatrasTruthTrack; + case 5: return TrkSegment; + case 6: return RefittedTrack; + case 7: return AnalysisObject; + case 9: return xAOD; + case 10: return Unknown; + default: return Unknown; + } +} + +//______________________________________________ +QString TrackType::typeToString(const Type& t) +{ + switch (t) { + case TrkTrack: return "TrkTrack"; + case TrackParticle: return "TrackParticle"; + case TruthTrack: return "TruthTrack"; + case FatrasTruthTrack: return "FatrasTruthTrack"; + case RefittedTrack: return "RefittedTrack"; + case TrkSegment: return "TrkSegment"; + case AnalysisObject: return "AnalysisObject"; + case xAOD: return "xAOD"; + case Unknown: return "Unknown"; + default: return "ERROR"; + } +} + +//______________________________________________ +TrackType::Type TrackType::stringToType(const QString&str, bool & status) +{ + status = true; + if (str=="TrkTrack") return TrkTrack; + if (str=="TrackParticle") return TrackParticle; + if (str=="TruthTrack") return TruthTrack; + if (str=="FatrasTruthTrack") return FatrasTruthTrack; + if (str=="RefittedTrack") return RefittedTrack; + if (str=="TrkSegment") return TrkSegment; + if (str=="AnalysisObject") return AnalysisObject; + if (str=="xAOD") return xAOD; + if (str=="Unknown") return Unknown; + status = false; + return Unknown; +} + +//______________________________________________ +QString TrackType::typeToSectionHeader(const Type& t) +{ + switch (t) { + case TrkTrack: return "Detailed Tracks"; + case TrackParticle: return "Track Particles"; + case TruthTrack: return "Truth Tracks"; + case FatrasTruthTrack: return "Fatras Truth Tracks"; + case RefittedTrack: return "Refitted Tracks"; + case TrkSegment: return "Track Segments"; + case AnalysisObject: return "Analysis Objects"; + case xAOD: return "xAOD"; + case Unknown: return "Unknown"; + default: return "Error"; + } +} + +//______________________________________________ +TrackType::Type TrackType::sectionHeaderToType(const QString&str, bool & status) +{ + status = true; + if (str=="Detailed Tracks") return TrkTrack; + if (str=="Track Particles") return TrackParticle; + if (str=="Truth Tracks") return TruthTrack; + if (str=="Fatras Truth Tracks") return FatrasTruthTrack; + if (str=="Refitted Tracks") return RefittedTrack; + if (str=="Track Segments") return TrkSegment; + if (str=="Analysis Objects") return AnalysisObject; + if (str=="xAOD") return xAOD; + if (str=="Unknown") return Unknown; + status = false; + return Unknown; +} + +//______________________________________________ +QString TrackType::typeToSectionHeaderToolTip(const Type& t) +{ + switch (t) { + case TrkTrack: return "Trk::Track's (detailed track objects as output by reconstruction)"; + case TrackParticle: return "TrackParticle's (summarized track objects, typically found in AOD's)"; + case TruthTrack: return "Truth Tracks (truth tracks, determined by combining the HepMC event record with simulation hits)"; + case FatrasTruthTrack: return "Fatras Truth Tracks (detailed track objects, but constructed directly by Fatras rather than being the output of reconstruction)"; + case RefittedTrack: return "Trk::Track's resulting from interactive refits within VP1"; + case TrkSegment: return "Track Segments (track parts found in a single muon chamber or ID part. These are usually input to higher level global track reconstruction algorithms)"; + case AnalysisObject: return "AOD Analysis Objects (high level reconstruction objects, such as Muons, egamma etc)"; + case xAOD: return "xAOD Analysis Objects (high level reconstruction objects, such as Muons, egamma etc)"; + case Unknown: return "Unknown"; + default: return "Error"; + } +} diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrkObjToString.cxx b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrkObjToString.cxx new file mode 100644 index 0000000000000000000000000000000000000000..cbe97286d0d39396387c4252ce4dae16c72f1450 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/TrkObjToString.cxx @@ -0,0 +1,424 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#include "VTI12TrackSystems/TrkObjToString.h" +#include "VP1Base/VP1Msg.h" + +//Parameters +#include "TrkParameters/TrackParameters.h" + +//DetectorElements +#include "ScintReadoutGeometry/ScintDetectorElement.h" +// #include "InDetReadoutGeometry/SiDetectorElement.h" + +//MeasurementBase +#include "TrkMeasurementBase/MeasurementBase.h" + +//ROTs +#include "TrkRIO_OnTrack/RIO_OnTrack.h" +// #include "InDetRIO_OnTrack/PixelClusterOnTrack.h" +// #include "InDetRIO_OnTrack/SCT_ClusterOnTrack.h" +// #include "InDetRIO_OnTrack/TRT_DriftCircleOnTrack.h" +// #include "InDetRIO_OnTrack/SiClusterOnTrack.h" + +//CompetingROTs +#include "TrkCompetingRIOsOnTrack/CompetingRIOsOnTrack.h" + +//Pseudo Measurements +#include "TrkPseudoMeasurementOnTrack/PseudoMeasurementOnTrack.h" + +//Segments +#include "TrkSegment/Segment.h" + +// PRDs +// #include "InDetPrepRawData/PixelCluster.h" +// #include "InDetPrepRawData/SCT_Cluster.h" +// #include "InDetPrepRawData/TRT_DriftCircle.h" + +//TrkMaterialOnTrack +#include "TrkMaterialOnTrack/MaterialEffectsOnTrack.h" +#include "TrkMaterialOnTrack/EnergyLoss.h" +#include "TrkMaterialOnTrack/MaterialEffectsBase.h" +#include "TrkMaterialOnTrack/EstimatedBremOnTrack.h" +#include "TrkMaterialOnTrack/ScatteringAngles.h" + +TrkObjToString::MeasurementType +TrkObjToString::type(const Trk::PrepRawData* /*prd*/) +{ + // if (dynamic_cast<const InDet::PixelCluster*> (prd)) + // {return TrkObjToString::Pixel;} + // if (dynamic_cast<const InDet::SCT_Cluster*> (prd)) + // {return TrkObjToString::SCT;} + + return TrkObjToString::Unknown; // Couldn't cast ROT to anything known +} + +TrkObjToString::MeasurementType +TrkObjToString::type(const Trk::MeasurementBase* meas) +{ + if (dynamic_cast<const Trk::RIO_OnTrack*>(meas)){ + // ROTS + // if (dynamic_cast<const InDet::PixelClusterOnTrack*> (meas)) + // {return TrkObjToString::Pixel;} + // if (dynamic_cast<const InDet::SCT_ClusterOnTrack*> (meas)) + // {return TrkObjToString::SCT;} + } else { + // Other types + if (dynamic_cast<const Trk::CompetingRIOsOnTrack*>(meas) ) + {return TrkObjToString::CompetingROT;} + if (dynamic_cast<const Trk::PseudoMeasurementOnTrack*>(meas) ) + {return TrkObjToString::PseudoMeasurement;} + if (dynamic_cast<const Trk::Segment*>(meas) ) + {return TrkObjToString::Segment;} + } + return TrkObjToString::Unknown; // Couldn't cast ROT to anything known +} + +TrkObjToString::MeasurementType +TrkObjToString::type(const Trk::TrkDetElementBase* /*detEl*/){ + // const InDetDD::SiDetectorElement* siDetEl = dynamic_cast<const InDetDD::SiDetectorElement*> (detEl); + // if (siDetEl){ + // if (siDetEl->isSCT()) {return TrkObjToString::SCT;} + // } + return TrkObjToString::Unknown; // Couldn't cast ROT to anything known +} + +QString TrkObjToString::name(const Trk::MeasurementBase& mb) +{ + MeasurementType tmptype = type(&mb); + std::string tmpname = typeName( tmptype ); + + if (tmptype==CompetingROT) { + const Trk::CompetingRIOsOnTrack* crot = dynamic_cast<const Trk::CompetingRIOsOnTrack *>(&mb); + if (!crot) return QString("Error!"); + tmpname+=" ["; + switch (type (&crot->rioOnTrack(crot->indexOfMaxAssignProb() ) ) ){ + // case Pixel: { tmpname+="Pix"; break; } + case SCT: { tmpname+="SCT"; break; } + case Hole: + case CompetingROT: + case PseudoMeasurement: + case Segment: + case Unknown: + { + tmpname+="Error!"; + break; + } + } + tmpname+="]"; + } + + return QString(tmpname.c_str()); +} + +QString +TrkObjToString::name(const Trk::TrackParameters& tp){ + QString name; + if (tp.covariance()) name="Measured"; + if (dynamic_cast<const Trk::Perigee*>(&tp)) name+="Perigee"; + if (dynamic_cast<const Trk::AtaPlane*>(&tp)) name+="AtaPlane"; + if (dynamic_cast<const Trk::AtaCylinder*>(&tp)) name+="AtaCylinder"; + if (dynamic_cast<const Trk::AtaStraightLine*>(&tp)) name+="AtaStraightLine"; + if (dynamic_cast<const Trk::AtaDisc*>(&tp)) name="AtaDisc"; + if (dynamic_cast<const Trk::AtaCone*>(&tp)) name="AtaCone"; + if (dynamic_cast<const Trk::CurvilinearParameters*>(&tp)) name="Curvilinear"; + if (name=="") std::cout<<"Unknown type of parameter"<<tp<<std::endl; + return name+=QString(" Parameters"); +} + +QString +TrkObjToString::name(const Trk::MaterialEffectsBase& mb){ + QString name("Unknown"); + if (dynamic_cast<const Trk::MaterialEffectsOnTrack*>(&mb)) name="MaterialEffectsOnTrack"; + if (dynamic_cast<const Trk::EstimatedBremOnTrack*>(&mb)) name="EstimatedBremOnTrack"; + return name; +} + +QString +TrkObjToString::name(const Trk::FitQuality& /**mb*/){ + return QString("FitQuality"); +} + +QString +TrkObjToString::shortInfo(const Trk::MeasurementBase& mb) +{ + MeasurementType tmptype = type(&mb); + QString info; + switch (tmptype){ + case SCT: + case Hole: + { + addBaseROTInfo(info,mb); + break; + } + case CompetingROT: + { + info+="Contains "; + const Trk::CompetingRIOsOnTrack* tmpCROT = dynamic_cast<const Trk::CompetingRIOsOnTrack*>(&mb); + if (tmpCROT){ + info+=QString::number(tmpCROT->numberOfContainedROTs()); + info+=QString::number(tmpCROT->numberOfContainedROTs()); + info+=" ROTs"; + } + break; + } + case PseudoMeasurement: + case Segment: + case Unknown: + { + info+="Not yet implemented."; + break; + } + } + return info; +} + +void +TrkObjToString::addBaseROTInfo(QString& info, const Trk::MeasurementBase& mb) +{ + info.append("Local: ("); + info.append( QString::number(mb.localParameters ()[Trk::loc1] ) ); + if (mb.localParameters ().dimension()==2 ) { + info.append(", "); + info.append( QString::number(mb.localParameters ()[Trk::loc2] ) ); + } + info.append(")."); +} + +QString +TrkObjToString::shortInfo(const Trk::TrackParameters& tp){ + const Amg::Vector2D & locPos= tp.localPosition (); + QString info ("Local: ("); + info+= QString::number(locPos[Trk::loc1] ); + info+=", "; + info+= QString::number(locPos[Trk::loc2] ); + info+=") [CLHEP::mm], P="; + info+=VP1Msg::str(tp.momentum()/CLHEP::MeV); + info+=" [MeV], |P|="+VP1Msg::str(tp.momentum().mag()/CLHEP::GeV); + info+=" [GeV], |Pt|="+VP1Msg::str(tp.momentum().perp()/CLHEP::GeV); + info+=" [GeV]"; + + return info; +} + +QString +TrkObjToString::shortInfo(const Trk::MaterialEffectsBase& me){ + QString info; + + const Trk::MaterialEffectsOnTrack* meot = dynamic_cast<const Trk::MaterialEffectsOnTrack*>(&me); + const Trk::EstimatedBremOnTrack* ebot = dynamic_cast<const Trk::EstimatedBremOnTrack*>(&me); + if (meot) { + if (meot->energyLoss()) + { + info.append("Energy loss [MeV]: "); + if (meot->energyLoss()->sigmaPlusDeltaE()==meot->energyLoss()->sigmaMinusDeltaE()){ + info+=QString::number(meot->energyLoss()->deltaE()/CLHEP::MeV); + info.append(" +/- "); + info+=QString::number(meot->energyLoss()->sigmaPlusDeltaE()/CLHEP::MeV); + } else { + info+=QString::number(meot->energyLoss()->deltaE()/CLHEP::MeV); + info.append(" +/- "); + info+=QString::number(meot->energyLoss()->sigmaPlusDeltaE()/CLHEP::MeV); + info+="/"; + info+=QString::number(meot->energyLoss()->sigmaMinusDeltaE()/CLHEP::MeV); + } + } + if (meot->scatteringAngles()) + { + if (meot->energyLoss()) info.append(", "); + info.append("Delta phi: ("); + info+=QString::number(meot->scatteringAngles()->deltaPhi()); + info.append(" +/- "); + info+=QString::number(meot->scatteringAngles()->sigmaDeltaPhi()); + info.append("), Delta theta: ("); + info+=QString::number(meot->scatteringAngles()->deltaTheta()); + info.append(" +/- "); + info+=QString::number(meot->scatteringAngles()->sigmaDeltaTheta()); + info.append(")"); + } + } else if (ebot) { + info="Not yet implemented."; + } else { + info="Not known!"; + } + return info; +} + +QString +TrkObjToString::shortInfo(const Trk::FitQuality& fqos){ + QString info("(Chi^2, DOF)=("); + info+=QString::number(fqos.chiSquared()); + info.append(", "); + info+=QString::number(fqos.numberDoF()); + info.append(")"); + return info; +} + +QStringList +TrkObjToString::fullInfo(const Trk::TrackParameters& tp) +{ + const Amg::Vector2D & locPos= tp.localPosition (); + QStringList info ("Local"); + info+= "("+QString::number(locPos[Trk::loc1] ) +", "+ QString::number(locPos[Trk::loc2] )+") [CLHEP::mm]"; + info+="Momentum"; + info+=VP1Msg::str(tp.momentum()/CLHEP::MeV)+" [MeV], |P|=("+VP1Msg::str(tp.momentum().mag()/CLHEP::GeV)+") [GeV], |Pt|=(" + +VP1Msg::str(tp.momentum().perp()/CLHEP::GeV)+") [GeV]"; + info+="Parameters"; + QString parameters="("; + for (int i = 0; i< tp.parameters().rows(); i++){ + parameters+=VP1Msg::str((tp.parameters())[i]); + if (i<(tp.parameters().rows()-1)) parameters+=", "; + } + info+=parameters+")"; + return info; +} + +QStringList +TrkObjToString::fullInfo(const Trk::FitQuality& fqos){ + QStringList info("Chi^2"); + info+=QString::number(fqos.chiSquared()); + info+="NDF"; + info+=QString::number(fqos.numberDoF()) ; + return info; +} + +QStringList +TrkObjToString::fullInfo(const Trk::MaterialEffectsBase& me){ + QStringList info; + + const Trk::MaterialEffectsOnTrack* meot = dynamic_cast<const Trk::MaterialEffectsOnTrack*>(&me); + const Trk::EstimatedBremOnTrack* ebot = dynamic_cast<const Trk::EstimatedBremOnTrack*>(&me); + if (meot) { + if (meot->energyLoss()) + { + info.append("Energy loss"); + if (meot->energyLoss()->sigmaPlusDeltaE()==meot->energyLoss()->sigmaMinusDeltaE()){ + info+=QString::number(meot->energyLoss()->deltaE()/CLHEP::MeV)+QString(" +/- ")+QString::number(meot->energyLoss()->sigmaPlusDeltaE()/CLHEP::MeV)+QString(" [MeV]"); + } else { + info+=QString::number(meot->energyLoss()->deltaE()/CLHEP::MeV)+QString(" +/- ") + +QString::number(meot->energyLoss()->sigmaPlusDeltaE()/CLHEP::MeV)+QString("/")+QString::number(meot->energyLoss()->sigmaMinusDeltaE()/CLHEP::MeV) + +QString(" [MeV]"); + } + } + if (meot->scatteringAngles()) + { + info.append("Delta phi"); + info+=QString::number(meot->scatteringAngles()->deltaPhi())+QString(" +/- ")+QString::number(meot->scatteringAngles()->sigmaDeltaPhi()); + info+="Delta theta"; + info+=QString::number(meot->scatteringAngles()->deltaTheta())+QString(" +/- ")+QString::number(meot->scatteringAngles()->sigmaDeltaTheta()); + } + } else if (ebot) { + info+="Not yet implemented."; + info+=""; + } else { + info+="Not known!"; + info+=""; + } + return info; +} + +QStringList +TrkObjToString::fullInfo(const Trk::MeasurementBase& meas) +{ + + QStringList info ("Local"); + + QString posInfo = QString("(") + QString::number(meas.localParameters ()[Trk::loc1]) ; + if (meas.localParameters ().dimension()==2 ) { + posInfo.append(", "); + posInfo.append( QString::number(meas.localParameters ()[Trk::loc2] ) ); + } + posInfo.append(") [CLHEP::mm]"); + info+= posInfo; + + const Amg::MatrixX& err = meas.localCovariance(); + info+="Error"; + + int dim= err.rows(); + QString errInfo=QString("(") + QString::number(err(0,0)); + if (dim==1){ + errInfo+=")"; + info+=errInfo; + + } else { + // assuming 2-dim! + errInfo+=","; + errInfo+=QString::number(err(0,1)); + info+=errInfo; + //row 2 + info+=QString(""); + info+=(QString("(") + QString::number(err(1,0))+QString(",")+QString::number(err(1,1))+QString(")")); + } + + // Okay, now let's get specific! + const Trk::RIO_OnTrack* rot = dynamic_cast<const Trk::RIO_OnTrack*>(&meas); + if (rot) addFullInfo(info,rot); + + const Trk::CompetingRIOsOnTrack* crot= dynamic_cast<const Trk::CompetingRIOsOnTrack*>(&meas); + if (crot) addFullInfo(info,crot); + + const Trk::PseudoMeasurementOnTrack* pmeas= dynamic_cast<const Trk::PseudoMeasurementOnTrack*>(&meas); + if (pmeas) addFullInfo(info,pmeas); + + const Trk::Segment* seg= dynamic_cast<const Trk::Segment*>(&meas); + if (seg) addFullInfo(info,seg); + + return info; +} + +void +TrkObjToString::addFullInfo(QStringList& info, const Trk::RIO_OnTrack* rot){ + // ROTS + info+="Identifier"; + info+=QString::number(rot->identify().get_compact()); + info+="Local"; + QString locParams="("+QString::number(rot->localParameters ()[Trk::loc1] ); + if (rot->localParameters ().dimension()==2 ) { + locParams.append(", "); + locParams.append( QString::number(rot->localParameters ()[Trk::loc2] ) ); + } + locParams.append(")"); + info+=locParams; + // const InDet::PixelClusterOnTrack* pix =dynamic_cast<const InDet::PixelClusterOnTrack*> (rot); + // if (pix) { + // info+="Cluster Ambiguity"; + // info+=pix->hasClusterAmbiguity () ? "True": "False"; + // info+="Fake"; + // info+=pix->isFake () ? "True": "False"; + // info+="Energy Loss"; + // info+=QString::number(pix->energyLoss ())+QString(" [Mev]"); + // return; + // } + + // const InDet::SCT_ClusterOnTrack* sct =dynamic_cast<const InDet::SCT_ClusterOnTrack*> (rot); + // if (sct) { + // //Nothing yet + // return; + // } + +} + +void +TrkObjToString::addFullInfo(QStringList& info, const Trk::CompetingRIOsOnTrack* crot) +{ + info+="Contains IDs"; + unsigned int nrio = crot->numberOfContainedROTs(); + QString rots; + for (unsigned int n = 0; n < nrio; n++) + { + rots+=QString::number(crot->rioOnTrack(n).identify().get_compact()); + if (n<(nrio-1)) rots+=", "; + } + info+=rots; +} + +void +TrkObjToString::addFullInfo(QStringList& /**info*/, const Trk::PseudoMeasurementOnTrack*) +{ +} + +void +TrkObjToString::addFullInfo(QStringList& /**info*/, const Trk::Segment*) +{ +} diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/VP1TrackSanity.cxx b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/VP1TrackSanity.cxx new file mode 100644 index 0000000000000000000000000000000000000000..73b1d6ef07c7ea801f8f064dbe243ce8fdfd8abf --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/VP1TrackSanity.cxx @@ -0,0 +1,109 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class VP1TrackSanity // +// // +// Authors: Edward Moyse (Edward.Moyse@cern.ch) // +// Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: March 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12TrackSystems/VP1TrackSanity.h" +#include "VTI12Utils/VP1DetInfo.h" +#include "TrkTrack/Track.h" +#include "TrkTrack/TrackStateOnSurface.h" +#include "TrkMeasurementBase/MeasurementBase.h" +#include "TrkRIO_OnTrack/RIO_OnTrack.h" +#include "TrkPrepRawData/PrepRawData.h" +#include "TrkSurfaces/Surface.h" + +//____________________________________________________________________ +class VP1TrackSanity::Imp { +public: +}; + +//____________________________________________________________________ +VP1TrackSanity::VP1TrackSanity(IVP1System*sys) + : VP1HelperClassBase(sys,"VP1TrackSanity"), m_d(new Imp) +{ + messageVerbose("constructor"); + if (sys) + VP1DetInfo::ensureInit(sys); +} + +//____________________________________________________________________ +VP1TrackSanity::~VP1TrackSanity() +{ + delete m_d; +} + +//____________________________________________________________________ +bool VP1TrackSanity::isSafe(const Trk::TrackStateOnSurface* tsos ) const +{ + if (!tsos) + return false; + //Fixme: More! + return true; +} + +//____________________________________________________________________ +bool VP1TrackSanity::isSafe(const Trk::TrackParameters* pars ) const +{ + if (!pars) + return false; + if (!(&pars->associatedSurface())) + return false; + //Fixme: More! + return true; +} + +//____________________________________________________________________ +bool VP1TrackSanity::isSafe(const Trk::MeasurementBase* meas ) const +{ + if (!meas) + return false; + //TK: The following is mainly guess work - we need master Ed to implement really useful stuff! + if (!&meas->associatedSurface()) + return false; + if (!meas->associatedSurface().associatedDetectorElement()) + return false; + if (!meas->associatedSurface().associatedDetectorElementIdentifier().is_valid()) + return false; + const Trk::RIO_OnTrack* rio = dynamic_cast<const Trk::RIO_OnTrack*>(meas); + if (rio) { + if (VP1DetInfo::isUnsafe(rio->identify())) + return false; + if ( !rio->detectorElement() ) + return false; + } + return true; +} + +//____________________________________________________________________ +bool VP1TrackSanity::isSafe(const Trk::RIO_OnTrack* rio ) const +{ + if (!rio) + return false; + //TK: The following is mainly guess work - we need master Ed to implement really useful stuff! + if (VP1DetInfo::isUnsafe(rio->identify())) + return false; + + if (!rio->detectorElement()) + return false; + return true; +} + +//____________________________________________________________________ +bool VP1TrackSanity::isSafe( const Trk::PrepRawData* prd ) const +{ + if (!prd) + return false; + if (VP1DetInfo::isUnsafe(prd->identify())) + return false; + return true; +} diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/VP1TrackSummary.cxx b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/VP1TrackSummary.cxx new file mode 100644 index 0000000000000000000000000000000000000000..7badd4209d58e352a390ac32f3c247d34c0d0164 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/VP1TrackSummary.cxx @@ -0,0 +1,101 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class VP1TrackSummary // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: November 2009 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12TrackSystems/VP1TrackSummary.h" +#include "VTI12Utils/VP1DetInfo.h" +#include "FaserDetDescr/FaserDetectorID.h" + +#include "TrkTrack/Track.h" +#include "TrkTrack/TrackStateOnSurface.h" +#include "TrkSurfaces/Surface.h" +#include "TrkMeasurementBase/MeasurementBase.h" +#include "TrkDetElementBase/TrkDetElementBase.h" +#include "TrkRIO_OnTrack/RIO_OnTrack.h" +#include "TrkCompetingRIOsOnTrack/CompetingRIOsOnTrack.h" +#include "TrkSegment/Segment.h" + +#include <iostream> +//____________________________________________________________________ +bool VP1TrackSummary::countHits( const Trk::Track* trk, + unsigned& nSCTHits + ) +{ + nSCTHits = 0; + if (!trk) + return false; + + const FaserDetectorID * idhelper = VP1DetInfo::faserIDHelper(); + if (!idhelper) + return false; + + std::set<const Trk::TrkDetElementBase*> detelems;// Need several to handle #$$%ing cROTs. EJWM + DataVector<const Trk::TrackStateOnSurface>::const_iterator tsos_iter = trk->trackStateOnSurfaces()->begin(); + DataVector<const Trk::TrackStateOnSurface>::const_iterator tsos_end = trk->trackStateOnSurfaces()->end(); + for (; tsos_iter != tsos_end; ++tsos_iter) { + const Trk::MeasurementBase* meas = *tsos_iter ? (*tsos_iter)->measurementOnTrack() : 0; + VP1TrackSummary::addCounts(detelems, meas, idhelper, nSCTHits); + } + return true; +} + +//____________________________________________________________________ +bool VP1TrackSummary::countHits( const Trk::Segment* seg, + unsigned& nSCTHits + ) +{ + nSCTHits = 0; + if (!seg) + return false; + + const FaserDetectorID * idhelper = VP1DetInfo::faserIDHelper(); + if (!idhelper) + return false; + + std::set<const Trk::TrkDetElementBase*> detelems;// Need several to handle #$$%ing cROTs. EJWM + std::vector< const Trk::MeasurementBase * >::const_iterator tsos_iter = seg->containedMeasurements().begin(), tsos_end = seg->containedMeasurements().end(); + for (; tsos_iter != tsos_end; ++tsos_iter) { + const Trk::MeasurementBase* meas = *tsos_iter; + addCounts(detelems, meas, idhelper, nSCTHits); + } + return true; +} + +void VP1TrackSummary::addCounts( std::set<const Trk::TrkDetElementBase*>& detelems, const Trk::MeasurementBase* meas, + const FaserDetectorID * idhelper, + unsigned& nSCTHits + ) +{ + const Trk::CompetingRIOsOnTrack* crot = dynamic_cast<const Trk::CompetingRIOsOnTrack*>(meas); + + if (crot){ + unsigned int i = 0; + for (;i<crot->numberOfContainedROTs();++i){ + detelems.insert(crot->rioOnTrack(i).detectorElement()); + } + }else if (meas) { + const Trk::Surface * surf = &(meas->associatedSurface()); + detelems.insert( surf ? surf->associatedDetectorElement() : 0); + } + + std::set<const Trk::TrkDetElementBase*>::const_iterator it = detelems.begin(), itEnd=detelems.end(); + for (;it!=itEnd;++it){ + const Trk::TrkDetElementBase* detelem=*it; + if (!detelem) continue; + Identifier id = detelem->identify(); + if (!id.is_valid()) + continue; + if (idhelper->is_sct(id)) ++nSCTHits; + } + detelems.clear(); +} diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/VP1TrackSystem.cxx b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/VP1TrackSystem.cxx new file mode 100644 index 0000000000000000000000000000000000000000..fab021647a824765b1bffab4037a3eeac690b757 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/VP1TrackSystem.cxx @@ -0,0 +1,940 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class VP1TrackSystem // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: February 2008 // +// // +//////////////////////////////////////////////////////////////// + +//TODO: Features in old system that are missing now (+ stuff really needed): +// +// --> short term: +// colour by clicked vertex +// check inner detector projections +// +// --> medium term: +// refit tracks +// +// --> longer term: +// object browser +// sdo's +// +// soonish: detail levels depending on meas. type, and colour-by +// depending on collection. + +#include "VTI12TrackSystems/VP1TrackSystem.h" +#include "VTI12TrackSystems/TrackSystemController.h" +#include "VTI12TrackSystems/TrackHandleBase.h" +#include "VTI12TrackSystems/TrackLODManager.h" +#include "VTI12TrackSystems/TrackCollWidget.h" +#include "VTI12TrackSystems/AscObjSelectionManager.h" +#include "VTI12TrackSystems/AssociatedObjectHandleBase.h" +#include "VTI12TrackSystems/AscObj_TSOS.h" +#include "VTI12TrackSystems/TrackSysCommonData.h" + +#include "VTI12TrackSystems/TrackCollHandle_TrkTrack.h" +// #include "VTI12TrackSystems/TrackCollHandle_TrkSegment.h" +// #include "VP1TrackSystems/TrackCollHandle_FatrasTruthTracks.h" +#include "VTI12TrackSystems/TrackCollHandle_TruthTracks.h" +// #include "VTI12TrackSystems/TrackCollHandle_TrackParticle.h" +// #include "VTI12TrackSystems/TrackCollHandle_xAODTrackParticle.h" +#include "VTI12TrackSystems/TrackHandle_TrkTrack.h" +#include "VTI12TrackSystems/TrackCollHandle_RefittedTracks.h" + +#include "VP1Base/VP1CameraHelper.h" +#include "VP1Base/VisibleObjectToMaterialHelper.h" +#include "VP1Base/SoCooperativeSelection.h" +#include "VP1Base/VP1Serialise.h" +#include "VP1Base/VP1Deserialise.h" +#include "VP1Base/VP1Msg.h" + +#include "VTI12Utils/VP1DetInfo.h" + +// #include "VTI12GuideLineSystems/InDetProjHelper.h" + +#include <Inventor/nodes/SoSeparator.h> +#include <Inventor/nodes/SoMaterial.h> +#include <Inventor/nodes/SoSwitch.h> +#include <Inventor/nodes/SoComplexity.h> +#include <Inventor/nodes/SoLineSet.h> +#include <Inventor/nodes/SoVertexProperty.h> +#include "Inventor/nodes/SoDrawStyle.h" +#include "Inventor/nodes/SoLightModel.h" +#include <Inventor/nodes/SoCylinder.h> +#include <Inventor/SoPath.h> +#include <Inventor/nodes/SoFont.h> + +//#include "TrkEventPrimitives/GlobalPosition.h" +//#include "TrkEventPrimitives/GlobalMomentum.h" +#include "TrkEventPrimitives/FitQuality.h" +#include <sstream> + +#include "StoreGate/StoreGateSvc.h" + +//////////////////////////////////////////////////////// +//FIXME: ONLY HERE TEMPORARILY. WE NEED A HELPER CLASS!! +#include "TrkFitterInterfaces/ITrackFitter.h" +#include "TrkTrack/Track.h" +#include "TrkRIO_OnTrack/RIO_OnTrack.h" +#include "TrkTrack/TrackStateOnSurface.h" +#include "TrkMeasurementBase/MeasurementBase.h" +#include "TrkParameters/TrackParameters.h" +#include "TrkPrepRawData/PrepRawData.h" +#include "VP1Utils/VP1ToolAccessHelper.h" +#include "VP1Utils/VP1AvailableToolsHelper.h" +//////////////////////////////////////////////////////// + + +// FOR DEBUG +//#include "MuonIdHelpers/MdtIdHelper.h" +//#include "MuonIdHelpers/MuonIdHelper.h" + + + +//____________________________________________________________________ +class VP1TrackSystem::Imp { +public: + VP1TrackSystem * theclass; + TrackSysCommonData * common; + SoCooperativeSelection * sel_tracks; + AscObjSelectionManager * ascObjSelManager; + TrackCommonFlags::SELECTIONMODE selMode; + + // InDetProjFlags::DetTypeFlags lastEmittedUsedIDProjections; + // InDetProjFlags::DetTypeFlags currentUsedIDProjections() const; + + SoSeparator * totmomsep; + SoLineSet * totmomline; + Amg::Vector3D totmomgev; + double totmass; + + QList<const Trk::PrepRawData*> selectedPRDs; + + //Return value is number of track handles used for input (e.g. those without valid momentum info are ignored) + unsigned calcTotalMomentumOfSelectedHandles(Amg::Vector3D& totmom, Amg::Vector3D& totpos, double& mass); + + template <class T> + QList<TrackCollHandleBase*> createSpecificCollections() { + QList<TrackCollHandleBase*> l; + foreach (QString name, T::availableCollections(theclass)) { + T * col = new T(common,name); + col->init(); + l << col; + } + return l; + } + QList<TrackCollHandleBase*> createCollections() { + QList<TrackCollHandleBase*> l; + l << createSpecificCollections<TrackCollHandle_TrkTrack>(); + // l << createSpecificCollections<TrackCollHandle_TrkSegment>(); + l << createSpecificCollections<TrackCollHandle_TruthTracks>(); + // l << createSpecificCollections<TrackCollHandle_TrackParticle>(); + // l << createSpecificCollections<TrackCollHandle_xAODTrackParticle>(); + + return l; + } + std::vector<std::map<GeoPVConstLink, float> > chamberT0s; + std::map<const Trk::Track*, SoMaterial*> vertexMaterialForTrackBases; +}; + +//____________________________________________________________________ +VP1TrackSystem::VP1TrackSystem(QString name) + : IVP13DSystemSimple(name, + "System showing all track-like objects.", + "Edward.Moyse@cern.ch, Thomas.Kittelmann@cern.ch"), m_d(new Imp) +{ + m_d->theclass = this; + m_d->sel_tracks = 0; + m_d->common = 0; + m_d->totmomsep = 0; + m_d->totmomline = 0; + m_d->totmomgev = Amg::Vector3D(0,0,0); + m_d->ascObjSelManager = 0; + m_d->selMode = TrackCommonFlags::SINGLEOBJECT; + // m_d->lastEmittedUsedIDProjections = InDetProjFlags::NoDet; +} + +//____________________________________________________________________ +VP1TrackSystem::~VP1TrackSystem() +{ + delete m_d; +} + +//____________________________________________________________________ +void VP1TrackSystem::systemcreate(StoreGateSvc* /*detstore*/) +{ + messageVerbose("systemcreate"); + ensureBuildController(); + m_d->common->controller()->initTools(); + + // connect(m_d->common->controller(),SIGNAL(shownTrackPartsChanged(TrackCommonFlags::TrackPartsFlags)), + // this,SLOT(possiblyEmitUsedIDProjectionsChanged())); + // connect(m_d->common->controller()->collWidget(),SIGNAL(visibleStdCollectionsChanged(const QList<VP1StdCollection*>&)), + // this,SLOT(possiblyEmitUsedIDProjectionsChanged())); + // possiblyEmitUsedIDProjectionsChanged(); + +} + +//____________________________________________________________________ +void VP1TrackSystem::systemuncreate() +{ + messageVerbose("systemuncreate"); + if (m_d->totmomsep) { + m_d->totmomsep->unref(); + m_d->totmomsep=0; + } + if (m_d->totmomline) { + m_d->totmomline->unref(); + m_d->totmomline = 0; + } + delete m_d->common; m_d->common = 0; +} + +//____________________________________________________________________ +QWidget * VP1TrackSystem::buildController() +{ + messageVerbose("buildController start"); + TrackSystemController * controller = new TrackSystemController(this); + m_d->common = new TrackSysCommonData(this,controller);//Fixme: Do this on-demand in buildeventscenegraph!! + controller->setCommonData(m_d->common); + + connect(controller,SIGNAL(selectionModeChanged(TrackCommonFlags::SELECTIONMODE)),this,SLOT(updateSelectionMode())); + updateSelectionMode(); + connect(controller,SIGNAL(showTotMomentumOnMultiTrackSelectionChanged(bool)),this,SLOT(updateShownTotMomentum())); + updateShownTotMomentum(); + + connect(controller,SIGNAL(refit()),this,SLOT(refit()));//temp. + + controller->setNumberOfSelectedPRDsAndTracks(m_d->selectedPRDs.count(),0); + + messageVerbose("buildController end"); + return controller; +} + +//____________________________________________________________________ +void VP1TrackSystem::buildEventSceneGraph(StoreGateSvc* /*sg*/, SoSeparator *root) +{ + messageVerbose("buildEventSceneGraph start2"); + + // set complexity to a lower value, so that e.g. the straws are manageable + SoComplexity * complexity = new SoComplexity; + complexity->value.setValue(0.3f);//Fixme: Hardcoded here and elsewhere (fixme: Recheck all complexity values!) + root->addChild(complexity); + root->addChild(m_d->common->controller()->ascObjDrawStyle()); + root->addChild(m_d->common->controller()->ascObjComplexity());//this will be inherited to the tracks + // (but giving no effect) + + m_d->sel_tracks = new SoCooperativeSelection; + m_d->sel_tracks->activePolicy = SoCooperativeSelection::ACTIVE; + m_d->sel_tracks->ref(); + registerSelectionNode(m_d->sel_tracks); + // m_d->sel_tracks->addChild(m_d->common->controller()->trackLightModel()); + // m_d->sel_tracks->addChild(m_d->common->controller()->trackDrawStyle()); + + m_d->ascObjSelManager = new AscObjSelectionManager (root,this,m_d->common->controller()); + m_d->common->setEventData(m_d->ascObjSelManager);//commondata assumes ownership of ascObjMgr. + m_d->common->trackLODManager()->setAttachNode(m_d->ascObjSelManager->getAscObjAttachSep()); + +// reset last selected trk + m_d->common->setLastSelectedTrack(0); + updateSelectionMode(); + + if (!m_d->common->m_textSep) { + // FIXME! + // std::cout<<"Making new Text sep"<<std::endl; + m_d->common->m_textSep = new SoSeparator; + m_d->common->m_textSep->setName("TextSep"); + m_d->common->m_textSep->ref(); + } + root->addChild(m_d->common->m_textSep); + + // Fixme - what if font is missing? + SoFont *myFont = new SoFont; + myFont->name.setValue("Arial"); + myFont->size.setValue(12.0); + m_d->common->m_textSep->addChild(myFont); + + messageVerbose("createCollections start"); + + //Create collection list based on contents of event store, populate gui and apply states: + m_d->common->controller()->collWidget()->setCollections(m_d->createCollections()); + + //Add collections to event scenegraph: + foreach (VP1StdCollection* col,m_d->common->controller()->collWidget()->collections<VP1StdCollection>()) + m_d->sel_tracks->addChild(col->collSwitch()); + + root->addChild(m_d->sel_tracks); + if (!m_d->totmomsep) { + m_d->totmomsep = new SoSeparator; + m_d->totmomsep->ref(); + } + // m_d->totmomsep->addChild(m_d->common->controller()->trackDrawStyle()); + root->addChild(m_d->totmomsep); + + messageVerbose("buildEventSceneGraph end"); +} + + +//____________________________________________________________________ +void VP1TrackSystem::systemerase() +{ + messageVerbose("systemErase begin"); + + m_d->common->controller()->collWidget()->clear(); + messageVerbose("collWidget cleared"); + + if (m_d->common->controller()->trackObjBrowser()) m_d->common->controller()->trackObjBrowser()->clear(); + + m_d->common->clearEventData(); + if (m_d->sel_tracks) { + unregisterSelectionNode(m_d->sel_tracks); + m_d->sel_tracks->unref(); + m_d->sel_tracks=0; + } + + if (m_d->totmomsep) + m_d->totmomsep->removeAllChildren(); + + if (m_d->common->m_textSep) // FIXME! + m_d->common->m_textSep->removeAllChildren(); + + m_d->totmomgev = Amg::Vector3D(0,0,0); + + if (VP1Msg::verbose()) { + if (AssociatedObjectHandleBase::numberOfInstances()!=0) + message("Warning: "+str(AssociatedObjectHandleBase::numberOfInstances()) + +" instances of AssociatedObjectHandleBase alive at end of systemerase(). " + "(ignore this warning if there is more than one track system instance)."); + if (TrackHandleBase::numberOfInstances()!=0) + message("Warning: "+str(TrackHandleBase::numberOfInstances()) + +" instances of TrackHandleBase alive at end of systemerase(). " + "(ignore this warning if there is more than one track system instance)."); + } + + std::map<const Trk::Track*, SoMaterial*>::iterator itMat = m_d->vertexMaterialForTrackBases.begin(); + std::map<const Trk::Track*, SoMaterial*>::iterator itMatEnd = m_d->vertexMaterialForTrackBases.end(); + for(;itMat!=itMatEnd;++itMat) { + SoMaterial* curmat = itMat->second; + curmat->unref(); + } + m_d->vertexMaterialForTrackBases.clear(); + for (unsigned int i=0;i<m_d->chamberT0s.size();++i) + m_d->chamberT0s.at(i).clear(); + + messageVerbose("systemErase end"); +} + +//____________________________________________________________________ +QByteArray VP1TrackSystem::saveState() +{ + //Version & base state: + VP1Serialise serialise(1/*version*/,this); + serialise.save(IVP13DSystemSimple::saveState());//Info from base class + + // Actual state info: + ensureBuildController(); + serialise.save(m_d->common->controller()->saveSettings()); + serialise.save((VP1CollectionWidget*)m_d->common->controller()->collWidget()); + + serialise.disableUnsavedChecks();//We do the testing in the controller + + return serialise.result(); +} + +//____________________________________________________________________ +void VP1TrackSystem::restoreFromState(QByteArray ba) +{ + //Version & base state: + VP1Deserialise state(ba,this); + if (state.version()==0) { + //We simply won't support .vp1 files from the old track system. + message("Warning: State data has obsolete format - ignoring!"); + return; + } + if (state.version()!=1) { + message("Warning: State data has wrong format - ignoring!"); + return; + } + + ensureBuildController(); + + IVP13DSystemSimple::restoreFromState(state.restoreByteArray()); + + m_d->common->controller()->restoreSettings(state.restoreByteArray()); + state.restore((VP1CollectionWidget*)m_d->common->controller()->collWidget()); + + state.disableUnrestoredChecks();//We do the testing in the controller +} + +//____________________________________________________________________ +void VP1TrackSystem::visibleObjectsChanged() +{ + VisibleObjectToMaterialHelper<Trk::Track>* trackhelper(dynamic_cast< VisibleObjectToMaterialHelper<Trk::Track>* >(sender())); + if (trackhelper) { + //Fixme: For now we re-encode in a vector, to get old signal/slot signatures. We should change that! + // -> and remember not to put const in front of the so materials!! + std::vector< std::pair<const Trk::Track*, const SoMaterial*> > vistracks; + vistracks.reserve(trackhelper->visibleObjects().size()); + std::map<const Trk::Track*,SoMaterial*>::const_iterator it, itE = trackhelper->visibleObjects().end(); + for (it = trackhelper->visibleObjects().begin();it!=itE;++it) + vistracks.push_back(std::pair<const Trk::Track*, const SoMaterial*>(it->first,it->second)); + messageVerbose("Emitting visibleTracksChanged (with nvistracks = "+QString::number(vistracks.size())+")" ); + emit visibleTracksChanged(vistracks); + return; + } + VisibleObjectToMaterialHelper<Trk::Segment>* segmenthelper(dynamic_cast<VisibleObjectToMaterialHelper<Trk::Segment>*>(sender())); + if (segmenthelper) { + //Fixme: For now we re-encode in a vector, to get old signal/slot signatures. We should change that! + // -> and remember not to put const in front of the so materials!! + std::vector< std::pair<const Trk::Segment*, const SoMaterial*> > vissegments; + vissegments.reserve(segmenthelper->visibleObjects().size()); + std::map<const Trk::Segment*,SoMaterial*>::const_iterator it, itE = segmenthelper->visibleObjects().end(); + for (it = segmenthelper->visibleObjects().begin();it!=itE;++it) + vissegments.push_back(std::pair<const Trk::Segment*, const SoMaterial*>(it->first,it->second)); + messageVerbose("Emitting visibleSegmentsChanged (with nvissegments = "+QString::number(vissegments.size())+")" ); + emit visibleSegmentsChanged(vissegments); + return; + } + message("unexpected signal received in visibleObjectsChanged slot"); +} + +// //____________________________________________________________________ +// void VP1TrackSystem::setApplicableIDProjections( InDetProjFlags::InDetProjPartsFlags pixel, +// InDetProjFlags::InDetProjPartsFlags sct, +// InDetProjFlags::InDetProjPartsFlags trt ) +// { +// messageVerbose("Signal received in setApplicableIDProjections slot"); +// ensureBuildController(); +// if (!m_d->common)//After uncreate. +// return; +// bool changes(false); +// if (m_d->common->indetProjHelper_Pixel()->parts() != pixel) { +// m_d->common->indetProjHelper_Pixel()->setParts(pixel); +// changes = true; +// } +// if (m_d->common->indetProjHelper_SCT()->parts() != sct) { +// m_d->common->indetProjHelper_SCT()->setParts(sct); +// changes = true; +// } +// if (m_d->common->indetProjHelper_TRT()->parts() != trt) { +// m_d->common->indetProjHelper_TRT()->setParts(trt); +// changes = true; +// } + +// if (changes) { +// messageVerbose(" => Flags changed."); +// if (m_d->common->controller()) +// foreach( TrackCollHandleBase* collhandle, m_d->common->controller()->collWidget()->collections<TrackCollHandleBase>() ) +// collhandle->updateInDetProjectionsOfAllHandles(); +// } else { +// messageVerbose(" => Flags unchanged."); +// } +// } + + +//____________________________________________________________________ +void VP1TrackSystem::updateSelectionMode() +{ + messageVerbose("updateSelectionMode start"); + if (!m_d->sel_tracks||!m_d->ascObjSelManager) { + messageVerbose("updateSelectionMode Warning: Ignoring due to null pointers."); + return; + } + deselectAll(); + m_d->ascObjSelManager->deselectAll(); + m_d->selMode = m_d->common->controller()->selectionMode();//NB: Don't abort if unchanged (we call this method to init) + if (m_d->selMode==TrackCommonFlags::TRACKFIT) { + messageVerbose("updateSelectionMode => TRACKFIT"); + m_d->sel_tracks->policy = SoCooperativeSelection::SINGLE; + m_d->ascObjSelManager->setMode(AscObjSelectionManager::SHIFT); + } else if (m_d->selMode==TrackCommonFlags::MULTITRACK) { + messageVerbose("updateSelectionMode => MULTITRACK"); + m_d->sel_tracks->policy = SoCooperativeSelection::TOGGLE; + m_d->ascObjSelManager->setMode(AscObjSelectionManager::SINGLE); + } else { + if (m_d->selMode!=TrackCommonFlags::SINGLEOBJECT) + message("updateSelectionMode ERROR: Unexpected selection mode flag"); + messageVerbose("updateSelectionMode => SINGLEOBJECT"); + m_d->sel_tracks->policy = SoCooperativeSelection::SINGLE; + m_d->ascObjSelManager->setMode(AscObjSelectionManager::SINGLE); + } + messageVerbose("updateSelectionMode end"); +} + +//____________________________________________________________________ +void VP1TrackSystem::userPickedNode(SoNode* pickedNode, SoPath* /*pickedPath*/) +{ + messageVerbose("userPickedNode"); + if (pickedNode==m_d->totmomline) { + message("Total momentum of selected tracks [GeV]: p = "+str(m_d->totmomgev)+", m = "+str(m_d->totmass/CLHEP::GeV)); + return; + } + + message("Unknown object clicked"); +} + +//____________________________________________________________________ +void VP1TrackSystem::userSelectedSingleNode( SoCooperativeSelection* sel, SoNode* node, SoPath* pickedPath ) +{ + messageVerbose("userSelectedSingleNode"); + AssociatedObjectHandleBase* pickedHandle(0); + if (!m_d->ascObjSelManager->handleUserSelectedSingleNode(sel,node,pickedPath,pickedHandle)) { + if (sel==m_d->sel_tracks) { + //Hack to get selections working when representing tracks with tubes: + if (node->getTypeId().isDerivedFrom(SoCylinder::getClassTypeId())) { + pickedPath->pop(); + node=pickedPath->getTail(); + } + TrackHandleBase * handle = m_d->common->trackHandle(node); + if (!handle) { + message("ERROR: Unknown track."); + return; + } + TrackHandle_TrkTrack * handle_trktrack = dynamic_cast<TrackHandle_TrkTrack *>(handle); + if (handle_trktrack&&m_d->selMode==TrackCommonFlags::TRACKFIT) { + messageVerbose("userSelectedSingleNode - find measurements for track fit"); + + QList<AssociatedObjectHandleBase*> trackmeas = handle_trktrack->getVisibleMeasurements(); + + if (trackmeas.size()==0) message("In refit mode, but no visible measurements found so can't do anything. Perhaps they're not enabled in 'Details'?"); + QList<AssociatedObjectHandleBase*> currentsel = m_d->ascObjSelManager->currentSelection(); + //If at least one of the track measurements is unselected, we + //select them all. Otherwise we deselect them. + bool oneunselected(false); + foreach(AssociatedObjectHandleBase* meas,trackmeas) { + if (!currentsel.contains(meas)) { + oneunselected = true; + break; + } + } + QList<const Trk::PrepRawData*> prdSet; + if (oneunselected) { + messageVerbose("userSelectedSingleNode - selecting " +QString::number(trackmeas.size()) + " measurements."); + m_d->ascObjSelManager->ensureSelected(trackmeas); + + // Add PRDs. Need to be careful as they might not exist. + foreach(AssociatedObjectHandleBase* meas,trackmeas) { + AscObj_TSOS* tsosAsc = dynamic_cast<AscObj_TSOS*>(meas); + if (tsosAsc && tsosAsc->rioOnTrack() && tsosAsc->rioOnTrack()->prepRawData()) prdSet.append(tsosAsc->rioOnTrack()->prepRawData()); + } + } else { + messageVerbose("userSelectedSingleNode - deselecting " +QString::number(trackmeas.size()) + " measurements."); + m_d->ascObjSelManager->ensureDeselected(trackmeas); + } + setSelectedPRDs(prdSet); // FIXME - maybe I should append/remove from existing list? + + m_d->sel_tracks->deselectAll(); + } else { + if (m_d->common->controller()->printInfoOnSingleSelection()){ + message(handle->clicked()); + messageVerbose("Emitting newTrackSelected "); + m_d->common->setLastSelectedTrack(handle); + emit newTrackSelected(*handle); + m_d->common->controller()->setNumberOfSelectedPRDsAndTracks(m_d->selectedPRDs.count(),1); // FIXME - we can do this more cleanly? + } + } + } else { + message("ERROR: Unknown selection."); + return; + } + } + if (m_d->common->controller()->orientAndZoomOnSingleSelection()) { + if (!pickedHandle||!pickedHandle->initiatesOwnZooms()) { + std::set<SoCamera*> cameras = getCameraList(); + std::set<SoCamera*>::iterator it,itE = cameras.end(); + for (it=cameras.begin();it!=itE;++it) + VP1CameraHelper::animatedZoomToPath(*it,sel,pickedPath,2.0,1.0); + } + } +} + +//____________________________________________________________________ +void VP1TrackSystem::userClickedOnBgd() +{ + messageVerbose("userClickedOnBgd"); + if (m_d->ascObjSelManager) + m_d->ascObjSelManager->userClickedOnBgd(); + m_d->common->setLastSelectedTrack(0); + QList<const Trk::PrepRawData*> prdSet; + setSelectedPRDs(prdSet ); // pass in empty collection. FIXME - this should depend on mode? +} + +//____________________________________________________________________ +void VP1TrackSystem::userDeselectedSingleNode(SoCooperativeSelection*, SoNode* , SoPath*) +{ + messageVerbose("userDeselectedSingleNode"); +} + +//____________________________________________________________________ +unsigned VP1TrackSystem::Imp::calcTotalMomentumOfSelectedHandles(Amg::Vector3D& totmom, Amg::Vector3D& totpos, double& mass) +{ + totmom = Amg::Vector3D(0,0,0); + totpos = Amg::Vector3D(0,0,0); + mass = 0; + if (!sel_tracks) + return 0; + unsigned nused(0); + double totenergy(0); + for (int i = 0; i < sel_tracks->getList()->getLength(); ++i) { + SoFullPath *fPath = static_cast<SoFullPath *>((*(sel_tracks->getList()))[i]); + TrackHandleBase * handle = common->trackHandle(fPath?fPath->getTail():0); + if (!handle) + continue; + Amg::Vector3D mom = handle->momentum(); + if (mom.mag2()==0.0) + continue; + //Fixme: Get actual position of perigee!! + const Amg::Vector3D * pos = handle->startPoint(); + if (!pos) + continue; + ++nused; + totmom += mom; + totpos += *pos; + mass = handle->hasMass() ? handle->mass() : 0; + totenergy += sqrt(mom.mag2() + mass*mass); + } + if (nused>1) { + double msq = totenergy*totenergy - totmom.mag2(); + mass = (msq<0?-1.0:1.0)*sqrt(fabs(msq)); + totpos /= nused; + } + return nused; +} + + +//____________________________________________________________________ +void VP1TrackSystem::updateShownTotMomentum() +{ + messageVerbose("updateShownTotMomentum"); + if (!m_d->common->controller()->showTotMomentumOnMultiTrackSelection()) { + //ensure detach: + messageVerbose(" => detach"); + if (m_d->totmomsep&&m_d->totmomline&&m_d->totmomsep->findChild(m_d->totmomline)>-1) + m_d->totmomsep->removeChild(m_d->totmomline); + return; + } + Amg::Vector3D totmom; + Amg::Vector3D totpos; + double totmass; + unsigned nused = m_d->calcTotalMomentumOfSelectedHandles(totmom,totpos,totmass); + if (nused==0) { + //ensure detach: + messageVerbose(" => detach"); + if (m_d->totmomsep&&m_d->totmomline&&m_d->totmomsep->findChild(m_d->totmomline)>-1) + m_d->totmomsep->removeChild(m_d->totmomline); + } else { + //ensure correct lineset: + Amg::Vector3D p2 = totpos+totmom.unit()*1*CLHEP::m; + if (!m_d->totmomline) { + m_d->totmomline = new SoLineSet; + m_d->totmomline->ref(); + SoVertexProperty * vertices = new SoVertexProperty; + m_d->totmomline->vertexProperty = vertices; + m_d->totmomline->numVertices.set1Value(0,2); + + } + SoVertexProperty * vertices = static_cast<SoVertexProperty*>(m_d->totmomline->vertexProperty.getValue()); + vertices->vertex.set1Value(0,totpos.x(),totpos.y(),totpos.z()); + vertices->vertex.set1Value(1,p2.x(),p2.y(),p2.z()); + m_d->totmomgev = totmom / CLHEP::GeV; + m_d->totmass = totmass; + //ensure attach: + messageVerbose(" => attach"); + if (m_d->totmomsep&&m_d->totmomline&&m_d->totmomsep->findChild(m_d->totmomline)<0) + m_d->totmomsep->addChild(m_d->totmomline); + return; + } + +} + +//____________________________________________________________________ +void VP1TrackSystem::userChangedSelection(SoCooperativeSelection* sel, QSet<SoNode*> /*nodes*/, QSet<SoPath*>/*paths*/) +{ + messageVerbose("userChangedSelection begin"); + if (sel!=m_d->sel_tracks) + return; + messageVerbose("userChangedSelection => sel_tracks!!"); + + + if (m_d->common->controller()->printTotMomentumOnMultiTrackSelection()) { + Amg::Vector3D totmom; + Amg::Vector3D totpos; + double totmass; + if (m_d->calcTotalMomentumOfSelectedHandles(totmom,totpos,totmass)>0) { + Amg::Vector3D totmomgev = totmom; + totmomgev /= CLHEP::GeV; + message("Total momentum [GeV] : "+str(totmomgev));//Fixme: Eta/phi/etc... + message("Total mass [GeV] : "+str(totmass/CLHEP::GeV));//Fixme: Eta/phi/etc... + } + } + + updateShownTotMomentum(); +} + + + + +// //____________________________________________________________________ +// InDetProjFlags::DetTypeFlags VP1TrackSystem::Imp::currentUsedIDProjections() const +// { +// if (common->controller()->collWidget()->visibleStdCollections().isEmpty()) +// return InDetProjFlags::NoDet; +// if (common->controller()->shownTrackParts() & TrackCommonFlags::InDetProjections) +// return InDetProjFlags::TRT_all; +// return InDetProjFlags::NoDet; +// } + +//____________________________________________________________________ +// void VP1TrackSystem::possiblyEmitUsedIDProjectionsChanged() +// { +// InDetProjFlags::DetTypeFlags usedidprojs = m_d->currentUsedIDProjections(); +// if (m_d->lastEmittedUsedIDProjections == usedidprojs) +// return; +// m_d->lastEmittedUsedIDProjections = usedidprojs; +// usedIDProjectionsChanged(usedidprojs); +// } + +//____________________________________________________________________ +void VP1TrackSystem::setSelectedPRDs(const QList<const Trk::PrepRawData*>& s) +{ + m_d->selectedPRDs = s; + if (m_d->common&&m_d->common->controller()) + m_d->common->controller()->setNumberOfSelectedPRDsAndTracks(m_d->selectedPRDs.count(),0); +} + +//____________________________________________________________________ +void VP1TrackSystem::refit() +{ + //FIXME: WE NEED A HELPER CLASS!! + + if (!m_d->common||!m_d->common->controller()||!m_d->sel_tracks)//To check that we are actually refreshed + return; + messageVerbose("Refit requested with mode="+TrackCommonFlags::toString(m_d->common->controller()->fitterMode())); + const Trk::ITrackFitter* currentFitter = m_d->common->controller()->trackFitter(); + if (!currentFitter) { + message("ERROR - Aborting refit as no fitter available."); + return; + } + + QList<const Trk::Track*> fittedtracks; + switch (m_d->common->controller()->fitterMode()) { + case TrackCommonFlags::FROMPRDS: refitFromPRDs(currentFitter, fittedtracks);break; + case TrackCommonFlags::REFITSINGLETRACK: refitSingleTrack(currentFitter, fittedtracks);break; + case TrackCommonFlags::EXTENDTRACKWITHPRDS: message("Not yet implemented");break; + case TrackCommonFlags::COMBINETWOTRACKS: message("Not yet implemented");break; + } + + if (fittedtracks.empty()) return; + + TrackCollHandle_RefittedTracks * newtrackcoll = + new TrackCollHandle_RefittedTracks(m_d->common, + m_d->common->controller()->nameOfNewlyFittedCollections(), + fittedtracks); + newtrackcoll->init(); + + QList<TrackCollHandleBase*> newcols; + newcols << newtrackcoll; + + m_d->common->controller()->collWidget()->addCollections(newcols); + + //Add new collections to event scenegraph and turn them on: + foreach (TrackCollHandleBase* col,newcols) { + m_d->sel_tracks->addChild(col->collSwitch()); + col->setVisible(true); + } +} + +void VP1TrackSystem::refitFromPRDs(const Trk::ITrackFitter* /**currentFitter*/, QList<const Trk::Track*>& /**fittedtracks*/) +{ + // FIXME (or remove, since no one used this I think - EJWM) + + // std::vector<const Trk::PrepRawData*> prdSet; + // prdSet.reserve(m_d->selectedPRDs.count()); + // foreach (const Trk::PrepRawData* prd,m_d->selectedPRDs) + // prdSet.push_back(prd); + // + // if (prdSet.size()==0) { + // message("ERROR - Aborting refit as prdset is empty"); + // return; + // } + // + // //Get direction from PRD locations + // unsigned i1(0),i2(prdSet.size()-1); + // const Amg::Vector3D* globPos0 = prdSet.at(i1)->detectorElement()->surface(prdSet.at(i1)->identify()).localToGlobal(prdSet.at(i1)->localPosition()); + // const Amg::Vector3D* globPos1 = prdSet.at(i2)->detectorElement()->surface(prdSet.at(i2)->identify()).localToGlobal(prdSet.at(i2)->localPosition()); + // Amg::Vector3D globMom = *globPos1 - *globPos0; + // + // // Loop and try several momenta + // double minMom = 3000.0; + // double maxMom = 23000.0; + // int numberIterations = 10; + // double stepSize = (maxMom-minMom)/static_cast<double>(numberIterations); + // + // const Trk::Track* bestTrack=0; + // bool outlier = m_d->common->controller()->fitterRemoveOutliers(); + // Trk::ParticleHypothesis hypo = m_d->common->controller()->fitterParticleHypthesis(); + // for ( double initialMom = minMom ; initialMom<=maxMom ; initialMom+=stepSize){ + // globMom.setMag(initialMom); + // Trk::Perigee params(*globPos0, globMom, 1.0, Amg::Vector3D(0.0,0.0,0.0)); + // + // const Trk::Track* fittedtrk = currentFitter->fit(prdSet, params, outlier,hypo ); + // + // QString mom=QString::number(initialMom); + // if (!fittedtrk || !(fittedtrk->fitQuality() ) ) { + // message("Track fit failed for seed momentum: "+mom+", outlier="+QString::number(outlier)); + // delete fittedtrk; //Discard tracks with no FQ (shouldn't ever happen, but need to test) + // } else { + // if (!bestTrack) { + // bestTrack=fittedtrk; // first valid track + // message("Track fit succeeded for seed momentum:"+mom+", outlier="+QString::number(outlier)+", and is new best track."); + // } else { + // // okay, have valid fit so now compare to previous track... + // const Trk::FitQuality* bestFQ = bestTrack->fitQuality(); + // const Trk::FitQuality* fittedFQ = fittedtrk->fitQuality(); + // if ( (fittedFQ->chiSquared()/fittedFQ->doubleNumberDoF())>(bestFQ->chiSquared()/bestFQ->doubleNumberDoF()) ){ + // delete bestTrack; bestTrack=fittedtrk; // Replace old best track with this one + // message("Track fit succeeded for seed momentum:"+mom+", outlier="+QString::number(outlier)+", and is new best track."); + // } else { + // delete fittedtrk; // fit not as good as previous fit. + // message("Track fit succeeded for seed momentum:"+mom+", outlier="+QString::number(outlier)+", but is not best track."); + // } + // } + // } + // + // } + // + // if (!bestTrack) { + // message("All fits failed - no resulting track."); + // return; + // } + // + // delete globPos0; delete globPos1; + // + // fittedtracks << bestTrack; + // + // std::ostringstream s; + // s << *bestTrack; + // messageVerbose( QString(s.str().c_str()).split('\n')); +} + +void VP1TrackSystem::refitSingleTrack(const Trk::ITrackFitter* currentFitter, QList<const Trk::Track*>& fittedtracks) +{ + const TrackHandleBase* handle = m_d->common->lastSelectedTrackHandle(); + const TrackHandle_TrkTrack* trkhandle = dynamic_cast<const TrackHandle_TrkTrack*>(handle); + if (!trkhandle) return; // shouldn't ever happen + const Trk::Track* track =trkhandle->trkTrackPointer(); + if (!track) return; // shouldn't ever happen + + bool outlier = m_d->common->controller()->fitterRemoveOutliers(); + Trk::ParticleHypothesis hypo = m_d->common->controller()->fitterParticleHypthesis(); + + const Trk::Track* fittedtrk = currentFitter->fit(*track,outlier,hypo); + + if (!fittedtrk) { + message("Fit failed - no resulting track."); + return; + } + + fittedtracks << fittedtrk; + + std::ostringstream s; + s << *fittedtrk; + messageVerbose( QString(s.str().c_str()).split('\n')); +} + +SoCooperativeSelection * VP1TrackSystem::selTracks() +{ + return m_d->sel_tracks; +} + +void VP1TrackSystem::updateAlignment(){ + messageVerbose("updateAlignment"); + + std::vector<double> values = m_d->common->controller()->alignmentShiftValue(); + int level = m_d->common->controller()->alignmentShiftLevel(); + + messageVerbose("updateAlignment called with level="+QString::number(level)); + assert (values.size()==6); + messageVerbose("0="+QString::number(values[0])); + messageVerbose("1="+QString::number(values[1])); + messageVerbose("2="+QString::number(values[2])); + messageVerbose("3="+QString::number(values[3])); + messageVerbose("4="+QString::number(values[4])); + messageVerbose("5="+QString::number(values[5])); + + const Trk::TrkDetElementBase* detEl = 0; + + // Try to find last selected TSOS + if (!m_d->ascObjSelManager) { + // this shouldn't happen! + message ("No selection manager - giving up."); + return; + } + + QList<AssociatedObjectHandleBase*> currentsel = m_d->ascObjSelManager->currentSelection(); + foreach(AssociatedObjectHandleBase* meas,currentsel) { + AscObj_TSOS* tsosAsc = dynamic_cast<AscObj_TSOS*>(meas); + if (tsosAsc){ + if (tsosAsc->rioOnTrack() ) + detEl= tsosAsc->rioOnTrack()->detectorElement (); + else if (tsosAsc->trackStateOnSurface()->trackParameters() ) + detEl= tsosAsc->trackStateOnSurface()->trackParameters()->associatedSurface().associatedDetectorElement (); + } + if (detEl) break; // set, so can skip rest + } + if (!detEl){ + messageVerbose("No det Element found"); + + return;// Abort! + } + + // redraw everything; + // FIXME +} + +void VP1TrackSystem::tracksFromVertexChanged(QList< std::pair<const SoMaterial*, QList< const Trk::Track*> > >& vertexList){ + messageVerbose("VP1TrackSystem::tracksFromVertexChanged. Got a list THIS big! "+QString::number(vertexList.size())); + + // firstly, by default option to cut tracks by vertex is disabled, so enable: + m_d->common->controller()->vertexCutsAllowed(true); + + // do something with vertexList! + std::pair<const SoMaterial*, QList< const Trk::Track*> > it; + foreach(it, vertexList){ + SoMaterial* mat = const_cast<SoMaterial*>(it.first); + messageVerbose("Number of tracks associated with this vertex= "+QString::number(it.second.size())); + + const Trk::Track* trk; + foreach(trk, it.second) { + m_d->vertexMaterialForTrackBases[trk]=mat; + mat->ref(); +// messageVerbose("Adding TrackHandleBase with pointer= "+QString::number((unsigned int)handle)+" for trk="+QString::number((unsigned int)trk)); + } + } + + // update track collections too. + foreach(TrackCollHandleBase* coll, m_d->common->controller()->collWidget()->collections<TrackCollHandleBase>()) + if (coll->allowColourByVertex()) coll->updateMaterialOfAllHandles(); +} + +SoMaterial* VP1TrackSystem::materialFromVertex(const TrackHandleBase* trk) const { + + const TrackHandle_TrkTrack* handle = dynamic_cast<const TrackHandle_TrkTrack*>(trk); + if (handle) { + std::map<const Trk::Track*, SoMaterial*>::const_iterator it = m_d->vertexMaterialForTrackBases.find(handle->trkTrackPointer()); + + if (it!=m_d->vertexMaterialForTrackBases.end()){ + return it->second; + } + } + messageVerbose("VP1TrackSystem::materialFromVertex. No matching track handle for handle with pointer="+QString::number((uintptr_t)trk)); + return 0; +} + + diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/objectbrowser.ui b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/objectbrowser.ui new file mode 100644 index 0000000000000000000000000000000000000000..627fb443744c660930fa3fb6137b00fc86165bba --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/objectbrowser.ui @@ -0,0 +1,94 @@ +<ui version="4.0" > + <class>ObjectBrowser</class> + <widget class="QWidget" name="ObjectBrowser" > + <property name="geometry" > + <rect> + <x>0</x> + <y>0</y> + <width>346</width> + <height>419</height> + </rect> + </property> + <property name="minimumSize" > + <size> + <width>300</width> + <height>400</height> + </size> + </property> + <property name="windowTitle" > + <string>Browser</string> + </property> + <layout class="QVBoxLayout" name="verticalLayout" > + <item> + <widget class="QTreeWidget" name="treeWidget" > + <property name="indentation" > + <number>20</number> + </property> + <property name="wordWrap" > + <bool>true</bool> + </property> + <property name="headerHidden" > + <bool>false</bool> + </property> + <property name="columnCount" > + <number>2</number> + </property> + <column> + <property name="text" > + <string>1</string> + </property> + </column> + <column> + <property name="text" > + <string>2</string> + </property> + </column> + </widget> + </item> + <item> + <widget class="QLabel" name="label" > + <property name="font" > + <font> + <pointsize>10</pointsize> + </font> + </property> + <property name="text" > + <string>To enable zooming when clicking on tracks/ track states, turn on 'zoom/orient' in 'Interactions'</string> + </property> + <property name="wordWrap" > + <bool>true</bool> + </property> + </widget> + </item> + <item> + <layout class="QHBoxLayout" name="horizontalLayout" > + <item> + <spacer name="spacer" > + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType" > + <enum>QSizePolicy::Expanding</enum> + </property> + <property name="sizeHint" stdset="0" > + <size> + <width>348</width> + <height>17</height> + </size> + </property> + </spacer> + </item> + <item> + <widget class="QPushButton" name="pushButton_close" > + <property name="text" > + <string>&Close</string> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </widget> + <resources/> + <connections/> +</ui> diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/pertrackcollectionsettings_form.ui b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/pertrackcollectionsettings_form.ui new file mode 100644 index 0000000000000000000000000000000000000000..ded5b5877624f5e717ead2789cd8e3d6e7068499 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/pertrackcollectionsettings_form.ui @@ -0,0 +1,540 @@ +<?xml version="1.0" encoding="UTF-8"?> +<ui version="4.0"> + <class>TrackCollectionSettingsForm</class> + <widget class="QWidget" name="TrackCollectionSettingsForm"> + <property name="geometry"> + <rect> + <x>0</x> + <y>0</y> + <width>492</width> + <height>640</height> + </rect> + </property> + <property name="windowTitle"> + <string>Form</string> + </property> + <layout class="QVBoxLayout" name="verticalLayout_5"> + <item> + <widget class="QGroupBox" name="groupBox_4"> + <property name="title"> + <string>Track line options</string> + </property> + <property name="checkable"> + <bool>false</bool> + </property> + <layout class="QVBoxLayout" name="verticalLayout_3"> + <item> + <layout class="QHBoxLayout" name="horizontalLayout_4"> + <item> + <widget class="VP1MaterialButton" name="pushButton_matButton"> + <property name="text"> + <string>Material</string> + </property> + </widget> + </item> + <item> + <layout class="QVBoxLayout" name="verticalLayout"> + <item> + <layout class="QHBoxLayout" name="horizontalLayout_2"> + <item> + <widget class="QLabel" name="label_4"> + <property name="text"> + <string>Track line widths:</string> + </property> + </widget> + </item> + <item> + <widget class="QSlider" name="horizontalSlider_trackWidth"> + <property name="sizePolicy"> + <sizepolicy hsizetype="Preferred" vsizetype="Fixed"> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="minimumSize"> + <size> + <width>100</width> + <height>0</height> + </size> + </property> + <property name="maximum"> + <number>100</number> + </property> + <property name="singleStep"> + <number>10</number> + </property> + <property name="value"> + <number>20</number> + </property> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + </widget> + </item> + </layout> + </item> + <item> + <layout class="QHBoxLayout" name="horizontalLayout"> + <item> + <widget class="QCheckBox" name="checkBox_trackTubes"> + <property name="text"> + <string>Display lines with cylinders</string> + </property> + </widget> + </item> + <item> + <widget class="QDoubleSpinBox" name="doubleSpinBox_trackTubesRadiusMM"> + <property name="prefix"> + <string>r = </string> + </property> + <property name="suffix"> + <string> mm</string> + </property> + <property name="minimum"> + <double>0.010000000000000</double> + </property> + <property name="value"> + <double>5.000000000000000</double> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </item> + </layout> + </item> + <item> + <widget class="Line" name="line"> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + </widget> + </item> + <item> + <layout class="QHBoxLayout" name="horizontalLayout_3"> + <item> + <widget class="QCheckBox" name="checkBox_tracksUseBaseLightModel"> + <property name="toolTip"> + <string>Use a less advanced light model for the tracks. This might lead to more clearly visible tracks (but transparency will not be taken into account)</string> + </property> + <property name="text"> + <string>Use base lighting</string> + </property> + </widget> + </item> + <item> + <widget class="QCheckBox" name="checkBox_hideactualpaths"> + <property name="toolTip"> + <string>Do not display the actual tracks. Projections and other track details (measurements, errors, ...) will still be shown.</string> + </property> + <property name="text"> + <string>Make actual paths invisible</string> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </widget> + </item> + <item> + <widget class="QCheckBox" name="checkBox_defaultCuts"> + <property name="text"> + <string>Use default cuts</string> + </property> + <property name="checked"> + <bool>false</bool> + </property> + </widget> + </item> + <item> + <widget class="QWidget" name="cuts" native="true"> + <property name="enabled"> + <bool>false</bool> + </property> + <layout class="QVBoxLayout" name="verticalLayout_4"> + <item> + <widget class="QGroupBox" name="groupBox_cuts_momentum"> + <property name="title"> + <string>Momentum cuts</string> + </property> + <layout class="QVBoxLayout" name="verticalLayout_2"> + <item> + <layout class="QHBoxLayout" name="horizontalLayout_5"> + <item> + <layout class="QGridLayout" name="_5"> + <property name="verticalSpacing"> + <number>4</number> + </property> + <item row="0" column="0"> + <widget class="QCheckBox" name="checkBox_cut_minpt"> + <property name="text"> + <string>Min</string> + </property> + <property name="checked"> + <bool>false</bool> + </property> + </widget> + </item> + <item row="0" column="1"> + <widget class="QDoubleSpinBox" name="doubleSpinBox_cut_minpt_gev"> + <property name="alignment"> + <set>Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter</set> + </property> + <property name="suffix"> + <string> GeV</string> + </property> + <property name="maximum"> + <double>999.990000000000009</double> + </property> + <property name="singleStep"> + <double>0.100000000000000</double> + </property> + <property name="value"> + <double>0.500000000000000</double> + </property> + </widget> + </item> + <item row="1" column="0"> + <widget class="QCheckBox" name="checkBox_cut_maxpt"> + <property name="text"> + <string>Max</string> + </property> + </widget> + </item> + <item row="1" column="1"> + <widget class="QDoubleSpinBox" name="doubleSpinBox_cut_maxpt_gev"> + <property name="alignment"> + <set>Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter</set> + </property> + <property name="suffix"> + <string> GeV</string> + </property> + <property name="maximum"> + <double>999.990000000000009</double> + </property> + <property name="singleStep"> + <double>0.100000000000000</double> + </property> + <property name="value"> + <double>100.000000000000000</double> + </property> + </widget> + </item> + </layout> + </item> + <item> + <widget class="QComboBox" name="comboBox_momtype"> + <item> + <property name="text"> + <string>Pt</string> + </property> + </item> + <item> + <property name="text"> + <string>P</string> + </property> + </item> + </widget> + </item> + <item> + <spacer name="horizontalSpacer"> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>13</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + </layout> + </item> + <item> + <widget class="VP1EtaPhiCutWidget" name="etaPhiCutWidget" native="true"/> + </item> + </layout> + </widget> + </item> + <item> + <widget class="QGroupBox" name="groupBox_cuts_reconstructed"> + <property name="title"> + <string>Reconstructed tracks</string> + </property> + <layout class="QHBoxLayout" name="horizontalLayout_6"> + <property name="topMargin"> + <number>4</number> + </property> + <property name="rightMargin"> + <number>7</number> + </property> + <property name="bottomMargin"> + <number>4</number> + </property> + <item> + <layout class="QGridLayout" name="gridLayout_lala"> + <property name="spacing"> + <number>1</number> + </property> + <item row="1" column="0"> + <widget class="QCheckBox" name="checkBox_cut_nhits_pixel"> + <property name="toolTip"> + <string>Hide tracks without this many pixel hits. Only applies to tracks with ID information.</string> + </property> + <property name="text"> + <string>Require Pixel hits:</string> + </property> + </widget> + </item> + <item row="1" column="1"> + <widget class="QSpinBox" name="spinBox_cut_nhits_pixel"/> + </item> + <item row="2" column="0"> + <widget class="QCheckBox" name="checkBox_cut_nhits_sct"> + <property name="toolTip"> + <string>Hide tracks without this many SCT hits. Only applies to tracks with ID information.</string> + </property> + <property name="text"> + <string>Require SCT hits:</string> + </property> + <property name="checked"> + <bool>false</bool> + </property> + </widget> + </item> + <item row="2" column="1"> + <widget class="QSpinBox" name="spinBox_cut_nhits_sct"> + <property name="value"> + <number>1</number> + </property> + </widget> + </item> + <item row="3" column="0"> + <widget class="QCheckBox" name="checkBox_cut_nhits_trt"> + <property name="toolTip"> + <string>Hide tracks without this many TRT hits. Only applies to tracks with ID information.</string> + </property> + <property name="text"> + <string>Require TRT hits:</string> + </property> + </widget> + </item> + <item row="4" column="1"> + <widget class="QSpinBox" name="spinBox_cut_nhits_muon"/> + </item> + <item row="3" column="1"> + <widget class="QSpinBox" name="spinBox_cut_nhits_trt"/> + </item> + <item row="4" column="0"> + <widget class="QCheckBox" name="checkBox_cut_nhits_muon"> + <property name="text"> + <string>Require Muon hits:</string> + </property> + </widget> + </item> + <item row="5" column="0"> + <widget class="QCheckBox" name="checkBox_cut_nprecisionhits_muon"> + <property name="text"> + <string>Require Precision Muon hits:</string> + </property> + </widget> + </item> + <item row="5" column="1"> + <widget class="QSpinBox" name="spinBox_cut_nprecisionhits_muon"/> + </item> + </layout> + </item> + <item> + <widget class="QLabel" name="label"> + <property name="autoFillBackground"> + <bool>false</bool> + </property> + <property name="text"> + <string>ID requirements only apply to tracks with ID hits (i.e. not MS standalone tracks)</string> + </property> + <property name="wordWrap"> + <bool>true</bool> + </property> + </widget> + </item> + <item> + <spacer name="horizontalSpacer_2"> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>14</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + </layout> + </widget> + </item> + <item> + <widget class="QGroupBox" name="groupBox_cuts_truth_tracks"> + <property name="title"> + <string>Truth tracks</string> + </property> + <layout class="QHBoxLayout" name="_3"> + <item> + <layout class="QVBoxLayout" name="_4"> + <item> + <widget class="QCheckBox" name="checkBox_cut_truthtracks_creationvertexinIR"> + <property name="toolTip"> + <string><html><head><meta name="qrichtext" content="1" /><style type="text/css"> +p, li { white-space: pre-wrap; } +</style></head><body style=" font-family:'Sans Serif'; font-size:9pt; font-weight:400; font-style:normal;"> +<p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Secondaries are particles based solely on simhits, or particles with a creation vertex outside the interaction region (|r|&lt;2.8cm, |z|&lt;50cm).</p></body></html></string> + </property> + <property name="text"> + <string>Require creation vertex at IR</string> + </property> + <property name="checked"> + <bool>false</bool> + </property> + </widget> + </item> + <item> + <widget class="QCheckBox" name="checkBox_cut_truthtracks_excludeneutrals"> + <property name="text"> + <string>Exclude neutrals</string> + </property> + <property name="checked"> + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="QCheckBox" name="checkBox_cut_truthtracks_excludebarcode0"> + <property name="toolTip"> + <string><html><head><meta name="qrichtext" content="1" /><style type="text/css"> +p, li { white-space: pre-wrap; } +</style></head><body style=" font-family:'Sans Serif'; font-size:9pt; font-weight:400; font-style:normal;"> +<p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Some simhits will be due to secondary particles without an entry in an HepMC record. Such simhits will be marked as coming from a particle with barcode=0.</p></body></html></string> + </property> + <property name="text"> + <string>Exclude simhits with barcode 0</string> + </property> + <property name="checked"> + <bool>true</bool> + </property> + </widget> + </item> + </layout> + </item> + <item> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType"> + <enum>QSizePolicy::Preferred</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>1</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + </layout> + </widget> + </item> + <item> + <widget class="QCheckBox" name="checkBox_vertexAssociated"> + <property name="enabled"> + <bool>false</bool> + </property> + <property name="toolTip"> + <string>The vertex system must be enabled for this to be usable.</string> + </property> + <property name="text"> + <string>Only show Vertex associated tracks</string> + </property> + <property name="checked"> + <bool>false</bool> + </property> + </widget> + </item> + </layout> + </widget> + </item> + <item> + <layout class="QHBoxLayout" name="_2"> + <item> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>40</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item> + <widget class="QPushButton" name="pushButton_close"> + <property name="text"> + <string>&Close</string> + </property> + </widget> + </item> + </layout> + </item> + <item> + <spacer name="verticalSpacer"> + <property name="orientation"> + <enum>Qt::Vertical</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>20</width> + <height>40</height> + </size> + </property> + </spacer> + </item> + </layout> + </widget> + <customwidgets> + <customwidget> + <class>VP1MaterialButton</class> + <extends>QPushButton</extends> + <header>VP1Base/VP1MaterialButton.h</header> + </customwidget> + <customwidget> + <class>VP1EtaPhiCutWidget</class> + <extends>QWidget</extends> + <header>VP1Base/VP1EtaPhiCutWidget.h</header> + <container>1</container> + </customwidget> + </customwidgets> + <resources/> + <connections> + <connection> + <sender>checkBox_defaultCuts</sender> + <signal>toggled(bool)</signal> + <receiver>cuts</receiver> + <slot>setDisabled(bool)</slot> + <hints> + <hint type="sourcelabel"> + <x>214</x> + <y>149</y> + </hint> + <hint type="destinationlabel"> + <x>214</x> + <y>358</y> + </hint> + </hints> + </connection> + </connections> +</ui> diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/settings_ascobjs_form.ui b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/settings_ascobjs_form.ui new file mode 100644 index 0000000000000000000000000000000000000000..7718aa3fb8e392ca7c4c4ef24abe57ff50cc1731 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/settings_ascobjs_form.ui @@ -0,0 +1,940 @@ +<?xml version="1.0" encoding="UTF-8"?> +<ui version="4.0"> + <class>TrackSysSettingsAscObjsForm</class> + <widget class="QWidget" name="TrackSysSettingsAscObjsForm"> + <property name="geometry"> + <rect> + <x>0</x> + <y>0</y> + <width>492</width> + <height>552</height> + </rect> + </property> + <property name="sizePolicy"> + <sizepolicy hsizetype="Minimum" vsizetype="Minimum"> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="windowTitle"> + <string>Associated Track Objects</string> + </property> + <layout class="QGridLayout" name="gridLayout"> + <item row="3" column="1"> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType"> + <enum>QSizePolicy::Preferred</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>234</width> + <height>17</height> + </size> + </property> + </spacer> + </item> + <item row="0" column="0"> + <widget class="QGroupBox" name="groupBox_7"> + <property name="title"> + <string>General</string> + </property> + <layout class="QGridLayout"> + <property name="margin"> + <number>4</number> + </property> + <item row="0" column="0"> + <layout class="QVBoxLayout"> + <property name="spacing"> + <number>0</number> + </property> + <item> + <layout class="QGridLayout"> + <item row="0" column="0"> + <layout class="QHBoxLayout"> + <item> + <widget class="QLabel" name="label_11"> + <property name="text"> + <string>Details:</string> + </property> + </widget> + </item> + <item> + <widget class="QComboBox" name="comboBox_assocobj_detaillevel"> + <property name="sizePolicy"> + <sizepolicy hsizetype="MinimumExpanding" vsizetype="Fixed"> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="currentIndex"> + <number>0</number> + </property> + <property name="sizeAdjustPolicy"> + <enum>QComboBox::AdjustToContents</enum> + </property> + <item> + <property name="text"> + <string>Auto</string> + </property> + </item> + <item> + <property name="text"> + <string>Simple</string> + </property> + </item> + <item> + <property name="text"> + <string>Detailed</string> + </property> + </item> + </widget> + </item> + </layout> + </item> + <item row="0" column="1"> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>16</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item row="1" column="0" colspan="2"> + <layout class="QGridLayout"> + <property name="verticalSpacing"> + <number>6</number> + </property> + <item row="0" column="0"> + <widget class="QLabel" name="label"> + <property name="text"> + <string>Line widths:</string> + </property> + </widget> + </item> + <item row="0" column="1"> + <widget class="QSlider" name="horizontalSlider_linewidths"> + <property name="sizePolicy"> + <sizepolicy hsizetype="Fixed" vsizetype="Fixed"> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + </widget> + </item> + <item row="1" column="0"> + <widget class="QLabel" name="label_2"> + <property name="text"> + <string>Point sizes:</string> + </property> + </widget> + </item> + <item row="1" column="1"> + <widget class="QSlider" name="horizontalSlider_pointsizes"> + <property name="sizePolicy"> + <sizepolicy hsizetype="Fixed" vsizetype="Fixed"> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + </widget> + </item> + <item row="2" column="0"> + <widget class="QLabel" name="label_curve_realism"> + <property name="text"> + <string>Curve realism:</string> + </property> + </widget> + </item> + <item row="2" column="1"> + <widget class="QSlider" name="horizontalSlider_complexity"> + <property name="sizePolicy"> + <sizepolicy hsizetype="Fixed" vsizetype="Fixed"> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="maximum"> + <number>20</number> + </property> + <property name="value"> + <number>6</number> + </property> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </item> + <item> + <spacer> + <property name="orientation"> + <enum>Qt::Vertical</enum> + </property> + <property name="sizeType"> + <enum>QSizePolicy::Expanding</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>20</width> + <height>1</height> + </size> + </property> + </spacer> + </item> + </layout> + </item> + <item row="0" column="1"> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType"> + <enum>QSizePolicy::Preferred</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>1</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + </layout> + </widget> + </item> + <item row="2" column="0"> + <widget class="QGroupBox" name="groupBox_materialeffectsontrack"> + <property name="title"> + <string>Material effects</string> + </property> + <property name="checkable"> + <bool>true</bool> + </property> + <property name="checked"> + <bool>false</bool> + </property> + <layout class="QGridLayout"> + <property name="margin"> + <number>4</number> + </property> + <item row="0" column="0"> + <layout class="QGridLayout"> + <item row="0" column="0" colspan="2"> + <layout class="QHBoxLayout"> + <item> + <widget class="QCheckBox" name="checkBox_usecolour_materialeffectsontrack"> + <property name="text"> + <string>Use colour:</string> + </property> + <property name="checked"> + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="VP1MaterialButton" name="matButton_materialeffectsontrack"> + <property name="text"> + <string/> + </property> + </widget> + </item> + </layout> + </item> + <item row="0" column="2"> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>1</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item row="1" column="0"> + <layout class="QHBoxLayout"> + <item> + <widget class="QLabel" name="label_mateffects_scale"> + <property name="text"> + <string>Scale:</string> + </property> + </widget> + </item> + <item> + <widget class="QSlider" name="horizontalSlider_materialeffectsontrack_scale"> + <property name="sizePolicy"> + <sizepolicy hsizetype="Fixed" vsizetype="Fixed"> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="value"> + <number>10</number> + </property> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + </widget> + </item> + </layout> + </item> + <item row="1" column="1" colspan="2"> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType"> + <enum>QSizePolicy::Preferred</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>1</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item row="2" column="0" colspan="3"> + <widget class="QCheckBox" name="checkBox_materialeffectsontrack_hideNoDE"> + <property name="text"> + <string>Hide effects with no dE</string> + </property> + </widget> + </item> + <item row="3" column="0" colspan="3"> + <widget class="QCheckBox" name="checkBox_materialeffectsontrack_forceposontrack"> + <property name="text"> + <string>Force position on track</string> + </property> + </widget> + </item> + </layout> + </item> + <item row="0" column="1"> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType"> + <enum>QSizePolicy::Preferred</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>16</width> + <height>75</height> + </size> + </property> + </spacer> + </item> + </layout> + </widget> + </item> + <item row="2" column="1"> + <widget class="QGroupBox" name="groupBox_surfaces"> + <property name="title"> + <string>Surfaces</string> + </property> + <property name="checkable"> + <bool>true</bool> + </property> + <property name="checked"> + <bool>false</bool> + </property> + <layout class="QGridLayout"> + <property name="leftMargin"> + <number>4</number> + </property> + <property name="topMargin"> + <number>4</number> + </property> + <property name="rightMargin"> + <number>4</number> + </property> + <item row="0" column="0"> + <layout class="QVBoxLayout"> + <item> + <layout class="QGridLayout"> + <item row="0" column="0"> + <layout class="QHBoxLayout"> + <item> + <widget class="QCheckBox" name="checkBox_usecolour_surfaces"> + <property name="text"> + <string>Use colour:</string> + </property> + <property name="checked"> + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="VP1MaterialButton" name="matButton_surfaces"> + <property name="text"> + <string/> + </property> + </widget> + </item> + </layout> + </item> + <item row="0" column="1"> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType"> + <enum>QSizePolicy::Preferred</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>1</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item row="1" column="0" colspan="2"> + <widget class="QCheckBox" name="checkBox_surfaces_hidecustomsurfaces"> + <property name="text"> + <string>Hide custom surfaces</string> + </property> + <property name="checked"> + <bool>true</bool> + </property> + </widget> + </item> + </layout> + </item> + <item> + <widget class="QCheckBox" name="checkBox_surfaces_hidetubesurfaces"> + <property name="text"> + <string>Hide tube surfaces</string> + </property> + <property name="checked"> + <bool>true</bool> + </property> + </widget> + </item> + <item> + <spacer> + <property name="orientation"> + <enum>Qt::Vertical</enum> + </property> + <property name="sizeType"> + <enum>QSizePolicy::Expanding</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>20</width> + <height>1</height> + </size> + </property> + </spacer> + </item> + </layout> + </item> + <item row="0" column="1"> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType"> + <enum>QSizePolicy::Expanding</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>1</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + </layout> + </widget> + </item> + <item row="3" column="0"> + <widget class="QCheckBox" name="checkBox_truthtracks_display_points"> + <property name="text"> + <string>Show truth input points</string> + </property> + </widget> + </item> + <item row="1" column="1"> + <widget class="QGroupBox" name="groupBox_errors"> + <property name="title"> + <string>Show errors</string> + </property> + <property name="checkable"> + <bool>true</bool> + </property> + <property name="checked"> + <bool>false</bool> + </property> + <layout class="QGridLayout" name="_2"> + <property name="margin"> + <number>4</number> + </property> + <item row="2" column="0"> + <layout class="QVBoxLayout" name="_3"> + <item> + <layout class="QHBoxLayout" name="_4"> + <property name="bottomMargin"> + <number>4</number> + </property> + <item> + <widget class="QCheckBox" name="checkBox_usecolour_parametererrors"> + <property name="text"> + <string>Use colour:</string> + </property> + <property name="checked"> + <bool>false</bool> + </property> + </widget> + </item> + <item> + <widget class="VP1MaterialButton" name="matButton_parerrors"> + <property name="text"> + <string/> + </property> + </widget> + </item> + </layout> + </item> + <item> + <layout class="QHBoxLayout" name="_5"> + <item> + <widget class="QLabel" name="label_3"> + <property name="text"> + <string>Standard dev.:</string> + </property> + </widget> + </item> + <item> + <widget class="QDoubleSpinBox" name="doubleSpinBox_parerror_stddev"> + <property name="value"> + <double>3.000000000000000</double> + </property> + </widget> + </item> + </layout> + </item> + <item> + <widget class="QCheckBox" name="checkBox_parerror_drawcylinder"> + <property name="text"> + <string>Draw full error tubes</string> + </property> + <property name="checked"> + <bool>false</bool> + </property> + </widget> + </item> + <item> + <widget class="QCheckBox" name="checkBox_parerror_hideperigeeerrors"> + <property name="text"> + <string>Hide perigee errors</string> + </property> + <property name="checked"> + <bool>true</bool> + </property> + </widget> + </item> + </layout> + </item> + <item row="2" column="1"> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType"> + <enum>QSizePolicy::Expanding</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>1</width> + <height>81</height> + </size> + </property> + </spacer> + </item> + <item row="0" column="0"> + <widget class="QCheckBox" name="checkBox_parametererrors"> + <property name="text"> + <string>Parameter errors</string> + </property> + <property name="checked"> + <bool>true</bool> + </property> + </widget> + </item> + <item row="1" column="0"> + <widget class="QCheckBox" name="checkBox_measurementerrors"> + <property name="text"> + <string>Measurement errors</string> + </property> + </widget> + </item> + </layout> + </widget> + </item> + <item row="1" column="0"> + <widget class="QGroupBox" name="groupBox_measurements"> + <property name="minimumSize"> + <size> + <width>234</width> + <height>203</height> + </size> + </property> + <property name="title"> + <string>Measurements</string> + </property> + <property name="checkable"> + <bool>true</bool> + </property> + <property name="checked"> + <bool>false</bool> + </property> + <widget class="QWidget" name="layoutWidget"> + <property name="geometry"> + <rect> + <x>8</x> + <y>27</y> + <width>226</width> + <height>172</height> + </rect> + </property> + <layout class="QHBoxLayout" name="horizontalLayout_3"> + <item> + <layout class="QVBoxLayout" name="verticalLayout"> + <item> + <layout class="QHBoxLayout" name="horizontalLayout"> + <item> + <layout class="QGridLayout" name="_9"> + <property name="horizontalSpacing"> + <number>0</number> + </property> + <property name="verticalSpacing"> + <number>2</number> + </property> + <item row="0" column="0"> + <widget class="QCheckBox" name="checkBox_usecolour_measurements"> + <property name="text"> + <string>Use colour:</string> + </property> + </widget> + </item> + <item row="0" column="1"> + <widget class="VP1MaterialButton" name="matButton_measurements"> + <property name="text"> + <string/> + </property> + </widget> + </item> + <item row="1" column="0"> + <widget class="QCheckBox" name="checkBox_usecolour_meas_outliers"> + <property name="text"> + <string>Outlier colour:</string> + </property> + </widget> + </item> + <item row="1" column="1"> + <widget class="VP1MaterialButton" name="matButton_meas_outliers"> + <property name="text"> + <string/> + </property> + </widget> + </item> + </layout> + </item> + <item> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType"> + <enum>QSizePolicy::Preferred</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>13</width> + <height>53</height> + </size> + </property> + </spacer> + </item> + </layout> + </item> + <item> + <widget class="QCheckBox" name="checkBox_measurements_drawGP"> + <property name="text"> + <string>Draw Global Positions</string> + </property> + </widget> + </item> + <item> + <widget class="QCheckBox" name="checkBox_measurements_shorttubes_trt"> + <property name="text"> + <string>Shorten TRT measurements</string> + </property> + <property name="checked"> + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="QCheckBox" name="checkBox_measurements_shorttubes_mdt"> + <property name="text"> + <string>Shorten MDT measurements</string> + </property> + </widget> + </item> + <item> + <layout class="QHBoxLayout" name="horizontalLayout_2"> + <item> + <layout class="QHBoxLayout" name="_10"> + <item> + <widget class="QLabel" name="label_4"> + <property name="text"> + <string>Half length:</string> + </property> + </widget> + </item> + <item> + <widget class="QDoubleSpinBox" name="doubleSpinBox_measurements_shorttubes_scale"> + <property name="suffix"> + <string> cm</string> + </property> + <property name="minimum"> + <double>0.010000000000000</double> + </property> + <property name="value"> + <double>2.000000000000000</double> + </property> + </widget> + </item> + </layout> + </item> + <item> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType"> + <enum>QSizePolicy::Preferred</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>13</width> + <height>26</height> + </size> + </property> + </spacer> + </item> + </layout> + </item> + </layout> + </item> + <item> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType"> + <enum>QSizePolicy::Preferred</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>1</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + </layout> + </widget> + </widget> + </item> + <item row="0" column="1"> + <widget class="QGroupBox" name="groupBox_parameters"> + <property name="title"> + <string>Show parameters</string> + </property> + <property name="checkable"> + <bool>true</bool> + </property> + <property name="checked"> + <bool>false</bool> + </property> + <layout class="QGridLayout" name="gridLayout_2"> + <item row="0" column="0"> + <layout class="QVBoxLayout" name="_7"> + <property name="spacing"> + <number>0</number> + </property> + <item> + <layout class="QHBoxLayout" name="_8"> + <item> + <widget class="QCheckBox" name="checkBox_usecolour_parameters"> + <property name="text"> + <string>Use colour:</string> + </property> + <property name="checked"> + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="VP1MaterialButton" name="matButton_parameters"> + <property name="text"> + <string/> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </item> + <item row="0" column="1"> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType"> + <enum>QSizePolicy::Expanding</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>1</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item row="1" column="0"> + <layout class="QHBoxLayout" name="_11"> + <item> + <widget class="QCheckBox" name="checkBox_useHoleColour_parameters"> + <property name="toolTip"> + <string>'Holes' (missing measurements) are shown in this colour.</string> + </property> + <property name="text"> + <string>Hole colour:</string> + </property> + <property name="checked"> + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="VP1MaterialButton" name="matButton_holeParameters"> + <property name="text"> + <string/> + </property> + </widget> + </item> + </layout> + </item> + <item row="1" column="1"> + <spacer name="spacer"> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType"> + <enum>QSizePolicy::Expanding</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>55</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item row="2" column="0"> + <spacer name="verticalSpacer"> + <property name="orientation"> + <enum>Qt::Vertical</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>20</width> + <height>18</height> + </size> + </property> + </spacer> + </item> + </layout> + </widget> + </item> + <item row="4" column="0" colspan="2"> + <layout class="QHBoxLayout"> + <item> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType"> + <enum>QSizePolicy::Expanding</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>1</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item> + <widget class="QPushButton" name="pushButton_close"> + <property name="text"> + <string>&Close</string> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </widget> + <customwidgets> + <customwidget> + <class>VP1MaterialButton</class> + <extends>QPushButton</extends> + <header>VP1Base/VP1MaterialButton.h</header> + </customwidget> + </customwidgets> + <resources/> + <connections> + <connection> + <sender>pushButton_close</sender> + <signal>clicked()</signal> + <receiver>TrackSysSettingsAscObjsForm</receiver> + <slot>hide()</slot> + <hints> + <hint type="sourcelabel"> + <x>492</x> + <y>608</y> + </hint> + <hint type="destinationlabel"> + <x>294</x> + <y>58</y> + </hint> + </hints> + </connection> + </connections> +</ui> diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/settings_colouring_form.ui b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/settings_colouring_form.ui new file mode 100644 index 0000000000000000000000000000000000000000..8b82fb7bd713b8b3f3203248f6cd198eaba2c7a8 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/settings_colouring_form.ui @@ -0,0 +1,703 @@ +<?xml version="1.0" encoding="UTF-8"?> +<ui version="4.0"> + <class>TrackSysSettingsColouringForm</class> + <widget class="QWidget" name="TrackSysSettingsColouringForm"> + <property name="geometry"> + <rect> + <x>0</x> + <y>0</y> + <width>519</width> + <height>520</height> + </rect> + </property> + <property name="font"> + <font> + <weight>50</weight> + <bold>false</bold> + </font> + </property> + <property name="windowTitle"> + <string>Form</string> + </property> + <layout class="QGridLayout" name="gridLayout_5"> + <item row="0" column="0" colspan="3"> + <widget class="QGroupBox" name="groupBox_5"> + <property name="title"> + <string>Truth PID Colouring</string> + </property> + <layout class="QHBoxLayout"> + <property name="spacing"> + <number>20</number> + </property> + <property name="leftMargin"> + <number>6</number> + </property> + <property name="topMargin"> + <number>4</number> + </property> + <property name="rightMargin"> + <number>6</number> + </property> + <property name="bottomMargin"> + <number>4</number> + </property> + <item> + <layout class="QGridLayout"> + <property name="horizontalSpacing"> + <number>4</number> + </property> + <property name="verticalSpacing"> + <number>1</number> + </property> + <item row="0" column="0"> + <widget class="VP1MaterialButton" name="matButton_electrons"> + <property name="text"> + <string/> + </property> + </widget> + </item> + <item row="0" column="1"> + <widget class="QLabel" name="label_7"> + <property name="text"> + <string>Electrons</string> + </property> + </widget> + </item> + <item row="1" column="0"> + <widget class="VP1MaterialButton" name="matButton_pions"> + <property name="text"> + <string/> + </property> + </widget> + </item> + <item row="1" column="1"> + <widget class="QLabel" name="label_8"> + <property name="text"> + <string>Pions</string> + </property> + </widget> + </item> + <item row="2" column="0"> + <widget class="VP1MaterialButton" name="matButton_protons"> + <property name="text"> + <string/> + </property> + </widget> + </item> + <item row="2" column="1"> + <widget class="QLabel" name="label_16"> + <property name="text"> + <string>Protons</string> + </property> + </widget> + </item> + <item row="3" column="0"> + <widget class="VP1MaterialButton" name="matButton_neutrinos"> + <property name="text"> + <string/> + </property> + </widget> + </item> + <item row="3" column="1"> + <widget class="QLabel" name="label_17"> + <property name="text"> + <string>Neutrinos</string> + </property> + </widget> + </item> + <item row="4" column="0"> + <widget class="VP1MaterialButton" name="matButton_neutrons"> + <property name="text"> + <string/> + </property> + </widget> + </item> + <item row="4" column="1"> + <widget class="QLabel" name="label_18"> + <property name="text"> + <string>Neutrons</string> + </property> + </widget> + </item> + </layout> + </item> + <item> + <layout class="QGridLayout"> + <property name="horizontalSpacing"> + <number>4</number> + </property> + <property name="verticalSpacing"> + <number>1</number> + </property> + <item row="0" column="0"> + <widget class="VP1MaterialButton" name="matButton_muons"> + <property name="text"> + <string/> + </property> + </widget> + </item> + <item row="0" column="1"> + <widget class="QLabel" name="label_19"> + <property name="text"> + <string>Muons</string> + </property> + </widget> + </item> + <item row="1" column="0"> + <widget class="VP1MaterialButton" name="matButton_chargedkaons"> + <property name="text"> + <string/> + </property> + </widget> + </item> + <item row="1" column="1"> + <widget class="QLabel" name="label_20"> + <property name="text"> + <string>Charged kaons</string> + </property> + </widget> + </item> + <item row="2" column="0"> + <widget class="VP1MaterialButton" name="matButton_othercharged"> + <property name="text"> + <string/> + </property> + </widget> + </item> + <item row="2" column="1"> + <widget class="QLabel" name="label_21"> + <property name="text"> + <string>Other charged</string> + </property> + </widget> + </item> + <item row="3" column="0"> + <widget class="VP1MaterialButton" name="matButton_photons"> + <property name="text"> + <string/> + </property> + </widget> + </item> + <item row="3" column="1"> + <widget class="QLabel" name="label_22"> + <property name="text"> + <string>Photons</string> + </property> + </widget> + </item> + <item row="4" column="0"> + <widget class="VP1MaterialButton" name="matButton_otherneutrals"> + <property name="text"> + <string/> + </property> + </widget> + </item> + <item row="4" column="1"> + <widget class="QLabel" name="label_23"> + <property name="text"> + <string>Other neutrals</string> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </widget> + </item> + <item row="1" column="0" colspan="3"> + <widget class="QGroupBox" name="groupBox"> + <property name="title"> + <string>Momentum Colouring</string> + </property> + <layout class="QHBoxLayout"> + <property name="leftMargin"> + <number>6</number> + </property> + <property name="topMargin"> + <number>4</number> + </property> + <property name="rightMargin"> + <number>6</number> + </property> + <property name="bottomMargin"> + <number>4</number> + </property> + <item> + <widget class="QLabel" name="label_27"> + <property name="text"> + <string>Fix points:</string> + </property> + </widget> + </item> + <item> + <layout class="QHBoxLayout"> + <property name="spacing"> + <number>4</number> + </property> + <item> + <widget class="VP1MaterialButton" name="matButton_0GeV"> + <property name="text"> + <string/> + </property> + </widget> + </item> + <item> + <widget class="QLabel" name="label"> + <property name="text"> + <string>0 GeV</string> + </property> + </widget> + </item> + </layout> + </item> + <item> + <layout class="QHBoxLayout"> + <property name="spacing"> + <number>4</number> + </property> + <item> + <widget class="VP1MaterialButton" name="matButton_15GeV"> + <property name="text"> + <string/> + </property> + </widget> + </item> + <item> + <widget class="QLabel" name="label_6"> + <property name="text"> + <string>15 GeV</string> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </widget> + </item> + <item row="2" column="0" colspan="3"> + <widget class="QGroupBox" name="groupBox_3"> + <property name="title"> + <string>Random Colours</string> + </property> + <layout class="QHBoxLayout"> + <property name="leftMargin"> + <number>6</number> + </property> + <property name="topMargin"> + <number>4</number> + </property> + <property name="rightMargin"> + <number>6</number> + </property> + <property name="bottomMargin"> + <number>4</number> + </property> + <item> + <widget class="QLabel" name="label_2"> + <property name="text"> + <string>Regenerate random colours:</string> + </property> + </widget> + </item> + <item> + <widget class="QPushButton" name="pushButton_colourbyrandom_rerandomise"> + <property name="toolTip"> + <string>Re-generate random colours. Note transparency and brightness are inherited from the Uniform colour settings.</string> + </property> + <property name="text"> + <string>Rerandomise</string> + </property> + </widget> + </item> + <item> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>40</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + </layout> + </widget> + </item> + <item row="3" column="0" rowspan="2"> + <widget class="QGroupBox" name="groupBox_labels"> + <property name="enabled"> + <bool>true</bool> + </property> + <property name="title"> + <string>Labels</string> + </property> + <property name="checkable"> + <bool>true</bool> + </property> + <property name="checked"> + <bool>false</bool> + </property> + <layout class="QGridLayout" name="gridLayout_3"> + <item row="0" column="0"> + <widget class="QCheckBox" name="checkBox_trkLabels_Pt"> + <property name="toolTip"> + <string>Enables the drawing of track labels</string> + </property> + <property name="text"> + <string>Pt</string> + </property> + </widget> + </item> + <item row="0" column="1" rowspan="6"> + <widget class="QGroupBox" name="groupBox_2"> + <property name="title"> + <string>Offset</string> + </property> + <property name="flat"> + <bool>false</bool> + </property> + <layout class="QGridLayout" name="gridLayout_2"> + <item row="0" column="0"> + <widget class="QLabel" name="label_11"> + <property name="text"> + <string>x</string> + </property> + </widget> + </item> + <item row="0" column="1"> + <widget class="QSlider" name="horizontalSlider_labels_xOffset"> + <property name="sizePolicy"> + <sizepolicy hsizetype="Expanding" vsizetype="Minimum"> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="maximumSize"> + <size> + <width>16777215</width> + <height>32</height> + </size> + </property> + <property name="minimum"> + <number>-100</number> + </property> + <property name="maximum"> + <number>100</number> + </property> + <property name="tracking"> + <bool>true</bool> + </property> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="invertedAppearance"> + <bool>false</bool> + </property> + <property name="tickPosition"> + <enum>QSlider::TicksAbove</enum> + </property> + <property name="tickInterval"> + <number>25</number> + </property> + </widget> + </item> + <item row="1" column="0"> + <widget class="QLabel" name="label_3"> + <property name="text"> + <string>y</string> + </property> + </widget> + </item> + <item row="1" column="1"> + <widget class="QSlider" name="horizontalSlider_labels_yOffset"> + <property name="sizePolicy"> + <sizepolicy hsizetype="Expanding" vsizetype="Minimum"> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="maximumSize"> + <size> + <width>16777215</width> + <height>32</height> + </size> + </property> + <property name="minimum"> + <number>-100</number> + </property> + <property name="maximum"> + <number>100</number> + </property> + <property name="tracking"> + <bool>true</bool> + </property> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="invertedAppearance"> + <bool>false</bool> + </property> + <property name="tickPosition"> + <enum>QSlider::TicksAbove</enum> + </property> + <property name="tickInterval"> + <number>25</number> + </property> + </widget> + </item> + <item row="2" column="0"> + <widget class="QLabel" name="label_9"> + <property name="text"> + <string>z</string> + </property> + </widget> + </item> + <item row="2" column="1"> + <widget class="QSlider" name="horizontalSlider_labels_zOffset"> + <property name="sizePolicy"> + <sizepolicy hsizetype="Expanding" vsizetype="Minimum"> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="maximumSize"> + <size> + <width>16777215</width> + <height>32</height> + </size> + </property> + <property name="minimum"> + <number>-100</number> + </property> + <property name="maximum"> + <number>100</number> + </property> + <property name="tracking"> + <bool>true</bool> + </property> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="invertedAppearance"> + <bool>false</bool> + </property> + <property name="tickPosition"> + <enum>QSlider::TicksAbove</enum> + </property> + <property name="tickInterval"> + <number>25</number> + </property> + </widget> + </item> + <item row="3" column="0"> + <widget class="QLabel" name="label_10"> + <property name="text"> + <string>Track</string> + </property> + </widget> + </item> + <item row="3" column="1"> + <widget class="QSlider" name="horizontalSlider_labels_trkOffset"> + <property name="sizePolicy"> + <sizepolicy hsizetype="Expanding" vsizetype="Minimum"> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="maximumSize"> + <size> + <width>16777215</width> + <height>32</height> + </size> + </property> + <property name="minimum"> + <number>0</number> + </property> + <property name="maximum"> + <number>100</number> + </property> + <property name="tracking"> + <bool>true</bool> + </property> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="invertedAppearance"> + <bool>false</bool> + </property> + <property name="tickPosition"> + <enum>QSlider::TicksAbove</enum> + </property> + <property name="tickInterval"> + <number>25</number> + </property> + </widget> + </item> + </layout> + </widget> + </item> + <item row="1" column="0"> + <widget class="QCheckBox" name="checkBox_trkLabels_p"> + <property name="toolTip"> + <string>Enables the drawing of track labels</string> + </property> + <property name="text"> + <string>P</string> + </property> + </widget> + </item> + <item row="3" column="0"> + <widget class="QCheckBox" name="checkBox_trkLabels_hits"> + <property name="toolTip"> + <string>Enables the drawing of track labels</string> + </property> + <property name="text"> + <string>Hit counts</string> + </property> + </widget> + </item> + <item row="4" column="0"> + <widget class="QCheckBox" name="checkBox_trkLabels_pid"> + <property name="toolTip"> + <string>Enables the drawing of track labels</string> + </property> + <property name="text"> + <string>Pdg/Hypothesis</string> + </property> + </widget> + </item> + <item row="5" column="0"> + <widget class="QCheckBox" name="checkBox_trkLabels_fitQuality"> + <property name="toolTip"> + <string>Enables the drawing of track labels</string> + </property> + <property name="text"> + <string>Fit Quality</string> + </property> + </widget> + </item> + <item row="2" column="0"> + <widget class="QCheckBox" name="checkBox_trkLabels_direction"> + <property name="text"> + <string>Eta/Phi</string> + </property> + </widget> + </item> + </layout> + </widget> + </item> + <item row="3" column="1"> + <widget class="QGroupBox" name="groupBox_6"> + <property name="title"> + <string>Charge Colouring</string> + </property> + <layout class="QGridLayout" name="gridLayout_4"> + <item row="0" column="0"> + <widget class="VP1MaterialButton" name="matButton_charge_pos"> + <property name="text"> + <string/> + </property> + </widget> + </item> + <item row="0" column="1"> + <widget class="QLabel" name="label_24"> + <property name="text"> + <string>Positive</string> + </property> + </widget> + </item> + <item row="1" column="0"> + <widget class="VP1MaterialButton" name="matButton_charge_neg"> + <property name="text"> + <string/> + </property> + </widget> + </item> + <item row="1" column="1"> + <widget class="QLabel" name="label_25"> + <property name="text"> + <string>Negative</string> + </property> + </widget> + </item> + <item row="2" column="0"> + <widget class="VP1MaterialButton" name="matButton_charge_neutral"> + <property name="text"> + <string/> + </property> + </widget> + </item> + <item row="2" column="1"> + <widget class="QLabel" name="label_26"> + <property name="text"> + <string>Neutral</string> + </property> + </widget> + </item> + </layout> + </widget> + </item> + <item row="3" column="2"> + <spacer name="horizontalSpacer"> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>76</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item row="4" column="1"> + <spacer name="verticalSpacer"> + <property name="orientation"> + <enum>Qt::Vertical</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>20</width> + <height>42</height> + </size> + </property> + </spacer> + </item> + <item row="5" column="0" colspan="3"> + <layout class="QHBoxLayout"> + <item> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>40</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item> + <widget class="QPushButton" name="pushButton_close"> + <property name="text"> + <string>&Close</string> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </widget> + <customwidgets> + <customwidget> + <class>VP1MaterialButton</class> + <extends>QPushButton</extends> + <header>VP1Base/VP1MaterialButton.h</header> + </customwidget> + </customwidgets> + <resources/> + <connections/> +</ui> diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/settings_cuts_form.ui b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/settings_cuts_form.ui new file mode 100644 index 0000000000000000000000000000000000000000..42668f6b72f2c7ba54570cf0a0e264084b7912c9 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/settings_cuts_form.ui @@ -0,0 +1,359 @@ +<?xml version="1.0" encoding="UTF-8"?> +<ui version="4.0"> + <class>TrackSysSettingsCutsForm</class> + <widget class="QWidget" name="TrackSysSettingsCutsForm"> + <property name="geometry"> + <rect> + <x>0</x> + <y>0</y> + <width>390</width> + <height>464</height> + </rect> + </property> + <property name="windowTitle"> + <string>Form</string> + </property> + <layout class="QVBoxLayout" name="verticalLayout_2"> + <item> + <widget class="QGroupBox" name="groupBox_cuts_momentum"> + <property name="title"> + <string>Momentum cuts</string> + </property> + <layout class="QVBoxLayout" name="verticalLayout"> + <item> + <layout class="QHBoxLayout" name="horizontalLayout"> + <item> + <layout class="QGridLayout"> + <property name="verticalSpacing"> + <number>4</number> + </property> + <item row="0" column="0"> + <widget class="QCheckBox" name="checkBox_cut_minpt"> + <property name="text"> + <string>Min</string> + </property> + <property name="checked"> + <bool>false</bool> + </property> + </widget> + </item> + <item row="0" column="1"> + <widget class="QDoubleSpinBox" name="doubleSpinBox_cut_minpt_gev"> + <property name="alignment"> + <set>Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter</set> + </property> + <property name="suffix"> + <string> GeV</string> + </property> + <property name="maximum"> + <double>999.990000000000009</double> + </property> + <property name="singleStep"> + <double>0.100000000000000</double> + </property> + <property name="value"> + <double>0.500000000000000</double> + </property> + </widget> + </item> + <item row="1" column="0"> + <widget class="QCheckBox" name="checkBox_cut_maxpt"> + <property name="text"> + <string>Max</string> + </property> + </widget> + </item> + <item row="1" column="1"> + <widget class="QDoubleSpinBox" name="doubleSpinBox_cut_maxpt_gev"> + <property name="alignment"> + <set>Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter</set> + </property> + <property name="suffix"> + <string> GeV</string> + </property> + <property name="maximum"> + <double>999.990000000000009</double> + </property> + <property name="singleStep"> + <double>0.100000000000000</double> + </property> + <property name="value"> + <double>100.000000000000000</double> + </property> + </widget> + </item> + </layout> + </item> + <item> + <widget class="QComboBox" name="comboBox_momtype"> + <item> + <property name="text"> + <string>Pt</string> + </property> + </item> + <item> + <property name="text"> + <string>P</string> + </property> + </item> + </widget> + </item> + <item> + <spacer name="horizontalSpacer"> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>13</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + </layout> + </item> + <item> + <widget class="VP1EtaPhiCutWidget" name="etaPhiCutWidget" native="true"/> + </item> + </layout> + </widget> + </item> + <item> + <widget class="QGroupBox" name="groupBox"> + <property name="title"> + <string>Reconstructed tracks</string> + </property> + <layout class="QHBoxLayout" name="horizontalLayout_2"> + <property name="topMargin"> + <number>4</number> + </property> + <property name="rightMargin"> + <number>7</number> + </property> + <property name="bottomMargin"> + <number>4</number> + </property> + <item> + <layout class="QGridLayout" name="gridLayout_lala"> + <property name="spacing"> + <number>1</number> + </property> + <item row="0" column="0"> + <widget class="QCheckBox" name="checkBox_cut_nhits_pixel"> + <property name="toolTip"> + <string>Hide tracks without this many pixel hits. Only applies to tracks with ID information.</string> + </property> + <property name="text"> + <string>Require Pixel hits:</string> + </property> + </widget> + </item> + <item row="0" column="1"> + <widget class="QSpinBox" name="spinBox_cut_nhits_pixel"/> + </item> + <item row="1" column="0"> + <widget class="QCheckBox" name="checkBox_cut_nhits_sct"> + <property name="toolTip"> + <string>Hide tracks without this many SCT hits. Only applies to tracks with ID information.</string> + </property> + <property name="text"> + <string>Require SCT hits:</string> + </property> + <property name="checked"> + <bool>false</bool> + </property> + </widget> + </item> + <item row="1" column="1"> + <widget class="QSpinBox" name="spinBox_cut_nhits_sct"> + <property name="value"> + <number>1</number> + </property> + </widget> + </item> + <item row="2" column="0"> + <widget class="QCheckBox" name="checkBox_cut_nhits_trt"> + <property name="toolTip"> + <string>Hide tracks without this many TRT hits. Only applies to tracks with ID information.</string> + </property> + <property name="text"> + <string>Require TRT hits:</string> + </property> + </widget> + </item> + <item row="2" column="1"> + <widget class="QSpinBox" name="spinBox_cut_nhits_trt"/> + </item> + <item row="3" column="1"> + <widget class="QSpinBox" name="spinBox_cut_nhits_muon"/> + </item> + <item row="3" column="0"> + <widget class="QCheckBox" name="checkBox_cut_nhits_muon"> + <property name="text"> + <string>Require Muon hits:</string> + </property> + </widget> + </item> + <item row="4" column="0"> + <widget class="QCheckBox" name="checkBox_cut_nprecisionhits_muon"> + <property name="text"> + <string>Require Precision Muon hits:</string> + </property> + </widget> + </item> + <item row="4" column="1"> + <widget class="QSpinBox" name="spinBox_cut_nprecisionhits_muon"/> + </item> + </layout> + </item> + <item> + <widget class="QLabel" name="label"> + <property name="autoFillBackground"> + <bool>false</bool> + </property> + <property name="text"> + <string>ID requirements only apply to tracks with ID hits (i.e. not MS standalone tracks)</string> + </property> + <property name="wordWrap"> + <bool>true</bool> + </property> + </widget> + </item> + <item> + <spacer name="horizontalSpacer_2"> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>14</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + </layout> + </widget> + </item> + <item> + <widget class="QGroupBox" name="groupBox_cuts_truth_tracks"> + <property name="title"> + <string>Truth tracks</string> + </property> + <layout class="QHBoxLayout"> + <item> + <layout class="QVBoxLayout"> + <item> + <widget class="QCheckBox" name="checkBox_cut_truthtracks_creationvertexinIR"> + <property name="toolTip"> + <string><html><head><meta name="qrichtext" content="1" /><style type="text/css"> +p, li { white-space: pre-wrap; } +</style></head><body style=" font-family:'Sans Serif'; font-size:9pt; font-weight:400; font-style:normal;"> +<p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Secondaries are particles based solely on simhits, or particles with a creation vertex outside the interaction region (|r|&lt;2.8cm, |z|&lt;50cm).</p></body></html></string> + </property> + <property name="text"> + <string>Require creation vertex at IR</string> + </property> + <property name="checked"> + <bool>false</bool> + </property> + </widget> + </item> + <item> + <widget class="QCheckBox" name="checkBox_cut_truthtracks_excludeneutrals"> + <property name="text"> + <string>Exclude neutrals</string> + </property> + <property name="checked"> + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="QCheckBox" name="checkBox_cut_truthtracks_excludebarcode0"> + <property name="toolTip"> + <string><html><head><meta name="qrichtext" content="1" /><style type="text/css"> +p, li { white-space: pre-wrap; } +</style></head><body style=" font-family:'Sans Serif'; font-size:9pt; font-weight:400; font-style:normal;"> +<p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Some simhits will be due to secondary particles without an entry in an HepMC record. Such simhits will be marked as coming from a particle with barcode=0.</p></body></html></string> + </property> + <property name="text"> + <string>Exclude simhits with barcode 0</string> + </property> + <property name="checked"> + <bool>true</bool> + </property> + </widget> + </item> + </layout> + </item> + <item> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType"> + <enum>QSizePolicy::Preferred</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>1</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + </layout> + </widget> + </item> + <item> + <widget class="QCheckBox" name="checkBox_vertexAssociated"> + <property name="enabled"> + <bool>false</bool> + </property> + <property name="toolTip"> + <string>The vertex system must be enabled for this to be usable.</string> + </property> + <property name="text"> + <string>Only show Vertex associated tracks</string> + </property> + </widget> + </item> + <item> + <layout class="QHBoxLayout"> + <item> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>40</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item> + <widget class="QPushButton" name="pushButton_close"> + <property name="text"> + <string>&Close</string> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </widget> + <customwidgets> + <customwidget> + <class>VP1EtaPhiCutWidget</class> + <extends>QWidget</extends> + <header>VP1Base/VP1EtaPhiCutWidget.h</header> + <container>1</container> + </customwidget> + </customwidgets> + <resources/> + <connections/> +</ui> diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/settings_extrapolation_form.ui b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/settings_extrapolation_form.ui new file mode 100644 index 0000000000000000000000000000000000000000..07bacfd6139b0c646d2dfefe851bc4ef618a98c6 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/settings_extrapolation_form.ui @@ -0,0 +1,252 @@ +<?xml version="1.0" encoding="UTF-8"?> +<ui version="4.0"> + <class>TrackSysSettingsExtrapolationsForm</class> + <widget class="QWidget" name="TrackSysSettingsExtrapolationsForm"> + <property name="geometry"> + <rect> + <x>0</x> + <y>0</y> + <width>326</width> + <height>334</height> + </rect> + </property> + <property name="windowTitle"> + <string>Form</string> + </property> + <layout class="QVBoxLayout"> + <item> + <widget class="QGroupBox" name="groupBox"> + <property name="title"> + <string>Propagation calculations</string> + </property> + <layout class="QVBoxLayout"> + <item> + <widget class="QRadioButton" name="radioButton_none"> + <property name="toolTip"> + <string>Simply 'join the dots'</string> + </property> + <property name="text"> + <string>None [fast, crude]</string> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_helical"> + <property name="enabled"> + <bool>false</bool> + </property> + <property name="toolTip"> + <string>Try to use a simpler method to draw tracks</string> + </property> + <property name="text"> + <string>Spline fit [fast, imprecise]</string> + </property> + </widget> + </item> + <item> + <widget class="QRadioButton" name="radioButton_athenaExtrapolator"> + <property name="text"> + <string>Athena extrapolator [slow, precise]</string> + </property> + <property name="checked"> + <bool>true</bool> + </property> + </widget> + </item> + <item> + <layout class="QHBoxLayout"> + <property name="spacing"> + <number>0</number> + </property> + <item> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType"> + <enum>QSizePolicy::Fixed</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>20</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item> + <widget class="QComboBox" name="comboBox_propagator"> + <property name="enabled"> + <bool>false</bool> + </property> + <property name="sizePolicy"> + <sizepolicy hsizetype="Preferred" vsizetype="Fixed"> + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <property name="toolTip"> + <string>Shows the available extrapolars.</string> + </property> + <property name="sizeAdjustPolicy"> + <enum>QComboBox::AdjustToContents</enum> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </widget> + </item> + <item> + <widget class="QGroupBox" name="groupBox_otheroptions"> + <property name="title"> + <string>Other options:</string> + </property> + <layout class="QVBoxLayout" name="verticalLayout"> + <item> + <widget class="QCheckBox" name="checkBox_ignoreMEoT"> + <property name="toolTip"> + <string>If this is set, Track States with only material effects are ignored when drawing lines</string> + </property> + <property name="text"> + <string>Ignore Mat. Effects on Track (scatterers)</string> + </property> + <property name="checked"> + <bool>true</bool> + </property> + </widget> + </item> + <item> + <layout class="QHBoxLayout" name="horizontalLayout"> + <item> + <widget class="QCheckBox" name="checkBox_extendAllTracks"> + <property name="enabled"> + <bool>true</bool> + </property> + <property name="toolTip"> + <string>If this is set, attempt to extend ID tracks to the specified position.</string> + </property> + <property name="text"> + <string>Extend all ID tracks to </string> + </property> + </widget> + </item> + <item> + <widget class="QComboBox" name="comboBox_extendAllTracksToHere"> + <property name="enabled"> + <bool>true</bool> + </property> + <item> + <property name="text"> + <string>Calorimeter</string> + </property> + </item> + </widget> + </item> + </layout> + </item> + <item> + <layout class="QHBoxLayout" name="horizontalLayout_2"> + <item> + <widget class="QCheckBox" name="checkBox_maxRadius"> + <property name="enabled"> + <bool>true</bool> + </property> + <property name="toolTip"> + <string>If this is set, limit radius of Tracks.</string> + </property> + <property name="text"> + <string>Maximum radius [mm]</string> + </property> + </widget> + </item> + <item> + <widget class="QSpinBox" name="spinBox_maxRadiusValue"> + <property name="minimum"> + <number>10</number> + </property> + <property name="maximum"> + <number>50000</number> + </property> + <property name="value"> + <number>50</number> + </property> + </widget> + </item> + </layout> + </item> + <item> + <layout class="QHBoxLayout"> + <item> + <widget class="QLabel" name="label_6"> + <property name="enabled"> + <bool>false</bool> + </property> + <property name="toolTip"> + <string>Determines the number of points calculated on each track. A higher setting results in shorter distances between points.</string> + </property> + <property name="text"> + <string>Granularity:</string> + </property> + </widget> + </item> + <item> + <widget class="QSlider" name="horizontalSlider_granularity"> + <property name="enabled"> + <bool>false</bool> + </property> + <property name="toolTip"> + <string>Determines the number of points calculated on each track. A higher setting results in shorter distances between points.</string> + </property> + <property name="maximum"> + <number>10</number> + </property> + <property name="pageStep"> + <number>1</number> + </property> + <property name="value"> + <number>1</number> + </property> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </widget> + </item> + <item> + <layout class="QHBoxLayout"> + <property name="spacing"> + <number>0</number> + </property> + <item> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>40</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item> + <widget class="QPushButton" name="pushButton_close"> + <property name="text"> + <string>&Close</string> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </widget> + <resources/> + <connections/> +</ui> diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/settings_interactions_form.ui b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/settings_interactions_form.ui new file mode 100644 index 0000000000000000000000000000000000000000..b217ef879dc256f43451dbdaa036d0de0e380f9e --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/settings_interactions_form.ui @@ -0,0 +1,318 @@ +<?xml version="1.0" encoding="UTF-8"?> +<ui version="4.0"> + <class>TrackSysSettingsInteractionsForm</class> + <widget class="QWidget" name="TrackSysSettingsInteractionsForm"> + <property name="geometry"> + <rect> + <x>0</x> + <y>0</y> + <width>319</width> + <height>514</height> + </rect> + </property> + <property name="windowTitle"> + <string>Form</string> + </property> + <layout class="QVBoxLayout" name="verticalLayout"> + <item> + <widget class="QGroupBox" name="groupBox_3"> + <property name="title"> + <string>Selection Mode</string> + </property> + <layout class="QVBoxLayout"> + <item> + <widget class="QRadioButton" name="radioButton_selmode_single"> + <property name="text"> + <string>Single object selection</string> + </property> + <property name="checked"> + <bool>true</bool> + </property> + </widget> + </item> + <item> + <layout class="QVBoxLayout"> + <property name="spacing"> + <number>0</number> + </property> + <property name="leftMargin"> + <number>20</number> + </property> + <property name="bottomMargin"> + <number>4</number> + </property> + <item> + <layout class="QVBoxLayout"> + <property name="spacing"> + <number>0</number> + </property> + <item> + <widget class="QCheckBox" name="checkBox_selsingle_printinfo"> + <property name="text"> + <string>Print information</string> + </property> + <property name="checked"> + <bool>true</bool> + </property> + </widget> + </item> + <item> + <layout class="QHBoxLayout"> + <item> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType"> + <enum>QSizePolicy::Fixed</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>20</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item> + <widget class="QCheckBox" name="checkBox_selsingle_printinfo_verbose"> + <property name="text"> + <string>Verbose</string> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </item> + <item> + <widget class="QCheckBox" name="checkBox_selsingle_orientzoom"> + <property name="text"> + <string>Orient view/zoom</string> + </property> + </widget> + </item> + </layout> + </item> + <item> + <widget class="QRadioButton" name="radioButton_selmode_multitracks"> + <property name="text"> + <string>Multi track selection</string> + </property> + </widget> + </item> + <item> + <layout class="QVBoxLayout"> + <property name="spacing"> + <number>0</number> + </property> + <property name="leftMargin"> + <number>20</number> + </property> + <property name="bottomMargin"> + <number>4</number> + </property> + <item> + <widget class="QCheckBox" name="checkBox_sel_printtotmom"> + <property name="text"> + <string>Print total mom. and mass</string> + </property> + <property name="checked"> + <bool>true</bool> + </property> + </widget> + </item> + <item> + <widget class="QCheckBox" name="checkBox_sel_showtotmom"> + <property name="text"> + <string>Show direction of total mom.</string> + </property> + <property name="checked"> + <bool>true</bool> + </property> + </widget> + </item> + </layout> + </item> + <item> + <widget class="QRadioButton" name="radioButton_selmode_trackfits"> + <property name="toolTip"> + <string>Particularly useful for refit from PRDs</string> + </property> + <property name="text"> + <string>Select PRDs from Track</string> + </property> + </widget> + </item> + </layout> + </widget> + </item> + <item> + <widget class="QGroupBox" name="groupBox_refitting"> + <property name="title"> + <string>Refitting</string> + </property> + <layout class="QGridLayout" name="gridLayout"> + <item row="0" column="0"> + <widget class="QLabel" name="label"> + <property name="text"> + <string>Fitter:</string> + </property> + </widget> + </item> + <item row="0" column="1" colspan="2"> + <widget class="QComboBox" name="comboBox_fitters"> + <property name="toolTip"> + <string>Select from currently available fitters</string> + </property> + </widget> + </item> + <item row="1" column="1" colspan="2"> + <widget class="QComboBox" name="comboBox_fitterMode"> + <property name="toolTip"> + <string>Chooses the mode in which the fitter runs.</string> + </property> + <item> + <property name="text"> + <string>Fit PRDs</string> + </property> + </item> + <item> + <property name="text"> + <string>Refit Track</string> + </property> + </item> + </widget> + </item> + <item row="2" column="1" colspan="2"> + <widget class="QCheckBox" name="checkBox_removeOutliers"> + <property name="text"> + <string>Remove Outliers</string> + </property> + </widget> + </item> + <item row="3" column="0"> + <widget class="QLabel" name="label_4"> + <property name="text"> + <string>Particle Hypo:</string> + </property> + </widget> + </item> + <item row="3" column="1" colspan="2"> + <widget class="QComboBox" name="comboBox_particleHypo"> + <property name="toolTip"> + <string>Chooses the mode in which the fitter runs.</string> + </property> + <item> + <property name="text"> + <string>Pion</string> + </property> + </item> + <item> + <property name="text"> + <string>Non Interacting</string> + </property> + </item> + <item> + <property name="text"> + <string>Electron</string> + </property> + </item> + <item> + <property name="text"> + <string>Muon</string> + </property> + </item> + <item> + <property name="text"> + <string>Kaon</string> + </property> + </item> + <item> + <property name="text"> + <string>Proton</string> + </property> + </item> + <item> + <property name="text"> + <string>Photon</string> + </property> + </item> + </widget> + </item> + <item row="4" column="0"> + <widget class="QLabel" name="label_2"> + <property name="text"> + <string>Output name:</string> + </property> + </widget> + </item> + <item row="4" column="1" colspan="2"> + <widget class="QLineEdit" name="lineEdit_fittedTrackCollName"> + <property name="text"> + <string>Fitted track</string> + </property> + </widget> + </item> + <item row="5" column="0"> + <spacer name="horizontalSpacer"> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType"> + <enum>QSizePolicy::Preferred</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>78</width> + <height>24</height> + </size> + </property> + </spacer> + </item> + <item row="5" column="1" colspan="2"> + <widget class="QPushButton" name="pushButton_refit"> + <property name="text"> + <string>Fit track from 0 PRDs</string> + </property> + </widget> + </item> + <item row="1" column="0"> + <widget class="QLabel" name="label_3"> + <property name="text"> + <string>Mode:</string> + </property> + </widget> + </item> + </layout> + </widget> + </item> + <item> + <layout class="QHBoxLayout" name="horizontalLayout"> + <item> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>98</width> + <height>18</height> + </size> + </property> + </spacer> + </item> + <item> + <widget class="QPushButton" name="pushButton_close"> + <property name="text"> + <string>&Close</string> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </widget> + <resources/> + <connections/> +</ui> diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/settings_projections_form.ui b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/settings_projections_form.ui new file mode 100644 index 0000000000000000000000000000000000000000..c1956ceccd84b991cf10bfe147416a9c76605674 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/settings_projections_form.ui @@ -0,0 +1,157 @@ +<?xml version="1.0" encoding="UTF-8"?> +<ui version="4.0"> + <class>TrackSysSettingsProjectionsForm</class> + <widget class="QWidget" name="TrackSysSettingsProjectionsForm"> + <property name="geometry"> + <rect> + <x>0</x> + <y>0</y> + <width>206</width> + <height>198</height> + </rect> + </property> + <property name="windowTitle"> + <string>Projections</string> + </property> + <layout class="QVBoxLayout"> + <item> + <widget class="QGroupBox" name="groupBox"> + <property name="title"> + <string>Track Projections</string> + </property> + <layout class="QVBoxLayout" name="verticalLayout"> + <item> + <widget class="QCheckBox" name="checkBox_projections_muonchambers"> + <property name="toolTip"> + <string><html><head><meta name="qrichtext" content="1" /><style type="text/css"> +p, li { white-space: pre-wrap; } +</style></head><body style=" font-family:'Sans Serif'; font-size:9pt; font-weight:400; font-style:normal;"> +<p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Whether to project track objects to either or both of inner detector projection surfaces and muon chamber sides respectively (only takes effect when the appropriate surfaces/chambers are shown).</p></body></html></string> + </property> + <property name="text"> + <string>Muon chamber sides</string> + </property> + </widget> + </item> + <item> + <widget class="QCheckBox" name="checkBox_projections_indet"> + <property name="toolTip"> + <string><html><head><meta name="qrichtext" content="1" /><style type="text/css"> +p, li { white-space: pre-wrap; } +</style></head><body style=" font-family:'Sans Serif'; font-size:9pt; font-weight:400; font-style:normal;"> +<p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Whether to project track objects to either or both of inner detector projection surfaces and muon chamber sides respectively (only takes effect when the appropriate surfaces/chambers are shown).</string> + </property> + <property name="text"> + <string>Inner detector surfaces</string> + </property> + </widget> + </item> + <item> + <widget class="QGroupBox" name="groupBox_projections_vertex"> + <property name="title"> + <string>Vertex Projection</string> + </property> + <property name="flat"> + <bool>true</bool> + </property> + <property name="checkable"> + <bool>true</bool> + </property> + <property name="checked"> + <bool>false</bool> + </property> + <layout class="QHBoxLayout" name="horizontalLayout"> + <item> + <widget class="QSpinBox" name="spinBox_projections_vertex"> + <property name="maximum"> + <number>179</number> + </property> + <property name="value"> + <number>90</number> + </property> + </widget> + </item> + <item> + <widget class="QSlider" name="horizontalSlider_projections_vertex"> + <property name="maximum"> + <number>179</number> + </property> + <property name="pageStep"> + <number>10</number> + </property> + <property name="sliderPosition"> + <number>90</number> + </property> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + </widget> + </item> + </layout> + </widget> + </item> + </layout> + </widget> + </item> + <item> + <layout class="QHBoxLayout"> + <item> + <spacer> + <property name="orientation"> + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0"> + <size> + <width>40</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item> + <widget class="QPushButton" name="pushButton_close"> + <property name="text"> + <string>&Close</string> + </property> + </widget> + </item> + </layout> + </item> + </layout> + </widget> + <resources/> + <connections> + <connection> + <sender>horizontalSlider_projections_vertex</sender> + <signal>valueChanged(int)</signal> + <receiver>spinBox_projections_vertex</receiver> + <slot>setValue(int)</slot> + <hints> + <hint type="sourcelabel"> + <x>164</x> + <y>122</y> + </hint> + <hint type="destinationlabel"> + <x>57</x> + <y>123</y> + </hint> + </hints> + </connection> + <connection> + <sender>spinBox_projections_vertex</sender> + <signal>valueChanged(int)</signal> + <receiver>horizontalSlider_projections_vertex</receiver> + <slot>setValue(int)</slot> + <hints> + <hint type="sourcelabel"> + <x>57</x> + <y>123</y> + </hint> + <hint type="destinationlabel"> + <x>160</x> + <y>122</y> + </hint> + </hints> + </connection> + </connections> +</ui> diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/shift_muon_chamber_form.ui b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/shift_muon_chamber_form.ui new file mode 100644 index 0000000000000000000000000000000000000000..cf20357dd2b6010a422154a878255aee1e48b742 --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/shift_muon_chamber_form.ui @@ -0,0 +1,269 @@ +<ui version="4.0" > + <class>TrackSysShiftMuonChambersForm</class> + <widget class="QWidget" name="TrackSysShiftMuonChambersForm" > + <property name="geometry" > + <rect> + <x>0</x> + <y>0</y> + <width>198</width> + <height>334</height> + </rect> + </property> + <property name="windowTitle" > + <string>Form</string> + </property> + <layout class="QVBoxLayout" name="verticalLayout" > + <item> + <layout class="QHBoxLayout" name="horizontalLayout" > + <item> + <spacer name="horizontalSpacer_6" > + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0" > + <size> + <width>40</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item> + <widget class="QLabel" name="label_7" > + <property name="text" > + <string>Station</string> + </property> + </widget> + </item> + <item> + <widget class="QLabel" name="StationName" > + <property name="text" > + <string>BML</string> + </property> + </widget> + </item> + <item> + <spacer name="horizontalSpacer_5" > + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0" > + <size> + <width>40</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + </layout> + </item> + <item> + <widget class="Line" name="line" > + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + </widget> + </item> + <item> + <layout class="QHBoxLayout" name="horizontalLayout_3" > + <item> + <spacer name="horizontalSpacer_4" > + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0" > + <size> + <width>40</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item> + <layout class="QGridLayout" name="gridLayout" > + <item row="0" column="0" > + <widget class="QLabel" name="label" > + <property name="text" > + <string>tra_s</string> + </property> + </widget> + </item> + <item row="0" column="1" > + <widget class="QDoubleSpinBox" name="doubleSpinBox_tra_s" /> + </item> + <item row="1" column="0" > + <widget class="QLabel" name="label_2" > + <property name="text" > + <string>tra_z</string> + </property> + </widget> + </item> + <item row="1" column="1" > + <widget class="QDoubleSpinBox" name="doubleSpinBox_tra_z" /> + </item> + <item row="2" column="0" > + <widget class="QLabel" name="label_3" > + <property name="text" > + <string>tra_t</string> + </property> + </widget> + </item> + <item row="2" column="1" > + <widget class="QDoubleSpinBox" name="doubleSpinBox_tra_t" /> + </item> + <item row="3" column="0" > + <widget class="QLabel" name="label_4" > + <property name="text" > + <string>rot_s</string> + </property> + </widget> + </item> + <item row="3" column="1" > + <widget class="QDoubleSpinBox" name="doubleSpinBox_rot_s" /> + </item> + <item row="4" column="0" > + <widget class="QLabel" name="label_5" > + <property name="text" > + <string>rot_z</string> + </property> + </widget> + </item> + <item row="4" column="1" > + <widget class="QDoubleSpinBox" name="doubleSpinBox_rot_z" /> + </item> + <item row="5" column="0" > + <widget class="QLabel" name="label_6" > + <property name="text" > + <string>rot_t</string> + </property> + </widget> + </item> + <item row="5" column="1" > + <widget class="QDoubleSpinBox" name="doubleSpinBox_rot_t" /> + </item> + </layout> + </item> + <item> + <spacer name="horizontalSpacer" > + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0" > + <size> + <width>28</width> + <height>135</height> + </size> + </property> + </spacer> + </item> + </layout> + </item> + <item> + <layout class="QHBoxLayout" name="horizontalLayout_4" > + <item> + <spacer name="horizontalSpacer_8" > + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0" > + <size> + <width>40</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item> + <widget class="QComboBox" name="comboBox_level" > + <item> + <property name="text" > + <string>Level 0</string> + </property> + </item> + <item> + <property name="text" > + <string>Level 1</string> + </property> + </item> + <item> + <property name="text" > + <string>Level 2</string> + </property> + </item> + <item> + <property name="text" > + <string>Level 3</string> + </property> + </item> + </widget> + </item> + <item> + <spacer name="horizontalSpacer_7" > + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0" > + <size> + <width>40</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + </layout> + </item> + <item> + <layout class="QHBoxLayout" name="horizontalLayout_2" > + <item> + <spacer name="horizontalSpacer_2" > + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0" > + <size> + <width>40</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + <item> + <widget class="QPushButton" name="pushButton_Update" > + <property name="text" > + <string>Update</string> + </property> + </widget> + </item> + <item> + <spacer name="horizontalSpacer_3" > + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeHint" stdset="0" > + <size> + <width>40</width> + <height>20</height> + </size> + </property> + </spacer> + </item> + </layout> + </item> + <item> + <spacer name="verticalSpacer" > + <property name="orientation" > + <enum>Qt::Vertical</enum> + </property> + <property name="sizeHint" stdset="0" > + <size> + <width>20</width> + <height>26</height> + </size> + </property> + </spacer> + </item> + </layout> + </widget> + <resources/> + <connections/> +</ui> diff --git a/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/vp1trackcontrollerform.ui b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/vp1trackcontrollerform.ui new file mode 100644 index 0000000000000000000000000000000000000000..4a729ebe1a68fe42680e201935083678bc2bd80a --- /dev/null +++ b/graphics/VTI12/VTI12Systems/VTI12TrackSystems/src/vp1trackcontrollerform.ui @@ -0,0 +1,161 @@ +<ui version="4.0" > + <class>VP1TrackControllerForm</class> + <widget class="QWidget" name="VP1TrackControllerForm" > + <property name="geometry" > + <rect> + <x>0</x> + <y>0</y> + <width>332</width> + <height>563</height> + </rect> + </property> + <property name="windowTitle" > + <string>Form</string> + </property> + <layout class="QVBoxLayout" name="verticalLayout" > + <item> + <layout class="QHBoxLayout" name="horizontalLayout" > + <item> + <widget class="QWidget" native="1" name="widget_settingsButtonsPlaceholder" > + <property name="sizePolicy" > + <sizepolicy vsizetype="Fixed" hsizetype="Fixed" > + <horstretch>0</horstretch> + <verstretch>0</verstretch> + </sizepolicy> + </property> + <layout class="QGridLayout" > + <property name="margin" > + <number>0</number> + </property> + <property name="spacing" > + <number>0</number> + </property> + <item row="0" column="0" > + <widget class="QPushButton" name="pushButton_settings_cuts" > + <property name="toolTip" > + <string>Configure track cuts on quantities such as eta, phi and momentum</string> + </property> + <property name="text" > + <string>Cuts</string> + </property> + <property name="checkable" > + <bool>true</bool> + </property> + </widget> + </item> + <item row="0" column="1" > + <widget class="QPushButton" name="pushButton_settings_colouring" > + <property name="toolTip" > + <string>Configure track colours</string> + </property> + <property name="text" > + <string>Colouring</string> + </property> + <property name="checkable" > + <bool>true</bool> + </property> + </widget> + </item> + <item row="0" column="2" > + <widget class="QPushButton" name="pushButton_settings_interactions" > + <property name="toolTip" > + <string>Settings for what happens in response to selections (printout, zooms, ...)</string> + </property> + <property name="text" > + <string>Interactions</string> + </property> + <property name="checkable" > + <bool>true</bool> + </property> + </widget> + </item> + <item row="1" column="0" > + <widget class="QPushButton" name="pushButton_settings_details" > + <property name="toolTip" > + <string>Configure display of objects (measurements, surfaces, errors, ...) associated with the tracks</string> + </property> + <property name="text" > + <string>Details</string> + </property> + <property name="checkable" > + <bool>true</bool> + </property> + </widget> + </item> + <item row="1" column="1" > + <widget class="QPushButton" name="pushButton_settings_projections" > + <property name="toolTip" > + <string>Configure projections to muon chamber sides and inner detector surfaces</string> + </property> + <property name="text" > + <string>Projections</string> + </property> + <property name="checkable" > + <bool>true</bool> + </property> + </widget> + </item> + <item row="1" column="2" > + <widget class="QPushButton" name="pushButton_settings_extrapolation" > + <property name="toolTip" > + <string>Configure how the curves used for visualisation are constructed based on the actual available track parameters</string> + </property> + <property name="text" > + <string>Propagation</string> + </property> + <property name="checkable" > + <bool>true</bool> + </property> + </widget> + </item> + <item row="2" column="0" > + <widget class="QPushButton" name="pushButton_ObjectBrowser" > + <property name="enabled" > + <bool>true</bool> + </property> + <property name="toolTip" > + <string>Browse tracking objects in this event, and use to navigate in 3D view (especially if zooming is turned on in Interactions)</string> + </property> + <property name="text" > + <string>Browser</string> + </property> + <property name="checkable" > + <bool>true</bool> + </property> + <property name="checked" > + <bool>false</bool> + </property> + <property name="flat" > + <bool>false</bool> + </property> + </widget> + </item> + </layout> + </widget> + </item> + <item> + <spacer> + <property name="orientation" > + <enum>Qt::Horizontal</enum> + </property> + <property name="sizeType" > + <enum>QSizePolicy::Preferred</enum> + </property> + <property name="sizeHint" stdset="0" > + <size> + <width>51</width> + <height>89</height> + </size> + </property> + </spacer> + </item> + </layout> + </item> + <item> + <widget class="QScrollArea" name="collWidgetScrollArea" /> + </item> + </layout> + </widget> + <resources/> + <connections/> +</ui> diff --git a/graphics/VTI12/VTI12Utils/CMakeLists.txt b/graphics/VTI12/VTI12Utils/CMakeLists.txt new file mode 100644 index 0000000000000000000000000000000000000000..ca3fa3a00794df1e2088fc1cafae0bec06fca49c --- /dev/null +++ b/graphics/VTI12/VTI12Utils/CMakeLists.txt @@ -0,0 +1,62 @@ +################################################################################ +# Package: VTI12Utils +################################################################################ +# Author: Thomas Kittelmann +# Author: Riccardo Maria BIANCHI <rbianchi@cern.ch> +################################################################################ + +# Declare the package name: +atlas_subdir( VTI12Utils ) + +# Declare the package's dependencies: +atlas_depends_on_subdirs( + PUBLIC + Control/AthenaKernel + Control/StoreGate + DetectorDescription/GeoPrimitives + Event/EventPrimitives + GaudiKernel + graphics/VP1/VP1Base + PRIVATE + Control/CxxUtils + DetectorDescription/FaserDetDescr + DetectorDescription/GeoModel/GeoModelUtilities + DetectorDescription/GeoModel/GeoModelFaserUtilities + DetectorDescription/GeoModel/GeoSpecialShapes + DetectorDescription/Identifier + Scintillator/ScintDetDescr/ScintIdentifier + Scintillator/ScintDetDescr/ScintReadoutGeometry +# InnerDetector/InDetDetDescr/InDetIdentifier +# InnerDetector/InDetDetDescr/InDetReadoutGeometry +# InnerDetector/InDetRecEvent/InDetRIO_OnTrack + Tracking/TrkDetDescr/TrkSurfaces + Tracking/TrkEvent/TrkRIO_OnTrack + graphics/VP1/VP1HEPVis ) + +# External dependencies: +find_package( CLHEP ) # TODO: to be removed when fully migrated to Eigen-based GeoTrf +find_package( Coin3D ) +find_package( Eigen ) +find_package( HepPDT ) +find_package( Qt5 COMPONENTS Core REQUIRED) +find_package( GeoModel ) + +# Generate MOC files automatically: +set( CMAKE_AUTOMOC ON ) + +# Component(s) in the package: +atlas_add_library( VTI12Utils VTI12Utils/*.h src/*.cxx src/*.cpp + PUBLIC_HEADERS VTI12Utils + INCLUDE_DIRS ${CLHEP_INCLUDE_DIRS} + PRIVATE_INCLUDE_DIRS ${HEPPDT_INCLUDE_DIRS} ${COIN3D_INCLUDE_DIRS} + ${EIGEN_INCLUDE_DIRS} + DEFINITIONS ${CLHEP_DEFINITIONS} + LINK_LIBRARIES ${CLHEP_LIBRARIES} ${GEOMODEL_LIBRARIES} EventPrimitives + GaudiKernel VP1Base StoreGateLib SGtests AthDSoCallBacks + GeoPrimitives Qt5::Core + PRIVATE_LINK_LIBRARIES ${HEPPDT_LIBRARIES} ${COIN3D_LIBRARIES} + ${EIGEN_LIBRARIES} CxxUtils FaserDetDescr + GeoModelUtilities GeoModelFaserUtilities GeoSpecialShapes Identifier + ScintIdentifier ScintReadoutGeometry +# InDetIdentifier InDetReadoutGeometry InDetRIO_OnTrack + TrkSurfaces TrkRIO_OnTrack VP1HEPVis ) diff --git a/graphics/VTI12/VTI12Utils/VTI12Utils/HitToSoNode.h b/graphics/VTI12/VTI12Utils/VTI12Utils/HitToSoNode.h new file mode 100644 index 0000000000000000000000000000000000000000..3f624dd3121ee535689a92e4ee8770a396361479 --- /dev/null +++ b/graphics/VTI12/VTI12Utils/VTI12Utils/HitToSoNode.h @@ -0,0 +1,64 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +// Update: Riccardo Maria BIANCHI rbianchi@cern.ch Feb 2014 // + +#ifndef VTI12UTILS_HITTOSONODE_H +#define VTI12UTILS_HITTOSONODE_H + +// This class is to allow the PRD and track systems to share the same code for drawing DEs. + +#include "VP1Base/VP1HelperClassBase.h" + +// Eigen Migration +#include "GeoPrimitives/GeoPrimitives.h" +#include "GeoPrimitives/CLHEPtoEigenConverter.h" +#include "GeoPrimitives/GeoPrimitivesHelpers.h" +// new files +#include "GeoPrimitives/CLHEPtoEigenEulerAnglesConverters.h" +#include "GeoPrimitives/EulerAnglesHelpers.h" + + +class SoSeparator; +class SoTransform; + +namespace Trk { + class RIO_OnTrack; + class TrkDetElementBase; +} +class Identifier; + +class HitToSoNode : public VP1HelperClassBase { +public: + + HitToSoNode( IVP1System * sys = 0 );//sys for messages + ~HitToSoNode(); + + SoTransform * createTransform(const Trk::RIO_OnTrack& rio, bool useSurfacePositionOnly) const; + void buildStripShapes(const Trk::RIO_OnTrack& rio, SoSeparator*&shape_simple, SoSeparator*&shape_detailed, bool blockGP); + // void buildTubeShapes(const Trk::RIO_OnTrack& rio, SoSeparator*&shape_simple, SoSeparator*&shape_detailed, bool blockGP, double length, bool doProjection); + +private: + + HitToSoNode( const HitToSoNode & ); + HitToSoNode & operator= ( const HitToSoNode & ); + + // Eigen migration +// void fillValues(Identifier& id, const Trk::TrkDetElementBase* baseDetEl, double& striplength, double& stripWidth, double& stripThickness, Trk::LocalPosition*& localposStrip); +// void fillRPCValues(Identifier& id, const Trk::TrkDetElementBase* baseDetEl, double& striplength, double& stripWidth, double& stripThickness, Trk::LocalPosition*& localposStrip); +// void fillTGCValues(Identifier& id, const Trk::TrkDetElementBase* baseDetEl, double& striplength, double& stripWidth, double& stripThickness, Trk::LocalPosition*& localposStrip); +// void fillCSCValues(Identifier& id, const Trk::TrkDetElementBase* baseDetEl, double& striplength, double& stripWidth, double& stripThickness, Trk::LocalPosition*& localposStrip); +// void fillSTGCValues(Identifier& id, const Trk::TrkDetElementBase* baseDetEl, double& striplength, double& stripWidth, double& stripThickness, Trk::LocalPosition*& localposStrip); +// void fillMMValues(Identifier& id, const Trk::TrkDetElementBase* baseDetEl, double& striplength, double& stripWidth, double& stripThickness, Trk::LocalPosition*& localposStrip); +// void fillSiValues(Identifier& id, const Trk::TrkDetElementBase* baseDetEl, double& striplength, double& stripWidth, double& stripThickness, Trk::LocalPosition*& localposStrip); +// + void fillValues(Identifier& id, const Trk::TrkDetElementBase* baseDetEl, double& striplength, double& stripWidth, double& stripThickness, Amg::Vector2D*& localposStrip); + // void fillSiValues(Identifier& id, const Trk::TrkDetElementBase* baseDetEl, double& striplength, double& stripWidth, double& stripThickness, Amg::Vector2D*& localposStrip); + + class Imp; + Imp * m_d; +}; + +#endif diff --git a/graphics/VTI12/VTI12Utils/VTI12Utils/HitsSoNodeManager.h b/graphics/VTI12/VTI12Utils/VTI12Utils/HitsSoNodeManager.h new file mode 100644 index 0000000000000000000000000000000000000000..8738dd4085f676e48621e8b2d02c6974bd4ade0f --- /dev/null +++ b/graphics/VTI12/VTI12Utils/VTI12Utils/HitsSoNodeManager.h @@ -0,0 +1,45 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef VTI12UTILS_HITSSONODEMANAGER_H +#define VTI12UTILS_HITSSONODEMANAGER_H + +//This class should as far as possible be used to create all shape +//nodes for hits. This allows for shared instancing and optimal memory +//and rendering performance. +// +//Author: Thomas Kittelmann. +#include "VP1Base/VP1HelperClassBase.h" +class SoNode; +class SoTransform; + +class HitsSoNodeManager : public VP1HelperClassBase { +public: + + HitsSoNodeManager( IVP1System * sys = 0 );//sys for messages + ~HitsSoNodeManager(); + + SoNode* getShapeNode_Point(); + SoNode* getShapeNode_Cross( double extent ); + // SoNode* getShapeNode_Cross( double extent, double x, double y, double z ); + SoNode* getShapeNode_DriftDisc( double radius );//Af flat drift tube. Returns point if radius is 0 + SoNode* getShapeNode_DriftTube( double halfLength, double radius );//Will return an SoCylinder unless radius is 0 - in that case returns a line. + SoNode* getShapeNode_ProjectedDriftTube( double halfLength, double radius, bool inner, bool outer );//Will return SoCylinder(s) unless radius is 0 - in that case returns point(s). + SoNode* getShapeNode_Strip( double length, double width = 0, double depth=0 );//if width & depth are 0, will return a line. If all are 0, will return a point. + SoNode* getShapeNode_Wire( double length, double minWidth = 0, double maxWidth=0, double depth=0 ); + SoNode* getShapeNode_Pad( double length, double minWidth = 0, double maxWidth=0, double depth=0 ); + + SoTransform * getUnitTransform(); + +private: + + HitsSoNodeManager( const HitsSoNodeManager & ); + HitsSoNodeManager & operator= ( const HitsSoNodeManager & ); + + class Imp; + Imp * m_d; + +}; + +#endif diff --git a/graphics/VTI12/VTI12Utils/VTI12Utils/InDetProjFlags.h b/graphics/VTI12/VTI12Utils/VTI12Utils/InDetProjFlags.h new file mode 100644 index 0000000000000000000000000000000000000000..db1cf1e48b198329e5c13294534f18137b3c05d6 --- /dev/null +++ b/graphics/VTI12/VTI12Utils/VTI12Utils/InDetProjFlags.h @@ -0,0 +1,85 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +//////////////////////////////////////////////////////////////// +// // +// Common flags for Inner Detector projections // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: November 2007 // +// // +//////////////////////////////////////////////////////////////// + +//NB: This header file is intended to be seen by other systems (so +// they can use the flag types as signal parameters) - thus don't add +// extra includes/functionality here! + +#ifndef VTI12UTILS_INDETPROJECTIONFLAGS_H +#define VTI12UTILS_INDETPROJECTIONFLAGS_H + +#include <QFlags> + +class InDetProjFlags { +public: + + //Projected data in which parts of the detector: + enum DetTypeFlag { + NoDet = 0x000000, + SCT_brlpos = 0x000001, + SCT_brlneg = 0x000002, + SCT_ecpos = 0x000004, + SCT_ecneg = 0x000008, + SCT_all = 0x00000F, + Pixel_brlpos = 0x000010, + Pixel_brlneg = 0x000020, + Pixel_ecpos = 0x000040, + Pixel_ecneg = 0x000080, + Pixel_all = 0x0000F0, + TRT_brlpos = 0x000100, + TRT_brlneg = 0x000200, + TRT_ecpos = 0x000400, + TRT_ecneg = 0x000800, + TRT_all = 0x000F00 + }; + Q_DECLARE_FLAGS(DetTypeFlags, DetTypeFlag) + + //Project to which surfaces: + enum InDetProjPartsFlag { + NoProjections = 0x000000, + BarrelPositive = 0x000001, + BarrelNegative = 0x000002, + BarrelCentral = 0x000004, + EndCapOuterPositive = 0x000010, + EndCapOuterNegative = 0x000020, + EndCapInnerPositive = 0x000040, + EndCapInnerNegative = 0x000080, + //TRT only: + TRT_EndCapZToRPositive = 0x000100, + TRT_EndCapZToRNegative = 0x000200, + TRT_EndCapZToRCentral = 0x000400, + //Convenience: + Barrel_All = 0x000007, + Barrel_AllPos = 0x000005, + Barrel_AllNeg = 0x000006, + EndCap_All = 0x0007F0, + EndCap_AllPos = 0x000550, + EndCap_AllNeg = 0x0006A0 + }; + Q_DECLARE_FLAGS(InDetProjPartsFlags, InDetProjPartsFlag) + + //To null out parts of the flags, if the corresponding detector parts are not used: + static void projectionPartsGivenUsedDetectors( InDetProjPartsFlags& proj_pixel, + InDetProjPartsFlags& proj_sct, + InDetProjPartsFlags& proj_trt, + const DetTypeFlags& useddets ); + +private: + InDetProjFlags(); + ~InDetProjFlags(); +}; + +Q_DECLARE_OPERATORS_FOR_FLAGS(InDetProjFlags::DetTypeFlags) +Q_DECLARE_OPERATORS_FOR_FLAGS(InDetProjFlags::InDetProjPartsFlags) + +#endif diff --git a/graphics/VTI12/VTI12Utils/VTI12Utils/SbPolyhedrizeAction.h b/graphics/VTI12/VTI12Utils/VTI12Utils/SbPolyhedrizeAction.h new file mode 100644 index 0000000000000000000000000000000000000000..aee527bbc33488a04d640c7e2dc5353e548a660a --- /dev/null +++ b/graphics/VTI12/VTI12Utils/VTI12Utils/SbPolyhedrizeAction.h @@ -0,0 +1,77 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +// ---------------------------------------------------------------------// +// // +// GeoPolyhedrizeAction. For internal use by SoVisualizeAction // +// Author: Joe Boudreau // +// // +//----------------------------------------------------------------------// + +#ifndef SbPolyhedrizeAction_h +#define SbPolyhedrizeAction_h 1 +#include "GeoModelKernel/GeoShapeAction.h" +class SbPolyhedron; +class SbPolyhedrizeAction : public GeoShapeAction + +{ + + public: + + SbPolyhedrizeAction(); + + virtual ~SbPolyhedrizeAction(); + + virtual void handleShift(const GeoShapeShift *shift); + + virtual void handleUnion(const GeoShapeUnion *unio); + + virtual void handleIntersection(const GeoShapeIntersection *isect); + + virtual void handleSubtraction(const GeoShapeSubtraction *subtract); + + virtual void handleBox(const GeoBox *box); + + virtual void handleCons(const GeoCons *cons); + + virtual void handlePara(const GeoPara *para); + + virtual void handlePcon(const GeoPcon *pcon); + + virtual void handlePgon(const GeoPgon *pgon); + + virtual void handleTrap(const GeoTrap *trap); + + virtual void handleTrd(const GeoTrd *trd); + + virtual void handleTube(const GeoTube *tube); + + virtual void handleTubs(const GeoTubs *tubs); + + virtual void handleSimplePolygonBrep (const GeoSimplePolygonBrep *brep); + + virtual void handleTessellatedSolid (const GeoTessellatedSolid *tessellated); + + virtual void handleGenericTrap (const GeoGenericTrap *gentrap); + + const SbPolyhedron * getPolyhedron() const; + + + private: + + SbPolyhedrizeAction(const SbPolyhedrizeAction &right); + const SbPolyhedrizeAction & operator=(const SbPolyhedrizeAction &right); + + SbPolyhedron *m_polyhedron; + +}; + + + + + + +#endif + + diff --git a/graphics/VTI12/VTI12Utils/VTI12Utils/SoTools.h b/graphics/VTI12/VTI12Utils/VTI12Utils/SoTools.h new file mode 100644 index 0000000000000000000000000000000000000000..6e57c7d32ae73a02fd7ea69a66653b334ba7bca3 --- /dev/null +++ b/graphics/VTI12/VTI12Utils/VTI12Utils/SoTools.h @@ -0,0 +1,30 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +/* + * SoTools.h + * + * Utility functions for Open Inventor nodes and objects + * + * + * Created on: Sep 3, 2014 + * Author: Riccardo Maria BIANCHI - rbianchi@cern.ch + */ + +#ifndef VTI12UTILS_SOTOOLS_H_ +#define VTI12UTILS_SOTOOLS_H_ + +// FWD declarations +class SoNode; + + +class SoTools { +public: + SoTools() {}; + virtual ~SoTools() {}; + + static void dumpNode(SoNode*); +}; + +#endif /* SOTOOLS_H_ */ diff --git a/graphics/VTI12/VTI12Utils/VTI12Utils/SoVisualizeAction.h b/graphics/VTI12/VTI12Utils/VTI12Utils/SoVisualizeAction.h new file mode 100644 index 0000000000000000000000000000000000000000..f15a2b6e06215c60c524417129d72af8ae11bbcb --- /dev/null +++ b/graphics/VTI12/VTI12Utils/VTI12Utils/SoVisualizeAction.h @@ -0,0 +1,71 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +// ---------------------------------------------------------------------// +// // +// SoVisualizeAction. For internal use only. // +// Author: Joe Boudreau // +// // +//----------------------------------------------------------------------// + +#ifndef VTI12UTILS_SOVISUALIZEACTION_H +#define VTI12UTILS_SOVISUALIZEACTION_H 1 + +#include "GeoModelKernel/GeoShapeAction.h" + +class SoShape; + +class SoVisualizeAction : public GeoShapeAction { + +public: + + SoVisualizeAction(); + + virtual ~SoVisualizeAction(); + + virtual void handleShape(const GeoShape *subtract); + + virtual void handleBox(const GeoBox *box); + + virtual void handleCons(const GeoCons *cons); + + virtual void handlePcon(const GeoPcon *pcon); + + virtual void handleTrap(const GeoTrap *trap); + + virtual void handleTrd(const GeoTrd *trd); + + virtual void handleTube(const GeoTube *tube); + + virtual void handleTubs(const GeoTubs *tubs); + + #ifndef BUILDVP1LIGHT + virtual void handleLArCustom(const LArCustomShape *); + #endif + + virtual void handleSimplePolygonBrep(const GeoSimplePolygonBrep *); + + virtual void handleTessellatedSolid (const GeoTessellatedSolid *); + + virtual void handleGenericTrap (const GeoGenericTrap *); + + SoShape * getShape() { return m_shape; } + void reset() { m_shape = 0; } + +private: + + SoVisualizeAction(const SoVisualizeAction &); + const SoVisualizeAction & operator=(const SoVisualizeAction &); + + SoShape *m_shape; +}; + + + + + + +#endif + + diff --git a/graphics/VTI12/VTI12Utils/VTI12Utils/SurfaceToSoNode.h b/graphics/VTI12/VTI12Utils/VTI12Utils/SurfaceToSoNode.h new file mode 100644 index 0000000000000000000000000000000000000000..d98f3e5f87930b106911f4844b222f69cc4e0337 --- /dev/null +++ b/graphics/VTI12/VTI12Utils/VTI12Utils/SurfaceToSoNode.h @@ -0,0 +1,60 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef VTI12UTILS_SURFACETOSONODE_H +#define VTI12UTILS_SURFACETOSONODE_H + +///////////////////////////////////////////////////////////////////////// +// // +// Header file for class SurfaceToSoNode // +// // +// Author: Andreas Salzburger <Andreas.Salzburger@cern.ch> (primary) // +// Thomas Kittelmann <Thomas.Kittelmann@cern.ch> // +// // +// Initial VP1 version: June 2007 // +// // +///////////////////////////////////////////////////////////////////////// + +class SoNode; + +namespace Trk { + class Surface; + class PlaneSurface; + class CylinderSurface; + class DiscSurface; + class StraightLineSurface; + class PerigeeSurface; +} + +class SurfaceToSoNode{ + +public: + // Public type definitions: + + // Default constructor + SurfaceToSoNode(); + + // Destructor + virtual ~SurfaceToSoNode(); + + // the general one, has to do a dynamic cast + SoNode* translateSurface(const Trk::Surface& sf, const bool& simple=false) const; + + // translate a PlaneSurface + SoNode* translatePlaneSurface(const Trk::PlaneSurface& psf ) const; + // translate a CylinderSurface + SoNode* translateCylinderSurface(const Trk::CylinderSurface& csf ) const; + // translate a DiscSurface + SoNode* translateDiscSurface(const Trk::DiscSurface& dsf) const; + // translate a StraightLineSurface + SoNode* translateStraightLineSurface(const Trk::StraightLineSurface& slsf, const bool& simple=false) const; + // translate a PerigeeSurface + SoNode* translatePerigeeSurface(const Trk::PerigeeSurface& persf) const; + + static double surfaceThickness; +}; + +#endif + + diff --git a/graphics/VTI12/VTI12Utils/VTI12Utils/VP1AvailableToolsHelper.h b/graphics/VTI12/VTI12Utils/VTI12Utils/VP1AvailableToolsHelper.h new file mode 100644 index 0000000000000000000000000000000000000000..cf1ef986241535bf722de62f9bc99116b8933446 --- /dev/null +++ b/graphics/VTI12/VTI12Utils/VTI12Utils/VP1AvailableToolsHelper.h @@ -0,0 +1,81 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class VP1AvailableToolsHelper // +// // +// Description: For monitoring the available tools of given // +// tool types, and for automatically taking // +// care of the state of associated gui elements // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: February 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef VTI12UTILS_VP1AVAILABLETOOLSHELPER_H +#define VTI12UTILS_VP1AVAILABLETOOLSHELPER_H + +#include "VP1Base/VP1HelperClassBase.h" +#include <QObject> +#include <QStringList> +class IToolSvc; +class IVP1System; +class QComboBox; +class QWidget; + +class VP1AvailableToolsHelper : public QObject, public VP1HelperClassBase { + + Q_OBJECT + +public: + + VP1AvailableToolsHelper(IToolSvc*, QObject * parent = 0);//Use this to get error messages output to stdout. + VP1AvailableToolsHelper(IVP1System*, QObject * parent = 0);//Use this to also get error messages output in VP1 message area. + virtual ~VP1AvailableToolsHelper(); + + ///////////////////////////////////////////////// + // Change the currently monitored tool-types: // + ///////////////////////////////////////////////// + + void addMonitoredType(const QString&, const QStringList& ignoreList = QStringList());//List of (wildcarded) expressions of tool names to ignore (i.e. "*Fatras*") + void addMonitoredTypes(const QStringList&, const QStringList& ignoreList = QStringList()); + void removeMonitoredType(const QString&); + void removeMonitoredTypes(const QStringList&); + void clearMonitoredTypes(const QString&); + QStringList monitoredTypes() const; + + ///////////////////////////////////////////////////////////////////// + // Get list of available tools (calls update behind the scenes): // + ///////////////////////////////////////////////////////////////////// + + QStringList availableTools() const; + + //Convenience methods: + void setComboBoxData(QComboBox*);//Will be filled with a list of available tools (disabled if none are available); + void disableIfNoTools(QWidget*);//widget will be disabled (enabled) if the list of available tools is empty (not empty). + void handleComboBox(QComboBox*);//Calls setComboBoxData on the combobox whenever the list changes. + void handleEnabledState(QWidget*);//Calls disableIfNoTools on the widget whenever the list changes. + + void scheduleImmediateUpdate() const;//Updates immediately after event queue clears (NB: Not necessary in future Gaudi versions). + +signals: + void availableToolsChanged(const QStringList&) const; + +protected: + void timerEvent ( QTimerEvent * event ); +private: + class Imp; + Imp * m_d; + VP1AvailableToolsHelper( const VP1AvailableToolsHelper & ); + VP1AvailableToolsHelper & operator= ( const VP1AvailableToolsHelper & ); + +private slots: + void widgetDeleted(QObject*);//To automatically remove deleted widgets from internal lists. + void update() const;//Called internally every 2 seconds. In future gaudi versions we can instead register callbacks to the toolSvc. +}; + +#endif diff --git a/graphics/VTI12/VTI12Utils/VTI12Utils/VP1DetInfo.h b/graphics/VTI12/VTI12Utils/VTI12Utils/VP1DetInfo.h new file mode 100644 index 0000000000000000000000000000000000000000..809e43d1fc7ba13379ec5021c72e2519f835a9ed --- /dev/null +++ b/graphics/VTI12/VTI12Utils/VTI12Utils/VP1DetInfo.h @@ -0,0 +1,84 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class VP1DetInfo // +// // +// Description: Convenient and safe access to detector // +// managers and identifier decoding // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: March 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef VTI12UTILS_VP1DETINFO_H +#define VTI12UTILS_VP1DETINFO_H + +class IVP1System; +class StoreGateSvc; +// namespace InDetDD { class TRT_DetectorManager; } +// namespace InDetDD { class PixelDetectorManager; } +// namespace InDetDD { class SCT_DetectorManager; } +namespace ScintDD { class VetoDetectorManager; } +namespace ScintDD { class TriggerDetectorManager; } +namespace ScintDD { class PreshowerDetectorManager; } + +class FaserDetectorID; +class ScintDetectorID; +class VetoID; +class TriggerID; +class PreshowerID; +// class PixelID; +// class SCT_ID; +// class TRT_ID; + +class Identifier; + +class VP1DetInfo { +public: + static void ensureInit( IVP1System* ) {} + static void ensureInit( StoreGateSvc* ) {} + + //NB: Any of the methods returning pointers in this class might + //return null. And it is never allowed to delete any of the returned + //pointers! + + static const ScintDD::VetoDetectorManager * vetoDetMgr(); + static const ScintDD::TriggerDetectorManager * triggerDetMgr(); + static const ScintDD::PreshowerDetectorManager * preshowerDetMgr(); + + // static const InDetDD::PixelDetectorManager * pixelDetMgr(); + // static const InDetDD::SCT_DetectorManager * sctDetMgr(); + // static const InDetDD::TRT_DetectorManager * trtDetMgr(); + + //Base identifier helper: + static const FaserDetectorID * faserIDHelper(); + + //Common specialised identifier helpers: + + static const VetoID * vetoIDHelper(); + static const TriggerID * triggerIDHelper(); + static const PreshowerID * preshowerIDHelper(); + + // static const PixelID * pixelIDHelper(); + // static const SCT_ID * sctIDHelper(); + // static const TRT_ID * trtIDHelper(); + //Todo: Add more as needed. + + //Combines use of the atlasIDHelper and VP1JobConfigInfo to spot + //unsafe identifiers (i.e. a pixel identifier is unsafe if the.pixel + //geometry is not lodaded): + static bool isUnsafe(const Identifier&); + +private: + VP1DetInfo(){} + ~VP1DetInfo(){} + class Imp; +}; + + +#endif diff --git a/graphics/VTI12/VTI12Utils/VTI12Utils/VP1ErrorUtils.h b/graphics/VTI12/VTI12Utils/VTI12Utils/VP1ErrorUtils.h new file mode 100644 index 0000000000000000000000000000000000000000..d476cc775ef63bc4dc3315916ef48a35f872c5be --- /dev/null +++ b/graphics/VTI12/VTI12Utils/VTI12Utils/VP1ErrorUtils.h @@ -0,0 +1,83 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class VP1ErrorUtils // +// // +// Description: Utilities for drawing errors for various // +// measurements // +// // +// Author: Troels Kofoed Jacobsen // +// Initial version: July 2008 // +// // +// Update: Riccardo Maria BIANCHI Feb 2014 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef VTI12UTILS_VP1ERRORUTILS_H +#define VTI12UTILS_VP1ERRORUTILS_H + +//#include "CLHEP/Geometry/Point3D.h" +//#include "TrkParameters/MeasuredTrackParameters.h" +#include "GeoPrimitives/GeoPrimitives.h" +#include "EventPrimitives/EventPrimitives.h"// EDM include(s): + + + +typedef AmgSymMatrix(2) AmgCovMatrix; + +class SoSeparator; +class SoGroup; +class SoLineSet; + +namespace InDet { class PixelCluster; } +namespace Trk { + class Surface; + class CovarianceMatrix; +} + +class VP1ErrorUtils +{ +public: + static void errorAtPlaneSurface( SoSeparator* errSimple, + SoSeparator* errDetailed, + const AmgSymMatrix(5)& tmpCovMat, + const Trk::Surface* theSurface, + const Amg::Vector3D& p1, + const double& nStdDev=3.0, + int numNodes = 12, + const bool& moveToSurface = false, + const bool& force1D=false, + const bool& addTransform=true); + + static void errorAtStraightLineSurface( SoSeparator* errSimple, SoSeparator* errDetailed, + const AmgSymMatrix(5)& tmpcovmat, + const Amg::Vector2D& localPos, + const Trk::Surface* theSurface, + const double& nStdDev=3.0, + const bool& drawZErrCircles=false, + const bool& drawCylinder=false, + int numNodes=12, + const bool& force1D=false, + const bool& addTransform=true); + + static void addRotatedErrorEllipse( SoGroup* gr, + const AmgSymMatrix(5)& covmat, + const double& sigmaScale, + int numNodes=12, + const double& translate=0.0, + const bool& symmetric=false); + + static void addSimple1DError( SoGroup* gr, + const double& error, + const double& sigmaScale, + const double& length); + + static bool covMatrixIsSane( const AmgCovMatrix& covmat); //!< returns false if there is a problem detected with the cov matrix + static bool covMatrixIsSane( const AmgSymMatrix(5)& covmat); //!< returns false if there is a problem detected with the cov matrix +}; + +#endif diff --git a/graphics/VTI12/VTI12Utils/VTI12Utils/VP1JobConfigInfo.h b/graphics/VTI12/VTI12Utils/VTI12Utils/VP1JobConfigInfo.h new file mode 100644 index 0000000000000000000000000000000000000000..c4bc57979a3d5c499719f1d44c931a024530d698 --- /dev/null +++ b/graphics/VTI12/VTI12Utils/VTI12Utils/VP1JobConfigInfo.h @@ -0,0 +1,52 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class VP1JobConfigInfo // +// // +// Description: Provides convenient and safe information // +// about the configuration of a given job // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: March 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef VTI12UTILS_VP1JOBCONFIGINFO_H +#define VTI12UTILS_VP1JOBCONFIGINFO_H + +class IVP1System; +class StoreGateSvc; +class GeoPhysVol; +class GeoPVConstLink; + +class VP1JobConfigInfo { +public: + + static void ensureInit( IVP1System* ) {}//obsolete + static void ensureInit( StoreGateSvc* ) {}//obsolete + + //These next methods tells us what geomodel parts are initialised: + static bool hasGeoModelExperiment();//If GeoModelExperiment/"FASER" can be retrieved + + static bool hasVetoGeometry(); + static bool hasTriggerGeometry(); + static bool hasPreshowerGeometry(); + + // static bool hasPixelGeometry(); + static bool hasSCTGeometry() { return false; } + // static bool hasTRTGeometry(); + + //Top geomodel volume link (not strictly "JobConfig", but here it is): + static const GeoPVConstLink * geoModelWorld();//might return 0 + +private: + VP1JobConfigInfo(){} + ~VP1JobConfigInfo(){} + class Imp; +}; + +#endif diff --git a/graphics/VTI12/VTI12Utils/VTI12Utils/VP1LinAlgUtils.h b/graphics/VTI12/VTI12Utils/VTI12Utils/VP1LinAlgUtils.h new file mode 100644 index 0000000000000000000000000000000000000000..3246c8100797a257d95c1d53c8fa815b23388c53 --- /dev/null +++ b/graphics/VTI12/VTI12Utils/VTI12Utils/VP1LinAlgUtils.h @@ -0,0 +1,97 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class VP1LinAlgUtils // +// // +// Description: Class holding CLHEP/Inventor algebra // +// methods. // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: March 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef VTI12UTILS_VP1LINALGUTILS_H +#define VTI12UTILS_VP1LINALGUTILS_H + +class SoTransform; +class SbMatrix; + +#include "CLHEP/Geometry/Transform3D.h" + +// Eigen Migration +// see atlasoff/DetectorDescription/GeoPrimitives/trunk/GeoPrimitives/CLHEPtoEigenConverter.h +#include "GeoPrimitives/CLHEPtoEigenConverter.h" +#include "GeoPrimitives/GeoPrimitives.h" +#include "GeoPrimitives/GeoPrimitivesHelpers.h" + + +#include <QString> + + +class VP1LinAlgUtils { +public: + + static void transformToMatrix(SoTransform * xf, SbMatrix& result); + static void transformToMatrix(const HepGeom::Transform3D &, SbMatrix& result); + + //Will modify (and return) passed SoTransform pointer, unless it is zero. In that case it creates and returns a new SoTransform. + static SoTransform * toSoTransform(const HepGeom::Transform3D &, SoTransform * t = 0); + static SoTransform * toSoTransform(const Amg::Transform3D &, SoTransform * t = 0); + static SoTransform * toSoTransform(const SbMatrix&, SoTransform * t = 0); + + static void decodeTransformation( const SbMatrix&, //NB: Ignores the parts of the matrix related to scaling! + float& translation_x, float& translation_y, float& translation_z, + float& rotaxis_x, float& rotaxis_y, float& rotaxis_z, float& rotangle_radians ); + + //The following tests for sane transformations and will, if + //contextStr!="", print ERRORs to messageDebug. + //If called for a large number of transformations, it might be a + //good idea to only call when in verbose mode. contextStr's are used + //in the output to ease debugging (i.e. use values such as "input + //volume transformation").: + + static bool isSane( const HepGeom::Transform3D &, const QString& contextStr = "" ); + static bool isSane( const Amg::Transform3D &, const QString& contextStr = "" ); + static bool isSane( const SoTransform *, const QString& contextStr = "" ); + static bool isSane( const SbMatrix&, const QString& contextStr = "" ); + + //Misc: + static double phiFromXY(const double& x, const double&y ); + + //Misc. point/line distances: + + static void distPointLineParam(const Amg::Vector3D& point, const Amg::Vector3D& point0, + const Amg::Vector3D& point1, double& s); + //Modifies 's' to contain the + //parameter describing the point 'P' on the line giving the shortest + //distance as P=point0 + s*(point1-point0) + static double distPointLine2(const Amg::Vector3D& point, const Amg::Vector3D& point0, + const Amg::Vector3D& point1, double& s); + //Returns the shortest distance squared between the point 'point' + //and the line passing 'point0' and 'point1'. + + static void distLineLineParam(const Amg::Vector3D& point0, const Amg::Vector3D& point1, + const Amg::Vector3D& point2, const Amg::Vector3D& point3, + double& s, double& t); + //returns void, but modifies 's' and 't' to describe the points 'P' + //and 'Q' giving the shortest distance between the line passing + //point0 and point1 and the line passing point2 and point3. I.e: P = + //point0 + s*(point1 - point0). Q = point2 + t*(point3-point2) + + //FIXME: this should have a corresponding non-void function + //returning the actual distance (squared), e.g. the distance |PQ|, + //but this is omitted as it adds unneeded calculations ( for the + //current usage ). Also rename method. + +private: + VP1LinAlgUtils(){} + ~VP1LinAlgUtils(){} + class Imp; +}; + +#endif diff --git a/graphics/VTI12/VTI12Utils/VTI12Utils/VP1ParticleData.h b/graphics/VTI12/VTI12Utils/VTI12Utils/VP1ParticleData.h new file mode 100644 index 0000000000000000000000000000000000000000..8824c6b72d338097be29b8a8c2580205a71d5273 --- /dev/null +++ b/graphics/VTI12/VTI12Utils/VTI12Utils/VP1ParticleData.h @@ -0,0 +1,42 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class VP1ParticleData // +// // +// Description: Convenient and efficient access to particle // +// data. // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: March 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef VTI12UTILS_VP1PARTICLEDATA_H +#define VTI12UTILS_VP1PARTICLEDATA_H + +#include <QString> +namespace HepPDT { class ParticleData; } + +class VP1ParticleData { +public: + + //Fast and convenient access methods for often accessed data: + + static double particleMass( const int& pdgcode, bool& ok );//ok == false indicates problems + static double particleCharge( const int& pdgcode, bool& ok );//ok == false indicates problems + static QString particleName( const int& pdgcode, bool& ok );//ok == false indicates problems + + //Full information: + static const HepPDT::ParticleData * particleData( const int& pdgcode );//Returns 0 in case of problems + +private: + VP1ParticleData(){} + ~VP1ParticleData(){} + class Imp; +}; + +#endif diff --git a/graphics/VTI12/VTI12Utils/VTI12Utils/VP1SGAccessHelper.h b/graphics/VTI12/VTI12Utils/VTI12Utils/VP1SGAccessHelper.h new file mode 100644 index 0000000000000000000000000000000000000000..bba20771bf84136dc45ce98b6c167d3b37008eb6 --- /dev/null +++ b/graphics/VTI12/VTI12Utils/VTI12Utils/VP1SGAccessHelper.h @@ -0,0 +1,66 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class VP1SGAccessHelper // +// // +// Description: Helper class for safe StoreGate retrieval // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: March 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef VTI12UTILS_VP1SGACCESSHELPER_H +#define VTI12UTILS_VP1SGACCESSHELPER_H + +#include "VP1Base/VP1HelperClassBase.h" +#include "StoreGate/StoreGate.h" +#include <stdexcept> +class VP1SGContentsHelper; + +class VP1SGAccessHelper : public VP1HelperClassBase { +public: + + VP1SGAccessHelper( IVP1System *, const bool detStore = false );//For messages in gui (detStore=true takes detector rather than event store) + VP1SGAccessHelper( StoreGateSvc * ); + virtual ~VP1SGAccessHelper(); + + //////////////////////////////////////////////////////////////// + //Retrieve objects by type and key: + template <typename T> + bool retrieve( const T* &, const QString& key ) const;//returns false and sets to null pointer in case of errors + + template <typename T> + const T* retrieve( const QString& key ) const;//returns a null pointer in case of errors + + + //////////////////////////////////////////////////////////////// + // Retrieve all objects of type T (use handles as iterators): + template <typename T> + bool retrieve(const DataHandle<T>& begin, const DataHandle<T>& end, const bool&silent = false );//Returns false in case of errors. + //silent = true means all output will be redirected to verbose level + // -> NB: This DataHandle retrieval is something we should avoid in VP1!!! + // -> If you absolutely need to use it (due to bad implementations + // -> in upstream data providers), please use VP1SGContentsHelper + // -> to check that there is not more than one collection of the + // -> type you re trying to retrieve. If there is, abort! + +private: + + VP1SGAccessHelper( const VP1SGAccessHelper & ); + VP1SGAccessHelper & operator= ( const VP1SGAccessHelper & ); + + class Imp; + Imp * m_d; + + StoreGateSvc * storeGate() const; + bool contains(const CLID& id, const QString&) const; +}; + +#include "VTI12Utils/VP1SGAccessHelper.icc" + +#endif diff --git a/graphics/VTI12/VTI12Utils/VTI12Utils/VP1SGAccessHelper.icc b/graphics/VTI12/VTI12Utils/VTI12Utils/VP1SGAccessHelper.icc new file mode 100644 index 0000000000000000000000000000000000000000..165c43416e9aecbff45178eafa4ea9162cb9ceb5 --- /dev/null +++ b/graphics/VTI12/VTI12Utils/VTI12Utils/VP1SGAccessHelper.icc @@ -0,0 +1,98 @@ +/* + Copyright (C) 2002-2018 CERN for the benefit of the ATLAS collaboration +*/ + +#include "VP1Base/VP1Msg.h" + +template <typename T> +inline const T* VP1SGAccessHelper::retrieve( const QString& key ) const +{ + if (VP1Msg::verbose()) + messageVerbose("retrieve(..) called with key = "+key+" for type "+QString(typeid(T).name())); + + if (!storeGate()) { + message("ERROR Does not have StoreGate pointer. Returning null pointer."); + return 0; + } + + if (key.isEmpty()) { + message("ERROR retrieve called with empty key. Returning null pointer."); + return 0; + } + + if (!contains(ClassID_traits<T>::ID(),key)) { + messageDebug("WARNING retrieve called for key="+key+", which is not found in storeGate."); + return 0; + } + + const T* t(0); + bool exception = true; + // StatusCode sc; + try { + t = storeGate()->retrieve<const T>(key.toStdString()); + exception = false; + } catch (const std::runtime_error& e) { + exception = true; + t = 0; + } + if (exception ) { + message("ERROR: Exception thrown during call to StoreGateSvc::retrieve(..) with key="+key); + // sc.isFailure();//To make sure it is checked. + return 0; + } + if (!t) { + message("ERROR: Failed StoreGateSvc::retrieve(..) with key="+key+" claimed to be succesful, but resulted in NULL pointer."); + return 0; + } + if (VP1Msg::verbose()) + messageVerbose("Succesfully retrieved collection "+key); + return t; +} + +template <typename T> +inline bool VP1SGAccessHelper::retrieve( const T* & t, const QString& key ) const +{ + t = retrieve<T>(key); + return t != 0; +} + +template <typename T> +inline bool VP1SGAccessHelper::retrieve(const DataHandle<T>& begin, const DataHandle<T>& end, const bool&silent ) +{ + + if (VP1Msg::verbose()) + messageVerbose("retrieve(DataHandle<"+QString(typeid(T).name())+">,DataHandle<" + +QString(typeid(T).name())+">) called."); + if (!storeGate()) { + QString str("ERROR Does not have StoreGate pointer. Returning null pointer."); + silent ? messageVerbose(str) : message(str); + return false; + } + + bool exception = true; + StatusCode sc; + try { + sc = storeGate()->retrieve(begin,end); + exception = false; + } catch (const std::runtime_error& e) { + exception = true; + } + if (exception) { + QString str("ERROR: Exception thrown during call to StoreGateSvc::retrieve(DataHandle<" + +QString(typeid(T).name())+">,DataHandle<"+QString(typeid(T).name())+">)"); + silent ? messageVerbose(str) : message(str); + sc.isFailure();//To make sure it is checked. + return false; + } + if (sc.isFailure()) { + QString str( "ERROR: Failed StoreGateSvc::retrieve(DataHandle<" + +QString(typeid(T).name())+">,DataHandle<" + +QString(typeid(T).name())+">)"); + silent ? messageVerbose(str) : message(str); + return false; + } + + if (VP1Msg::verbose()) + messageVerbose("Successfully retrieved datahandles to "+QString(typeid(T).name())+"."); + return true; +} diff --git a/graphics/VTI12/VTI12Utils/VTI12Utils/VP1SGContentsHelper.h b/graphics/VTI12/VTI12Utils/VTI12Utils/VP1SGContentsHelper.h new file mode 100644 index 0000000000000000000000000000000000000000..175b94046231507526a05f489bd27383b6def335 --- /dev/null +++ b/graphics/VTI12/VTI12Utils/VTI12Utils/VP1SGContentsHelper.h @@ -0,0 +1,67 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class VP1SGContentsHelper // +// // +// Description: Helper class for retrieving the available // +// keys in storegate for a given type. // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: March 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef VTI12UTILS_VP1SGCONTENTSHELPER_H +#define VTI12UTILS_VP1SGCONTENTSHELPER_H + +#include "VP1Base/VP1HelperClassBase.h" +#include "AthenaKernel/ClassID_traits.h" +#include <QStringList> +class StoreGateSvc; + +class VP1SGContentsHelper : public VP1HelperClassBase { +public: + + VP1SGContentsHelper( IVP1System *, const bool detStore = false );//For messages in gui (detStore=true takes detector rather than event store) + VP1SGContentsHelper( StoreGateSvc * ); + virtual ~VP1SGContentsHelper() {} + + template <typename T> + QStringList getKeys() const; + QStringList getKeys( const CLID& id ) const; + + template <typename T> + bool contains( const QString& key ) const; + bool contains( const CLID& id, const QString& key ) const; + + QList<CLID> getPossibleCLIDs() const; + +private: + + StoreGateSvc * m_sg; + +}; + + +/////////////// +// Inlines // +/////////////// + +template <typename T> +inline QStringList VP1SGContentsHelper::getKeys() const +{ + return getKeys(ClassID_traits<T>::ID()); +} + +template <typename T> +inline bool VP1SGContentsHelper::contains( const QString& key ) const +{ + return contains(ClassID_traits<T>::ID(),key); +} + + +#endif diff --git a/graphics/VTI12/VTI12Utils/VTI12Utils/VP1ToolAccessHelper.h b/graphics/VTI12/VTI12Utils/VTI12Utils/VP1ToolAccessHelper.h new file mode 100644 index 0000000000000000000000000000000000000000..aa8456d634204fecc28883d6e80081df87c53af7 --- /dev/null +++ b/graphics/VTI12/VTI12Utils/VTI12Utils/VP1ToolAccessHelper.h @@ -0,0 +1,52 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class VP1ToolAccessHelper // +// // +// Description: For safe retrieval of tools // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: February 2008 // +// // +//////////////////////////////////////////////////////////////// + +#ifndef VTI12UTILS_VP1TOOLACCESSHELPER_H +#define VTI12UTILS_VP1TOOLACCESSHELPER_H + +#include "VP1Base/VP1HelperClassBase.h" +#include "GaudiKernel/IToolSvc.h" +#include "GaudiKernel/ToolHandle.h" +#include <QString> +#include <map> +#include <stdexcept> + +class IVP1System; + +class VP1ToolAccessHelper : public VP1HelperClassBase { +public: + + VP1ToolAccessHelper( IToolSvc* );//Use this to get error messages output to stdout. + VP1ToolAccessHelper( IVP1System* );//Use this to also error messages output in VP1 message area. + ~VP1ToolAccessHelper() {}//Fixme: We should release tools in destructor. + + //NB: toolname should be in the form "ConcreteToolType/ToolInstanceName" + template <class toolT> + toolT * getToolPointer( const QString& toolname, bool silent=false, + bool createIfNotExists = false );//Returns 0 if tool does not exist or in case of errors. + //It never attempts to create the tool. + //If silent is set, problems are only output as verbose messages + +private: + VP1ToolAccessHelper(const VP1ToolAccessHelper & ); + VP1ToolAccessHelper & operator= (const VP1ToolAccessHelper & ); + IToolSvc * m_toolsvc; + std::map<std::pair<QString,QString>, IAlgTool*> m_toolname2pointer;//key is <toolname, typeinfo> +}; + +#include "VTI12Utils/VP1ToolAccessHelper.icc" + +#endif diff --git a/graphics/VTI12/VTI12Utils/VTI12Utils/VP1ToolAccessHelper.icc b/graphics/VTI12/VTI12Utils/VTI12Utils/VP1ToolAccessHelper.icc new file mode 100644 index 0000000000000000000000000000000000000000..ab6fcbe7ccece84df7311faa43c612ed8791b964 --- /dev/null +++ b/graphics/VTI12/VTI12Utils/VTI12Utils/VP1ToolAccessHelper.icc @@ -0,0 +1,103 @@ +/* + Copyright (C) 2002-2018 CERN for the benefit of the ATLAS collaboration +*/ + +#include "VP1Base/VP1Msg.h" + +template <class toolT> +inline toolT * VP1ToolAccessHelper::getToolPointer( const QString& tooltypeandname, bool silent, bool createIfNotExists ) +{ + //We use the typeid for dynamic type-checking, since, for unknown + //reasons, we have to static_cast through void pointers in order to + //keep correct pointers and avoid dynamic casts to null! + QString typeidstr(typeid(toolT*).name()); + + if (VP1Msg::verbose()) + messageVerbose("getToolPointer(..) called with tool type/name = "+tooltypeandname + +", with return typeid = "+typeidstr); + if (!m_toolsvc) { + messageVerbose("getToolPointer(..) WARNING does not have toolSvc pointer. Returning NULL."); + return 0; + } + if (tooltypeandname.isEmpty()||!tooltypeandname.contains('/')) { + messageDebug("getToolPointer(..) WARNING requested tool name has incorrect format ("+tooltypeandname+")!"); + return 0; + } + + std::pair<QString,QString> id(tooltypeandname,typeidstr); + const typename std::map<std::pair<QString,QString>,IAlgTool*>::iterator it = m_toolname2pointer.find(id); + if (it==m_toolname2pointer.end()) { + //This is the first attempt at retrieval. + + //Fixme/todo: Should we check that tool exists before any attempts + //at retrieval are done?? + + //Create tool handle: + ToolHandle<toolT> toolhandle( tooltypeandname.toStdString(), + 0/*public tools only*/, + createIfNotExists ); + bool exception = true; + bool retrieveok = false; + try { + retrieveok = !toolhandle.retrieve().isFailure(); + exception = false; + } catch (const std::runtime_error& e) { + exception = true; + } + if (exception) { + if (silent) + messageVerbose("ToolHandle<>::retrieve() throws exception."); + else + messageDebug("ToolHandle<>::retrieve() throws exception."); + m_toolname2pointer[id] = 0; + + return 0; + } + if (!retrieveok) { + if (silent) + messageVerbose("getToolPointer(..) ERROR: Failed to retrieve tool: "+tooltypeandname); + else + message("getToolPointer(..) ERROR: Failed to retrieve tool: "+tooltypeandname); + m_toolname2pointer[id] = 0; + return 0; + } + + //Get pointer. + toolT * thetool = &(*toolhandle); + if (!thetool) { + message("getToolPointer(..) ERROR: Tool retrieve claimed to be succesful, but pointer is NULL!"); + return 0; + } + + if (!isValidInterface(thetool)) { + message("getToolPointer(..) ERROR: Tool retrieved is not a valid interface!"); + thetool = 0; + } + if (VP1Msg::verbose()) + messageVerbose("Returning "+str(thetool)+" tool pointer."); + //We need the cast to void ptr to work around some WEIRD pointer + //values introduced by a more straight-forward casting: + void* voidptr = static_cast<void*>(thetool); + IAlgTool* algptr = static_cast<IAlgTool*>(voidptr); + if (VP1Msg::verbose()) + messageVerbose("getToolPointer(..) Storing ptr = "+str(algptr)); + m_toolname2pointer[id] = algptr; + return thetool; + } else { + //Not first attempt: + if (!it->second) { + messageVerbose("getToolPointer(..) Returning null tool pointer since previous retrieval attempts failed))."); + return 0; + } + toolT* pointer = static_cast<toolT*>(static_cast<void*>(it->second)); + if (!pointer) { + //Fixme: Respect silent flag here? + message("getToolPointer(..) ERROR: Could not cast IAlgTool pointer "+str(it->second) + +" to type "+QString(typeid(toolT*).name())+". Returning 0."); + return 0; + } + if (VP1Msg::verbose()) + messageVerbose("getToolPointer(..) Retrieved tool pointer ("+str(pointer)+") succesfully"); + return pointer; + } +} diff --git a/graphics/VTI12/VTI12Utils/src/HitToSodeNode.cxx b/graphics/VTI12/VTI12Utils/src/HitToSodeNode.cxx new file mode 100644 index 0000000000000000000000000000000000000000..beef5e8c22a68e92313f46faf59f7ed2f89d58a8 --- /dev/null +++ b/graphics/VTI12/VTI12Utils/src/HitToSodeNode.cxx @@ -0,0 +1,218 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +// Update: Riccardo Maria BIANCHI rbianchi@cern.ch Feb 2014 // + +#ifndef BUILDVP1LIGHT + +#include "VTI12Utils/HitToSoNode.h" +#include "VTI12Utils/HitsSoNodeManager.h" +#include "VTI12Utils/VP1LinAlgUtils.h" +#include "VTI12Utils/VP1DetInfo.h" +#include "VP1Base/VP1Msg.h" +#include "VP1HEPVis/nodes/SoTransparency.h" + +#include <Inventor/nodes/SoSeparator.h> +#include <Inventor/nodes/SoTranslation.h> +#include <Inventor/nodes/SoNode.h> +#include <Inventor/nodes/SoTransform.h> +#include <Inventor/nodes/SoPointSet.h> +#include <Inventor/nodes/SoLineSet.h> + +#include "TrkSurfaces/Surface.h" +#include "TrkRIO_OnTrack/RIO_OnTrack.h" + +// #include "InDetRIO_OnTrack/TRT_DriftCircleOnTrack.h" + +#include "ScintReadoutGeometry/ScintDetectorElement.h" +// #include "InDetReadoutGeometry/SiDetectorElement.h" + +#include <sstream> +#include <cmath> + + +#include "EventPrimitives/EventPrimitivesToStringConverter.h" +#include "GeoPrimitives/GeoPrimitivesToStringConverter.h" + +class HitToSoNode::Imp { +public: + Imp() : theclass(0), driftdischeight(0.15) {} + HitToSoNode * theclass; + const double driftdischeight; + HitsSoNodeManager nodeManager; +}; + +HitToSoNode::HitToSoNode(IVP1System * sys) + : VP1HelperClassBase(sys,"HitToSoNode"), m_d(new Imp) +{ + m_d->theclass = this; +} + +//____________________________________________________________________ +HitToSoNode::~HitToSoNode() +{ + messageVerbose("destructor begin"); + delete m_d; + messageVerbose("destructor end"); +} + +//____________________________________________________________________ +SoTransform * HitToSoNode::createTransform(const Trk::RIO_OnTrack& rio, bool useSurfacePositionOnly) const +{ + const Trk::Surface& theSurface = rio.detectorElement()->surface(rio.identify()); + SoTransform * theHitTransform = VP1LinAlgUtils::toSoTransform(theSurface.transform()); + + // const Amg::Vector3D* theHitGPos; + if ( useSurfacePositionOnly ) { + // if (verbose) VP1Msg::message("useSurfacePositionOnly"); + theHitTransform->translation.setValue(theSurface.center()[0], theSurface.center()[1], theSurface.center()[2]); + + } else { + + // for strips, clusters or short tubes, use position of hit. + // FIXME - for DCs, shouldn't this be the d0=0 position, i.e. on the wire? + theHitTransform->translation.setValue(rio.globalPosition()[0], rio.globalPosition()[1], rio.globalPosition()[2]); + } + return theHitTransform; +} + +// void HitToSoNode::buildTubeShapes(const Trk::RIO_OnTrack& rio, SoSeparator*&shape_simple, SoSeparator*&shape_detailed, bool /**blockGP*/, double length, bool doProjection) +// { +// const Trk::CylinderBounds* ccbo = dynamic_cast<const Trk::CylinderBounds*>(&(rio.detectorElement()->surface(rio.identify()).bounds())); +// assert(ccbo!=0); +// if (!ccbo) { +// VP1Msg::message("HitToSoNode::buildTubeShapes ERROR: Trk::CylinderBounds conversion failed"); +// return; +// } + +// double radius = fabs(rio.localParameters().get(Trk::locR)); +// if (radius<0.15) +// radius = 0.0;//radius is so small it is better to collapse to line + +// double halflength(ccbo->halflengthZ()); + +// if (doProjection && dynamic_cast<const InDet::TRT_DriftCircleOnTrack*>(&rio)){ + +// double strawLength=2.0*halflength; +// if (strawLength<160.0) +// strawLength = 2*349.3150-strawLength;//Yeah, we hardcode a lot here... but dimensions of TRT barrel straws are not likely to change. + +// SoPointSet * scatPointSet = new SoPointSet; +// SoVertexProperty * scatVtxProperty = new SoVertexProperty; +// scatVtxProperty->vertex.set1Value(0,0.0f,0.0f,strawLength); +// scatPointSet->numPoints=1; +// scatPointSet->vertexProperty.setValue(scatVtxProperty); + +// shape_detailed->addChild(scatPointSet); +// shape_simple->addChild(scatPointSet); + +// } else { +// if (length!=0.0) { +// halflength = length/2.0; +// // FIXME! translate to z position here instead of in AscObj_TSOS, for symmetry with buildStripShapes +// } +// SoNode * simpleShape = m_d->nodeManager.getShapeNode_DriftTube( halflength, 0.0 ); +// shape_simple->addChild(simpleShape); +// //Detailed shape uses tube (unless negligible radius): +// if (radius==0.0) +// shape_detailed->addChild(simpleShape); +// else +// shape_detailed->addChild(m_d->nodeManager.getShapeNode_DriftTube( halflength, radius )); +// } +// } + +void HitToSoNode::buildStripShapes(const Trk::RIO_OnTrack& rio, SoSeparator*&shape_simple, SoSeparator*&shape_detailed, bool blockGP) +{ + // assuming starting with position being that of centre of surface i.e. always working in local coord system + + + double stripLength =100.0, stripWidth = 10.0, stripThickness=1.0; + const Amg::Vector2D* localposROT=0; + Amg::Vector2D* localposStrip=0; + Identifier id=rio.identify(); + fillValues(id, rio.detectorElement(), stripLength, stripWidth, stripThickness, localposStrip); + + //std::cout<<"Got back: "<<stripLength<<","<<stripWidth<<","<<stripThickness<<std::endl; + //std::cout<<"LocalposStrip="<<*localposStrip<<std::endl; + + // if (static_cast<PRDCollHandle_TGC*>(collHandle())->project()) + // striplength += 300.0;//Fixme: Rough extension for now + double tolerance = 3.; + localposROT = rio.detectorElement()->surface( rio.identify() ).globalToLocal(rio.globalPosition(), tolerance); + + if( !localposROT ) + { + localposROT = new Amg::Vector2D; + VP1Msg::message("Warning: Local hit position was NULL"); + } + + if (!blockGP){ + SoSeparator * gpSep = new SoSeparator; + SoTranslation * localtransGP = new SoTranslation; + localtransGP->translation.setValue(static_cast<float>( (*localposROT)[Trk::locX]), + static_cast<float>( (*localposROT)[Trk::locY]), + 0.0f); + + gpSep->addChild(localtransGP); + gpSep->addChild(m_d->nodeManager.getShapeNode_Cross(10)); + shape_detailed->addChild(gpSep); + } + + + SoTranslation * localtrans0 = new SoTranslation; + localtrans0->translation.setValue(static_cast<float>( (*localposStrip)[Trk::locX]), + static_cast<float>( (*localposStrip)[Trk::locY]), + 0.0f); + + + shape_simple->addChild(localtrans0); + shape_simple->addChild( m_d->nodeManager.getShapeNode_Strip(stripLength)); + + shape_detailed->addChild(localtrans0); + shape_detailed->addChild(m_d->nodeManager.getShapeNode_Strip(stripLength,stripWidth,stripThickness)); + // Transform back to centre of Surface + SoTranslation * localtrans1 = new SoTranslation; + localtrans1->translation.setValue(static_cast<float>( -(*localposStrip)[Trk::locX]), + static_cast<float>( -(*localposStrip)[Trk::locY]), + 0.0f); + shape_simple->addChild(localtrans1); + shape_detailed->addChild(localtrans1); + + delete localposStrip; + delete localposROT; +} + +void HitToSoNode::fillValues(Identifier& /*id*/, const Trk::TrkDetElementBase* /*baseDetEl*/, double& /*striplength*/, double& /*stripWidth*/, double& /*stripThickness*/, Amg::Vector2D*& /*localposStrip*/){ + + const FaserDetectorID * idhelper = VP1DetInfo::faserIDHelper(); + if (!idhelper) return; + // if (idhelper->is_indet(id) && (idhelper->is_pixel(id)||idhelper->is_sct(id))) { + // fillSiValues(id, baseDetEl, striplength, stripWidth, stripThickness, localposStrip); return; + // } + VP1Msg::message("Warning: HitToSoNode::fillValues(...) unknown technology."); + return; +} + + +// void HitToSoNode::fillSiValues(Identifier& id, const Trk::TrkDetElementBase* baseDetEl, double& striplength, double& stripWidth, double& stripThickness, Amg::Vector2D*& localposStrip){ +// const InDetDD::SiDetectorElement* detEl = +// dynamic_cast<const InDetDD::SiDetectorElement*>(baseDetEl); +// if ( !detEl){ +// VP1Msg::message("Could not get Si det element"); +// localposStrip = new Amg::Vector2D; +// return; +// } + +// localposStrip = new Amg::Vector2D(detEl->rawLocalPositionOfCell( id )); +// // (*localPosStrip)[Trk::distPhi] += (idhelper->is_pixel(id) ? m_pixelLorentzAngleTool : m_sctLorentzAngleTool)->getLorentzShift(detEl->identifyHash()); +// // SiLorentzAngleTool cannot be used here because HitToSoNode is not a tool nor algorithm + +// striplength = detEl->etaPitch() ; +// stripWidth = detEl->phiPitch( *localposStrip ); +// stripThickness = detEl->thickness()/10.0; + +// } + +#endif // BUILDVP1LIGHT diff --git a/graphics/VTI12/VTI12Utils/src/HitsSoNodeManager.cxx b/graphics/VTI12/VTI12Utils/src/HitsSoNodeManager.cxx new file mode 100644 index 0000000000000000000000000000000000000000..7457703653be35ce06925c575f9337ea0275159d --- /dev/null +++ b/graphics/VTI12/VTI12Utils/src/HitsSoNodeManager.cxx @@ -0,0 +1,463 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#include "VTI12Utils/HitsSoNodeManager.h" +#include "VP1Base/VP1Msg.h" + +#include <Inventor/C/errors/debugerror.h> +#include <Inventor/nodes/SoVertexProperty.h> +#include <Inventor/nodes/SoLineSet.h> +#include <Inventor/nodes/SoPointSet.h> +#include <Inventor/nodes/SoSeparator.h> +#include <Inventor/nodes/SoCylinder.h> +#include <Inventor/nodes/SoRotationXYZ.h> +#include <Inventor/nodes/SoTranslation.h> +#include <Inventor/nodes/SoInfo.h> +#include <Inventor/nodes/SoTransform.h> + +#include "VP1HEPVis/nodes/SoGenericBox.h" + +#include <map> +#include <iostream> + +#include "CxxUtils/fpcompare.h" + +//____________________________________________________________________ +class HitsSoNodeManager::Imp { +public: + Imp() : theclass(0), driftdischeight(0.15), cachedshape_point(0), cached_unittransform(0) {} + HitsSoNodeManager * theclass; + const double driftdischeight; + std::map<double,SoNode*,CxxUtils::fpcompare_fn::less> cachedshapes_drifttubes; + std::map<double,SoNode*,CxxUtils::fpcompare_fn::less> cachedshapes_driftdiscs; + std::map<double,SoNode*,CxxUtils::fpcompare_fn::less> cachedshapes_projdrifttubes; + std::map<double,SoNode*,CxxUtils::fpcompare_fn::less> cachedshapes_strips; + SoNode * cachedshape_point; + std::map<double,SoNode*,CxxUtils::fpcompare_fn::less> cachedshapes_cross; + SoTransform * cached_unittransform; + + //Util, for cleaning up: + template <class T> + static void unrefValues(T&t) { + typename T::iterator it(t.begin()), itE(t.end()); + for (;it!=itE;++it) + it->second->unref(); + } + + void sanitiseParameterValue( double& x ) { + //Flips sign of parameter if negative, and makes sure it is not of + //negligible size. + if ( x != x ) { + theclass->message("sanitiseParameterValue WARNING - received nan paramter. Putting to 1.0e-5."); + x = 1.0e-5; + return; + } + if ( x <= 1.0e-5 ) { + if ( x < 0.0 ) { + if (VP1Msg::verbose()) + theclass->messageVerbose("sanitiseParameterValue WARNING - received negative parameter. Flipping sign."); + x = - x; + } + if ( x < 1.0e-5 ) + x = 1.0e-5; + } + } + void sanitiseParameterValueAllowZero( double& x ) { + //Flips sign of parameter if negative, and makes sure it, if + //non-zero, that it is not of negligible size. + if ( x != x ) { + theclass->message("sanitiseParameterValue WARNING - received nan paramter. Putting to 1.0e-5."); + x = 1.0e-5; + return; + } + if ( x <= 1.0e-5 ) { + if ( x < 0.0 ) { + if (VP1Msg::verbose()) + theclass->messageVerbose("sanitiseParameterValue WARNING - received negative parameter. Flipping sign."); + x = - x; + } + if ( x < 1.0e-5 && x != 0.0 ) + x = 1.0e-5; + } + } + + void summarise(unsigned n,const QString& shapename) const; + +}; + + +//____________________________________________________________________ +HitsSoNodeManager::HitsSoNodeManager(IVP1System * sys) + : VP1HelperClassBase(sys,"HitsSoNodeManager"), m_d(new Imp) +{ + m_d->theclass = this; + m_d->cachedshape_point = 0; + m_d->cached_unittransform = 0; +} + + +//____________________________________________________________________ +void HitsSoNodeManager::Imp::summarise(unsigned n,const QString& shapename) const +{ + if (n>100) + theclass->messageDebug(" WARNING: Created more than 100 ("+QString::number(n)+") different "+shapename+" shapes."); + else if (VP1Msg::verbose()) + theclass->messageVerbose("Created "+QString::number(n)+" different "+shapename+" shapes."); +} + + +//____________________________________________________________________ +HitsSoNodeManager::~HitsSoNodeManager() +{ + messageVerbose("destructor begin"); + + //Make sure we know if we didn't have efficient shared instancing: + m_d->summarise(m_d->cachedshapes_drifttubes.size(),"drift tube"); + m_d->summarise(m_d->cachedshapes_driftdiscs.size(),"drift disc"); + m_d->summarise(m_d->cachedshapes_projdrifttubes.size(),"projected drift tube"); + m_d->summarise(m_d->cachedshapes_strips.size(),"strip"); + m_d->summarise(m_d->cachedshapes_cross.size(),"cross"); + + //unref kept nodes: + Imp::unrefValues(m_d->cachedshapes_drifttubes); + Imp::unrefValues(m_d->cachedshapes_driftdiscs); + Imp::unrefValues(m_d->cachedshapes_projdrifttubes); + Imp::unrefValues(m_d->cachedshapes_strips); + Imp::unrefValues(m_d->cachedshapes_cross); + if (m_d->cachedshape_point) + m_d->cachedshape_point->unref(); + if (m_d->cached_unittransform) + m_d->cached_unittransform->unref(); + + delete m_d; + messageVerbose("destructor end"); +} + +//____________________________________________________________________ +SoNode* HitsSoNodeManager::getShapeNode_DriftTube( double halfLength, double radius ) +{ + m_d->sanitiseParameterValue(halfLength); + m_d->sanitiseParameterValueAllowZero(radius); + //Fixme: discretize by radius!! + + double id(halfLength-999999999.9*radius); + std::map<double,SoNode*>::const_iterator it = m_d->cachedshapes_drifttubes.find(id); + if (it!=m_d->cachedshapes_drifttubes.end()) + return it->second; + + if (radius>0) { + SoSeparator*sep = new SoSeparator; + SoRotationXYZ * rot = new SoRotationXYZ; + rot->axis.setValue(SoRotationXYZ::X); + rot->angle.setValue(M_PI*0.5f); + sep->addChild(rot); + SoCylinder * cyl = new SoCylinder; + cyl->radius.setValue(radius); + cyl->height.setValue(2.0f*halfLength); + sep->addChild(cyl); + m_d->cachedshapes_drifttubes[id] = sep; + sep->ref(); + return sep; + } else { + SoVertexProperty * scatVtxProperty = new SoVertexProperty(); + scatVtxProperty->vertex.set1Value(0, 0.0f,0.0f,-halfLength); + scatVtxProperty->vertex.set1Value(1, 0.0f,0.0f, halfLength); + SoLineSet * line = new SoLineSet(); + line->numVertices = 2; + line->vertexProperty = scatVtxProperty; + m_d->cachedshapes_drifttubes[id] = line; + line->ref(); + return line; + } + +} + +//____________________________________________________________________ +SoNode* HitsSoNodeManager::getShapeNode_DriftDisc( double radius ) +{ + m_d->sanitiseParameterValueAllowZero(radius); + if (radius==0.0) + return getShapeNode_Point(); + + std::map<double,SoNode*>::const_iterator it = m_d->cachedshapes_driftdiscs.find(radius); + if (it!=m_d->cachedshapes_driftdiscs.end()) + return it->second; + + SoSeparator*sep = new SoSeparator;//fixme: check if sogroup improves performance. + SoRotationXYZ * rot = new SoRotationXYZ; + rot->axis.setValue(SoRotationXYZ::X); + rot->angle.setValue(M_PI*0.5f); + sep->addChild(rot); + SoCylinder * cyl = new SoCylinder; + cyl->radius.setValue(radius); + cyl->height.setValue(m_d->driftdischeight); + sep->addChild(cyl); + + m_d->cachedshapes_driftdiscs[radius] = sep; + sep->ref(); + return sep; +} + +//____________________________________________________________________ +SoNode* HitsSoNodeManager::getShapeNode_ProjectedDriftTube( double halfLength, double radius, + bool inner, bool outer ) +{ + m_d->sanitiseParameterValue(halfLength); + m_d->sanitiseParameterValueAllowZero(radius); + //Fixme: discretize by radius!! + + double id(halfLength-9999.9*radius-(inner?0.0:-9999799.99)-(outer?0.0:-9999997979.99));//something unique + std::map<double,SoNode*>::const_iterator it = m_d->cachedshapes_projdrifttubes.find(id); + if (it!=m_d->cachedshapes_projdrifttubes.end()) + return it->second; + + if (!inner&&!outer) { + //Should probably never be called. But whatever: + SoInfo * info = new SoInfo;//something harmless and lightweight. + info->ref(); + m_d->cachedshapes_projdrifttubes[id] = info; + return info; + } + + //Fix for inner projections to put the hits from short barrel straws onto same z as the long barrel straws: + double halfLengthInner = halfLength<160.0 ? 2*349.3150-halfLength : halfLength; + m_d->sanitiseParameterValue(halfLengthInner); + + if (radius>0) { + SoSeparator*sep = new SoSeparator;//fixme: check if sogroup improves performance. + SoRotationXYZ * rot = new SoRotationXYZ; + rot->axis.setValue(SoRotationXYZ::X); + rot->angle.setValue(M_PI*0.5f); + sep->addChild(rot); + SoCylinder * cyl = new SoCylinder; + cyl->radius.setValue(radius); + cyl->height.setValue(m_d->driftdischeight); + if (inner) { + SoTranslation * trans = new SoTranslation; + trans->translation.setValue(0.0f,halfLengthInner,0.0f); + sep->addChild(trans); + sep->addChild(cyl); + } + if (outer) { + SoTranslation * trans = new SoTranslation; + trans->translation.setValue(0.0f,(inner?-halfLength-halfLengthInner:-halfLength),0.0f); + sep->addChild(trans); + sep->addChild(cyl); + } + m_d->cachedshapes_projdrifttubes[id] = sep; + sep->ref(); + return sep; + } else { + SoPointSet * scatPointSet = new SoPointSet; + SoVertexProperty * scatVtxProperty = new SoVertexProperty; + int i(0); + if (inner) + scatVtxProperty->vertex.set1Value(i++,0.0f,0.0f,halfLengthInner); + if (outer) + scatVtxProperty->vertex.set1Value(i++,0.0f,0.0f,-halfLength); + scatPointSet->numPoints=i; + scatPointSet->vertexProperty.setValue(scatVtxProperty); + m_d->cachedshapes_projdrifttubes[id] = scatPointSet; + scatPointSet->ref(); + return scatPointSet; + } +} + + +//____________________________________________________________________ +SoNode* HitsSoNodeManager::getShapeNode_Strip( double length, double width, double depth ) +{ + //std::cout << "HitsSoNodeManager::getShapeNode_Strip()" << std::endl; + + m_d->sanitiseParameterValueAllowZero(length); + m_d->sanitiseParameterValueAllowZero(width); + m_d->sanitiseParameterValueAllowZero(depth); + + double id(length-width*9999.99-depth*999999799.0);//something unique + std::map<double,SoNode*>::const_iterator it = m_d->cachedshapes_strips.find(id); + if (it!=m_d->cachedshapes_strips.end()) + return it->second; + + if (width==0.0&&depth==0) { + if (length==0.0) { + std::cout << "lengthStrip==0.0, returning a point..." << std::endl; + return getShapeNode_Point(); + } + //Return a line: + SoVertexProperty * scatVtxProperty = new SoVertexProperty(); + scatVtxProperty->vertex.set1Value(0, 0.0f,-length*0.5f,0.0f); + scatVtxProperty->vertex.set1Value(1, 0.0f, length*0.5f,0.0f); + SoLineSet * line = new SoLineSet(); + line->numVertices = 2; + line->vertexProperty = scatVtxProperty; + m_d->cachedshapes_strips[id] = line; + line->ref(); + return line; + } else { + //Return a box. + SoGenericBox::initClass(); + SoGenericBox* cube = new SoGenericBox; + m_d->sanitiseParameterValue(length); + m_d->sanitiseParameterValue(width); + m_d->sanitiseParameterValue(depth); + cube->setParametersForBox(0.5*width,0.5*length,0.5*depth); + m_d->cachedshapes_strips[id] = cube; + cube->drawEdgeLines = true; + cube->ref(); + return cube; + } + /** Can never reach this line (coverity 31149) + std::cout << "Returning zero!" << std::endl; + return 0; + **/ +} + +//____________________________________________________________________ +SoNode* HitsSoNodeManager::getShapeNode_Wire( double length, double minWidth, double maxWidth, double depth ) +{ + + //std::cout << "HitsSoNodeManager::getShapeNode_Wire()" << std::endl; + + m_d->sanitiseParameterValueAllowZero(length); + m_d->sanitiseParameterValueAllowZero(minWidth); + m_d->sanitiseParameterValueAllowZero(maxWidth); + m_d->sanitiseParameterValueAllowZero(depth); + + //double id(length-minWidth*9999.99-depth*999999799.0);//something unique + //std::map<double,SoNode*>::const_iterator it = m_d->cachedshapes_strips.find(id); + //if (it!=m_d->cachedshapes_strips.end()) + // return it->second; + + if (maxWidth==0.0&&depth==0) { + if (length==0.0) { + std::cout << "lengthWire==0.0, returning a point..." << std::endl; + return getShapeNode_Point(); + } + //Return a line: + SoVertexProperty * scatVtxProperty = new SoVertexProperty(); + scatVtxProperty->vertex.set1Value(0, 0.0f,-length*0.5f,0.0f); + scatVtxProperty->vertex.set1Value(1, 0.0f, length*0.5f,0.0f); + SoLineSet * line = new SoLineSet(); + line->numVertices = 2; + line->vertexProperty = scatVtxProperty; + //m_d->cachedshapes_strips[id] = line; + line->ref(); + return line; + } else { + //Return a box. + SoGenericBox::initClass(); + SoGenericBox* trd = new SoGenericBox; + m_d->sanitiseParameterValue(length); + m_d->sanitiseParameterValue(minWidth); + m_d->sanitiseParameterValue(maxWidth); + m_d->sanitiseParameterValue(depth); + trd->setParametersForTrd(0.5*minWidth,0.5*maxWidth,0.5*length,0.5*length,0.5*depth); + //m_d->cachedshapes_strips[id] = trd; + trd->drawEdgeLines = true; + trd->ref(); + return trd; + } +} +//____________________________________________________________________ +SoNode* HitsSoNodeManager::getShapeNode_Pad( double length, double minWidth, double maxWidth, double depth ) +{ + + //std::cout << "HitsSoNodeManager::getShapeNode_Pad()" << std::endl; + + m_d->sanitiseParameterValueAllowZero(length); + m_d->sanitiseParameterValueAllowZero(minWidth); + m_d->sanitiseParameterValueAllowZero(maxWidth); + m_d->sanitiseParameterValueAllowZero(depth); + + //double id(length-minWidth*9999.99-depth*999999799.0);//something unique + //std::map<double,SoNode*>::const_iterator it = m_d->cachedshapes_strips.find(id); + //if (it!=m_d->cachedshapes_strips.end()) + // return it->second; + + if (maxWidth==0.0 && depth==0) { + if (length==0.0) { + std::cout << "maxWidth==0.0 && depth==0 && lengthPad==0.0, returning a point..." << std::endl; + return getShapeNode_Point(); + } + //Return a line: + //std::cout << "maxWidth==0.0 && depth==0, returning a line..." << std::endl; + SoVertexProperty * scatVtxProperty = new SoVertexProperty(); + scatVtxProperty->vertex.set1Value(0, 0.0f,-length*0.5f,0.0f); + scatVtxProperty->vertex.set1Value(1, 0.0f, length*0.5f,0.0f); + SoLineSet * line = new SoLineSet(); + line->numVertices = 2; + line->vertexProperty = scatVtxProperty; + //m_d->cachedshapes_strips[id] = line; + line->ref(); + return line; + } else { + //std::cout << "returning a box..." << std::endl; + //Return a box. + SoGenericBox::initClass(); + SoGenericBox* trd = new SoGenericBox; + m_d->sanitiseParameterValue(length); + m_d->sanitiseParameterValue(minWidth); + m_d->sanitiseParameterValue(maxWidth); + m_d->sanitiseParameterValue(depth); + trd->setParametersForTrd(0.5*minWidth,0.5*maxWidth,0.5*length,0.5*length,0.5*depth); + //m_d->cachedshapes_strips[id] = trd; + trd->drawEdgeLines = true; + trd->ref(); + return trd; + } +} + +//____________________________________________________________________ +SoNode* HitsSoNodeManager::getShapeNode_Point() +{ + if (!m_d->cachedshape_point) { + SoPointSet * scatPointSet = new SoPointSet; + SoVertexProperty * scatVtxProperty = new SoVertexProperty; + scatVtxProperty->vertex.set1Value(0,0.0f,0.0f,0.0f); + scatPointSet->numPoints=1; + scatPointSet->vertexProperty.setValue(scatVtxProperty); + m_d->cachedshape_point = scatPointSet; + m_d->cachedshape_point->ref(); + } + return m_d->cachedshape_point; +} + +//____________________________________________________________________ +SoNode* HitsSoNodeManager::getShapeNode_Cross( double extent ) +{ + std::map<double,SoNode*>::const_iterator it = m_d->cachedshapes_cross.find(extent); + if (it!=m_d->cachedshapes_cross.end()) + return it->second; + + SoVertexProperty * vertices = new SoVertexProperty; + int iver(0); + vertices->vertex.set1Value(iver++,-extent,0.0,0.0); + vertices->vertex.set1Value(iver++,+extent,0.0,0.0); + vertices->vertex.set1Value(iver++,0.0,-extent,0.0); + vertices->vertex.set1Value(iver++,0.0,+extent,0.0); + vertices->vertex.set1Value(iver++,0.0,0.0,-extent); + vertices->vertex.set1Value(iver++,0.0,0.0,+extent); + + SoLineSet * cross = new SoLineSet; + cross->vertexProperty = vertices; + int numlines(0); + cross->numVertices.set1Value(numlines++,2); + cross->numVertices.set1Value(numlines++,2); + cross->numVertices.set1Value(numlines++,2); + + m_d->cachedshapes_cross[extent] = cross; + m_d->cachedshapes_cross[extent]->ref(); + + return m_d->cachedshapes_cross[extent]; +} + +//____________________________________________________________________ +SoTransform * HitsSoNodeManager::getUnitTransform() +{ + if (!m_d->cached_unittransform) { + m_d->cached_unittransform = new SoTransform; + m_d->cached_unittransform->ref(); + } + return m_d->cached_unittransform; +} diff --git a/graphics/VTI12/VTI12Utils/src/InDetProjFlags.cxx b/graphics/VTI12/VTI12Utils/src/InDetProjFlags.cxx new file mode 100644 index 0000000000000000000000000000000000000000..a54e80d1f8d1e06c32e9e26b64c2d691d2a24782 --- /dev/null +++ b/graphics/VTI12/VTI12Utils/src/InDetProjFlags.cxx @@ -0,0 +1,86 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class InDetProjFlags // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: February 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12Utils/InDetProjFlags.h" + +void InDetProjFlags::projectionPartsGivenUsedDetectors( InDetProjPartsFlags& proj_pixel, + InDetProjPartsFlags& proj_sct, + InDetProjPartsFlags& proj_trt, + const DetTypeFlags& useddets ) +{ + InDetProjPartsFlags not_allbarrel = ~(BarrelPositive|BarrelNegative|BarrelCentral); + InDetProjPartsFlags not_allendcap = ~(EndCapOuterPositive|EndCapOuterNegative + |EndCapInnerPositive|EndCapInnerNegative + |TRT_EndCapZToRPositive|TRT_EndCapZToRNegative + |TRT_EndCapZToRCentral); + InDetProjPartsFlags not_allendcappos = ~(EndCapOuterPositive|EndCapInnerPositive|TRT_EndCapZToRPositive); + InDetProjPartsFlags not_allendcapneg = ~(EndCapOuterNegative|EndCapInnerNegative|TRT_EndCapZToRNegative); + + if (proj_pixel!=NoProjections) { + if (useddets&Pixel_all) { + if (!(useddets&(Pixel_brlpos|Pixel_brlneg))) { + proj_pixel &= not_allbarrel;//No pixel barrel at all: + } else { + if (!(useddets&Pixel_brlpos)) proj_pixel &= ~BarrelPositive;//No pixel pos barrel + if (!(useddets&Pixel_brlneg)) proj_pixel &= ~BarrelNegative;//No pixel neg barrel + } + if (!(useddets&(Pixel_ecpos|Pixel_ecneg))) { + proj_pixel &= not_allendcap;//No pixel endcaps at all. + } else { + if (!(useddets&Pixel_ecpos)) proj_pixel &= not_allendcappos;//No pixel pos endcap + if (!(useddets&Pixel_ecneg)) proj_pixel &= not_allendcapneg;//No pixel neg endcap + } + } else { + proj_pixel = NoProjections; + } + } + + if (proj_sct!=NoProjections) { + if (useddets&SCT_all) { + if (!(useddets&(SCT_brlpos|SCT_brlneg))) { + proj_sct &= not_allbarrel;//No sct barrel at all: + } else { + if (!(useddets&SCT_brlpos)) proj_sct &= ~BarrelPositive;//No sct pos barrel + if (!(useddets&SCT_brlneg)) proj_sct &= ~BarrelNegative;//No sct neg barrel + } + if (!(useddets&(SCT_ecpos|SCT_ecneg))) { + proj_sct &= not_allendcap;//No sct endcaps at all. + } else { + if (!(useddets&SCT_ecpos)) proj_sct &= not_allendcappos;//No sct pos endcap + if (!(useddets&SCT_ecneg)) proj_sct &= not_allendcapneg;//No sct neg endcap + } + } else { + proj_sct = NoProjections; + } + } + + if (proj_trt!=NoProjections) { + if (useddets&TRT_all) { + if (!(useddets&(TRT_brlpos|TRT_brlneg))) { + proj_trt &= not_allbarrel;//No trt barrel at all: + } else { + if (!(useddets&TRT_brlpos)) proj_trt &= ~BarrelPositive;//No trt pos barrel + if (!(useddets&TRT_brlneg)) proj_trt &= ~BarrelNegative;//No trt neg barrel + } + if (!(useddets&(TRT_ecpos|TRT_ecneg))) { + proj_trt &= not_allendcap;//No trt endcaps at all. + } else { + if (!(useddets&TRT_ecpos)) proj_trt &= not_allendcappos;//No trt pos endcap + if (!(useddets&TRT_ecneg)) proj_trt &= not_allendcapneg;//No trt neg endcap + } + } else { + proj_trt = NoProjections; + } + } +} diff --git a/graphics/VTI12/VTI12Utils/src/SbPolyhedrizeAction.cxx b/graphics/VTI12/VTI12Utils/src/SbPolyhedrizeAction.cxx new file mode 100644 index 0000000000000000000000000000000000000000..b09115f058e1a293422b136161ed629c9655fc76 --- /dev/null +++ b/graphics/VTI12/VTI12Utils/src/SbPolyhedrizeAction.cxx @@ -0,0 +1,289 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#include "GeoPrimitives/GeoPrimitives.h" +#include "GeoModelKernel/GeoShapeShift.h" +#include "GeoModelKernel/GeoShapeIntersection.h" +#include "GeoModelKernel/GeoShapeUnion.h" +#include "GeoModelKernel/GeoShapeSubtraction.h" +#include "GeoModelKernel/GeoBox.h" +#include "GeoModelKernel/GeoCons.h" +#include "GeoModelKernel/GeoPcon.h" +#include "GeoModelKernel/GeoPgon.h" +#include "GeoModelKernel/GeoTrap.h" +#include "GeoModelKernel/GeoTrd.h" +#include "GeoModelKernel/GeoTube.h" +#include "GeoModelKernel/GeoTubs.h" +#include "GeoModelKernel/GeoPara.h" +#include "GeoModelKernel/GeoSimplePolygonBrep.h" +#include "GeoModelKernel/GeoTessellatedSolid.h" +#include "GeoModelKernel/GeoFacet.h" +#include "GeoModelKernel/GeoGenericTrap.h" +#include "GeoModelKernel/GeoDefinitions.h" +#include "VTI12Utils/SbPolyhedrizeAction.h" + +#include "VP1HEPVis/SbPolyhedron.h" + +#include <map> + +SbPolyhedrizeAction::SbPolyhedrizeAction() + : m_polyhedron(NULL) +{ + setDepthLimit(0); +} + + +SbPolyhedrizeAction::~SbPolyhedrizeAction() +{ + delete m_polyhedron; +} + +void SbPolyhedrizeAction::handleShift(const GeoShapeShift *shift) +{ + shift->getOp()->exec(this); + GeoTrf::RotationMatrix3D rotation=shift->getX().rotation(); + GeoTrf::Vector3D translation = shift->getX().translation(); + + // rbianchi - 14.12.2012 +// SbVec3f trx(translation.x(),translation.y(),translation.z()); +// SbRotation rot(SbMatrix(rotation.xx(),rotation.yx(),rotation.zx(),0, +// rotation.xy(),rotation.yy(),rotation.zy(),0, +// rotation.xz(),rotation.yz(),rotation.zz(),0, +// 0,0,0,1)); + SbVec3d trx(translation.x(),translation.y(),translation.z()); + #include <VP1HEPVis/SbRotation.h> //using doubles instead of floats. + HEPVis::SbRotation rot(rotation(0,0),rotation(1,0),rotation(2,0),0, + rotation(0,1),rotation(1,1),rotation(2,1),0, + rotation(0,2),rotation(1,2),rotation(2.2),0, + 0,0,0,1); + //--- + + m_polyhedron->Transform (rot, trx); +} + +void SbPolyhedrizeAction::handleUnion(const GeoShapeUnion *unio) +{ + SbPolyhedrizeAction auxA,auxB; + unio->getOpA()->exec(&auxA); + unio->getOpB()->exec(&auxB); + m_polyhedron = new SbPolyhedron(auxA.getPolyhedron()->add(*auxB.getPolyhedron())); +} + +void SbPolyhedrizeAction::handleIntersection(const GeoShapeIntersection *isect) +{ + SbPolyhedrizeAction auxA,auxB; + isect->getOpA()->exec(&auxA); + isect->getOpB()->exec(&auxB); + m_polyhedron=new SbPolyhedron(auxA.getPolyhedron()->intersect(*auxB.getPolyhedron())); +} + +void SbPolyhedrizeAction::handleSubtraction(const GeoShapeSubtraction *subtract) +{ + SbPolyhedrizeAction auxA,auxB; + subtract->getOpA()->exec(&auxA); + subtract->getOpB()->exec(&auxB); + m_polyhedron=new SbPolyhedron(auxA.getPolyhedron()->subtract(*auxB.getPolyhedron())); +} + +void SbPolyhedrizeAction::handleBox(const GeoBox *box) +{ + m_polyhedron=new SbPolyhedronBox (box->getXHalfLength(), + box->getYHalfLength(), + box->getZHalfLength()); +} + +void SbPolyhedrizeAction::handleCons(const GeoCons *cons) +{ + m_polyhedron = new SbPolyhedronCons (cons->getRMin1(), + cons->getRMax1(), + cons->getRMin2(), + cons->getRMax2(), + cons->getDZ(), + cons->getSPhi(), + cons->getDPhi()); +} + +void SbPolyhedrizeAction::handlePara(const GeoPara *para) +{ + m_polyhedron=new SbPolyhedronPara(para->getXHalfLength(), + para->getYHalfLength(), + para->getZHalfLength(), + para->getAlpha(), + para->getTheta(), + para->getPhi()); +} + +void SbPolyhedrizeAction::handlePcon(const GeoPcon *pcon) +{ + double *z = new double[pcon->getNPlanes ()]; + double *rmn = new double[pcon->getNPlanes ()]; + double *rmx = new double[pcon->getNPlanes ()]; + + for (unsigned s = 0; s < pcon->getNPlanes (); s++) { + z[s] = pcon->getZPlane (s); + rmn[s] = pcon->getRMinPlane (s); + rmx[s] = pcon->getRMaxPlane (s); + } + m_polyhedron = new SbPolyhedronPcon (pcon->getSPhi(), pcon->getDPhi(), pcon->getNPlanes (), z, rmn, rmx); + + delete[]z; + delete[]rmn; + delete[]rmx; +} + +void SbPolyhedrizeAction::handlePgon(const GeoPgon *pgon) +{ + double *z = new double[pgon->getNPlanes ()]; + double *rmn = new double[pgon->getNPlanes ()]; + double *rmx = new double[pgon->getNPlanes ()]; + + for (unsigned s = 0; s < pgon->getNPlanes (); s++) { + z[s] = pgon->getZPlane (s); + rmn[s] = pgon->getRMinPlane (s); + rmx[s] = pgon->getRMaxPlane (s); + } + m_polyhedron = new SbPolyhedronPgon (pgon->getSPhi(), pgon->getDPhi(), pgon->getNSides(), pgon->getNPlanes (), z, rmn, rmx); + + delete[]z; + delete[]rmn; + delete[]rmx; +} + +void SbPolyhedrizeAction::handleTrap(const GeoTrap *trap) +{ + m_polyhedron = new SbPolyhedronTrap (trap->getZHalfLength(), + trap->getTheta(), + trap->getPhi(), + trap->getDydzn(), + trap->getDxdyndzn(), + trap->getDxdypdzn(), 0, + trap->getDydzp(), + trap->getDxdyndzp(), + trap->getDxdypdzp(),0); +} + +void SbPolyhedrizeAction::handleTrd(const GeoTrd *trd) +{ + m_polyhedron = new SbPolyhedronTrd2 (trd->getXHalfLength1(), + trd->getXHalfLength2(), + trd->getYHalfLength1(), + trd->getYHalfLength2(), + trd->getZHalfLength()); +} + +void SbPolyhedrizeAction::handleTube(const GeoTube *tube) +{ + m_polyhedron = new SbPolyhedronTube (tube->getRMin(),tube->getRMax(),tube->getZHalfLength()); +} + +void SbPolyhedrizeAction::handleTubs(const GeoTubs *tubs) +{ + m_polyhedron= new SbPolyhedronTubs (tubs->getRMin(), + tubs->getRMax(), + tubs->getZHalfLength(), + tubs->getSPhi(), + tubs->getDPhi()); +} + +void SbPolyhedrizeAction::handleSimplePolygonBrep(const GeoSimplePolygonBrep *brep) +{ + double dz = brep->getDZ(); + std::vector<double> x, y; + for(unsigned int i=0; i<brep->getNVertices(); i++) + { + x.push_back(brep->getXVertex(i)); + y.push_back(brep->getYVertex(i)); + } + + m_polyhedron = new SbPolyhedronPolygonXSect(x,y,dz); +} + +void SbPolyhedrizeAction::handleTessellatedSolid(const GeoTessellatedSolid *tessellated) +{ + // ______ Perform actions a la SetSolidClosed ________ + double vertTolerance = 1E-15; // kCarTolerance ?? + std::vector<GeoFacetVertex> vertexList; + std::map<GeoFacet*,std::vector<size_t> > facetVertIndInSolid; // Vacet vertex indices in the vertexList + + // Loop over facets in the solid + for(size_t facetIndInSolid = 0; facetIndInSolid<tessellated->getNumberOfFacets(); ++facetIndInSolid) { + GeoFacet* facet = tessellated->getFacet(facetIndInSolid); + + facetVertIndInSolid[facet] = std::vector<size_t>(); + std::vector<size_t>& current = facetVertIndInSolid[facet]; + if(facet->getNumberOfVertices()==3) + current.resize(3,0); + else + current.resize(4,0); + + size_t vertexListSize = vertexList.size(); + GeoFacetVertex vertex(0.,0.,0.); + + // Loop over vertices in the current facet + for(size_t vertexIndInFacet=0; vertexIndInFacet<facet->getNumberOfVertices(); ++vertexIndInFacet) { + vertex = facet->getVertex(vertexIndInFacet); + + // Check if we already have this vertex in our vertexList + bool found = false; + size_t j=0; + while(j<vertexListSize && !found) { + GeoFacetVertex vertexToCheck = vertexList[j]; + found = (vertexToCheck-vertex).mag() < vertTolerance; + if(!found) j++; + } + + if(found) { + current[vertexIndInFacet] = j; + } + else { + vertexList.push_back(vertex); + current[vertexIndInFacet] = vertexList.size()-1; + } + } + } + + // ______ Create Polyhedron itself ______ + SbPolyhedronArbitrary* polyhedron= new SbPolyhedronArbitrary(vertexList.size(),tessellated->getNumberOfFacets()); + + // add vertices from the list + for(size_t vertexInd=0; vertexInd<vertexList.size(); ++vertexInd) { + GeoFacetVertex vertex = vertexList[vertexInd]; + polyhedron->AddVertex(vertex.x(),vertex.y(),vertex.z()); + } + + // add facets + for(size_t facetIndInSolid = 0; facetIndInSolid<tessellated->getNumberOfFacets(); ++facetIndInSolid) { + GeoFacet* facet = tessellated->getFacet(facetIndInSolid); + std::vector<size_t>& current = facetVertIndInSolid[facet]; + + size_t v[4]; + for (size_t j=0; j<4; j++) + v[j] = (j<current.size() ? current[j]+1 : 0); + + polyhedron->AddFacet(v[0],v[1],v[2],v[3]); + } + + polyhedron->Finalize(); + m_polyhedron = polyhedron; +} + +void SbPolyhedrizeAction::handleGenericTrap(const GeoGenericTrap *gentrap) +{ + std::vector<std::pair<double,double> > vertices; + vertices.reserve(8); + for(size_t i=0; i<8; ++i) + vertices.push_back(std::pair<double,double>(gentrap->getVertices()[i].x(),gentrap->getVertices()[i].y())); + m_polyhedron = new SbPolyhedronGenericTrap(gentrap->getZHalfLength(),vertices); +} + +const SbPolyhedron * SbPolyhedrizeAction::getPolyhedron() const +{ + return m_polyhedron; +} + + + + + + diff --git a/graphics/VTI12/VTI12Utils/src/SoTools.cpp b/graphics/VTI12/VTI12Utils/src/SoTools.cpp new file mode 100644 index 0000000000000000000000000000000000000000..b107908c2823176470b55d3b09e97cfb704a1603 --- /dev/null +++ b/graphics/VTI12/VTI12Utils/src/SoTools.cpp @@ -0,0 +1,37 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +/* + * SoTools.cpp + * + * Created on: Sep 3, 2014 + * Author: Riccardo Maria BIANCHI - rbianchi@cern.ch + */ + +// local +#include "VTI12Utils/SoTools.h" + +//VP1 +#include "VP1Base/VP1Msg.h" + +//SoCoin +#include <Inventor/nodes/SoNode.h> +#include <Inventor/actions/SoWriteAction.h> + + + +/* + * Dump the content of a node to the StdOutput + */ +//____________________________________________________________________ +void SoTools::dumpNode(SoNode* node) +{ + VP1Msg::messageVerbose("SoTools::dumpNode()"); + + SoWriteAction writeAction; + + writeAction.apply(node); + + +} diff --git a/graphics/VTI12/VTI12Utils/src/SoVisualizeAction.cxx b/graphics/VTI12/VTI12Utils/src/SoVisualizeAction.cxx new file mode 100644 index 0000000000000000000000000000000000000000..b3dc3ad944766b9b4e38cacedc8620dca2b83e7d --- /dev/null +++ b/graphics/VTI12/VTI12Utils/src/SoVisualizeAction.cxx @@ -0,0 +1,338 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +#include "VTI12Utils/SoVisualizeAction.h" +#include "GeoModelKernel/GeoBox.h" +#include "GeoModelKernel/GeoCons.h" +#include "GeoModelKernel/GeoPcon.h" +#include "GeoModelKernel/GeoTrap.h" +#include "GeoModelKernel/GeoTrd.h" +#include "GeoModelKernel/GeoTube.h" +#include "GeoModelKernel/GeoTubs.h" +#include "GeoModelKernel/GeoSimplePolygonBrep.h" +#include "GeoModelKernel/GeoTessellatedSolid.h" +#include "GeoModelKernel/GeoFacet.h" +#include "GeoModelKernel/GeoGenericTrap.h" +#ifndef BUILDVP1LIGHT + #include "GeoSpecialShapes/LArCustomShape.h" + #include "GeoSpecialShapes/LArWheelCalculator.h" +#endif +#include "VP1HEPVis/nodes/SoTubs.h" +#include "VP1HEPVis/nodes/SoCons.h" +#include "VP1HEPVis/nodes/SoGenericBox.h" +#include "VP1HEPVis/nodes/SoPcons.h" +#include "VP1HEPVis/nodes/SoTessellated.h" +#include "VP1HEPVis/SbPolyhedron.h" +#include "VP1HEPVis/nodes/SoLAr.h" +#include "VP1HEPVis/nodes/SoPolyhedron.h" +#include "VP1HEPVis/VP1HEPVisUtils.h" +#include "VTI12Utils/SbPolyhedrizeAction.h" + +// System of units +#ifdef BUILDVP1LIGHT + #include "GeoModelKernel/Units.h" + #define SYSTEM_OF_UNITS GeoModelKernelUnits // --> 'GeoModelKernelUnits::cm' +#else + #include "GaudiKernel/SystemOfUnits.h" + #define SYSTEM_OF_UNITS Gaudi::Units // --> 'Gaudi::Units::cm' +#endif + +#include <iostream> + +SoVisualizeAction::SoVisualizeAction() + : m_shape(0) +{ + VP1HEPVisUtils::initAllCustomClasses(); + setDepthLimit(0); +} + +SoVisualizeAction::~SoVisualizeAction() +{ + // Don't delete. Let ref count take care of the memory. +} + +void SoVisualizeAction::handleShape(const GeoShape *shape) +{ + //qDebug() << "SoVisualizeAction::handleShape"; + // We don't recognize it. Try to polyhedrize it! + SbPolyhedrizeAction a; + shape->exec(&a); + const SbPolyhedron *poly =a.getPolyhedron(); + if (poly) { + SoPolyhedron *myPoly = new SoPolyhedron(poly); + m_shape=myPoly; + } + +} + +void SoVisualizeAction::handleBox(const GeoBox *box) +{ + //qDebug() << "SoVisualizeAction::handleBox"; + SoGenericBox * gb = new SoGenericBox; + gb->setParametersForBox( box->getXHalfLength(),box->getYHalfLength(),box->getZHalfLength() ); + m_shape=gb; +} + +void SoVisualizeAction::handleCons(const GeoCons *cons) +{ + //qDebug() << "SoVisualizeAction::handleCons"; + SoCons::initClass(); + SoCons *socons= new SoCons; + socons->fRmin1 =cons->getRMin1(); + socons->fRmin2 =cons->getRMin2(); + socons->fRmax1 =cons->getRMax1(); + socons->fRmax2 =cons->getRMax2(); + socons->fDz =cons->getDZ(); + socons->fSPhi =cons->getSPhi(); + socons->fDPhi =cons->getDPhi(); + + m_shape=socons; +} + +void SoVisualizeAction::handlePcon(const GeoPcon *pcon) +{ + + //qDebug() << "SoVisualizeAction::handlePcon"; + + //Set up temporary data arrays for profile: + float *z = new float[pcon->getNPlanes()]; + float *rmn= new float[pcon->getNPlanes()]; + float *rmx= new float[pcon->getNPlanes()]; + + for (unsigned s=0;s<pcon->getNPlanes();++s) { + z[s]=pcon->getZPlane(s); + rmn[s]=pcon->getRMinPlane(s); + rmx[s]=pcon->getRMaxPlane(s); + } + + SoPcons::initClass(); + SoPcons *sopcons = new SoPcons(); + sopcons->fSPhi = pcon->getSPhi(); + sopcons->fDPhi = pcon->getDPhi(); + sopcons->fRmin.setValues(0,pcon->getNPlanes(),rmn); + sopcons->fRmax.setValues(0,pcon->getNPlanes(),rmx); + sopcons->fDz.setValues (0,pcon->getNPlanes(),z); + + //Delete temporary arrays: + delete [] z; + delete [] rmn; + delete [] rmx; + + m_shape=sopcons; + +} + +void SoVisualizeAction::handleTrap(const GeoTrap *trap) +{ + //qDebug() << "SoVisualizeAction::handleTrap"; + SoGenericBox * gb = new SoGenericBox; + gb->setParametersForTrapezoid(trap->getZHalfLength(), trap->getTheta(), trap->getPhi(), + trap->getDydzn(), trap->getDxdyndzn(), trap->getDxdypdzn(), + trap->getDydzp(), trap->getDxdyndzp(), trap->getDxdypdzp(), + trap->getAngleydzn(), trap->getAngleydzp()); + m_shape=gb; +} + +void SoVisualizeAction::handleTrd(const GeoTrd *trd) +{ + //qDebug() << "SoVisualizeAction::handleTrd"; + SoGenericBox * gb = new SoGenericBox; + gb->setParametersForTrd( trd->getXHalfLength1(), trd->getXHalfLength2(), + trd->getYHalfLength1(), trd->getYHalfLength2(), + trd->getZHalfLength() ); + m_shape=gb; +} + +void SoVisualizeAction::handleTube(const GeoTube *tube) +{ + //qDebug() << "SoVisualizeAction::handleTube"; + SoTubs *sotubs= new SoTubs; + sotubs->pRMin= tube->getRMin(); + sotubs->pRMax= tube->getRMax(); + sotubs->pDz = tube->getZHalfLength(); + sotubs->pSPhi= 0; + sotubs->pDPhi= 2*M_PI; + m_shape=sotubs; +} + +void SoVisualizeAction::handleTubs(const GeoTubs *tubs) +{ + //qDebug() << "SoVisualizeAction::handleTubs"; + SoTubs *sotubs= new SoTubs; + sotubs->pRMin= tubs->getRMin(); + sotubs->pRMax= tubs->getRMax(); + sotubs->pDz = tubs->getZHalfLength(); + sotubs->pSPhi= tubs->getSPhi(); + sotubs->pDPhi= tubs->getDPhi(); + m_shape=sotubs; +} + +#ifndef BUILDVP1LIGHT +void SoVisualizeAction::handleLArCustom(const LArCustomShape *custom) +{ + //qDebug() << "SoVisualizeAction::handleLArCustom"; + static const double eta_hi = 3.2; + static const double eta_mid = 2.5; + static const double eta_low = 1.375; + + + // static const double zWheelRefPoint = 3689.5*SYSTEM_OF_UNITS::mm; //=endg_z0 + static const double dMechFocaltoWRP = 3691. *SYSTEM_OF_UNITS::mm; //=endg_z1 + // static const double dElecFocaltoWRP = 3689. *SYSTEM_OF_UNITS::mm; //=endg_dcf + static const double dWRPtoFrontFace = 11. *SYSTEM_OF_UNITS::mm; + static const double rOuterCutoff = 2034. *SYSTEM_OF_UNITS::mm; //=endg_rlimit + + + SoLAr::initClass(); + SoLAr *solar = new SoLAr(); + const LArWheelCalculator *calc = custom->calculator(); + LArG4::LArWheelCalculator_t type = calc->type(); + if (type==LArG4::InnerAbsorberWheel || + type==LArG4::InnerElectrodWheel || + type==LArG4::InnerAbsorberModule || + type==LArG4::InnerElectrodModule ) { + float zPlane[2],rInner[2],rOuter[2]; + zPlane[0]=0; + zPlane[1]=calc->GetWheelThickness(); + + double tanThetaInner = 2. * exp(-eta_hi ) / (1. - exp(2.*-eta_hi )); + double tanThetaMid = 2. * exp(-eta_mid) / (1. - exp(2.*-eta_mid)); + double zWheelFrontFace = dMechFocaltoWRP + dWRPtoFrontFace; + double zWheelBackFace = zWheelFrontFace + calc->GetWheelThickness(); + rInner[0] = zWheelFrontFace * tanThetaInner; + rInner[1] = zWheelBackFace * tanThetaInner; + // Note that there is a 3mm gap between the outer surface of the + // inner wheel and the inner surface of the outer wheel. + double HalfGapBetweenWheels = 0.15*SYSTEM_OF_UNITS::cm; // In DB EMECGEOMETRY.DCRACK + rOuter[0] = zWheelFrontFace * tanThetaMid - HalfGapBetweenWheels; + rOuter[1] = zWheelBackFace * tanThetaMid - HalfGapBetweenWheels; + solar->fRmin.setValues(0,2,rInner); + solar->fRmax.setValues(0,2,rOuter); + solar->fDz.setValues (0,2,zPlane); + } + else if (type==LArG4::OuterAbsorberWheel || + type==LArG4::OuterElectrodWheel || + type==LArG4::OuterAbsorberModule || + type==LArG4::OuterElectrodModule ) { + float zPlane[3], rInner[3], rOuter[3]; + zPlane[0] = 0; + zPlane[2] = calc->GetWheelThickness(); + double tanThetaMid = 2. * exp(-eta_mid) / (1. - exp(2.*-eta_mid)); + double tanThetaOuter = 2. * exp(-eta_low) / (1. - exp(2.*-eta_low)); + double zWheelFrontFace = dMechFocaltoWRP + dWRPtoFrontFace; + double zWheelBackFace = zWheelFrontFace + calc->GetWheelThickness(); + // Note that there is a 3mm gap between the outer surface of the + // inner wheel and the inner surface of the outer wheel. + double HalfGapBetweenWheels = 0.15*SYSTEM_OF_UNITS::cm; // In DB! (EMECGEOMETRY.DCRACK); + rInner[0] = zWheelFrontFace * tanThetaMid + HalfGapBetweenWheels; + rInner[2] = zWheelBackFace * tanThetaMid + HalfGapBetweenWheels; + rOuter[0] = zWheelFrontFace * tanThetaOuter; + rOuter[2] = zWheelBackFace * tanThetaOuter; + // If we simply left it at that, the outer wheel would protrude + // beyond the edge of the cryostat. We have to "slice off" the lip + // of the outer wheel to create a shape that's roughtly like a + // bathtub plug. + // Use the endpoints of the outer arrays to define lines in the + // (z,r) plane. + double slopeMin = (rInner[2] - rInner[0]) / (zPlane[2] - zPlane[0]); + double slopeMax = (rOuter[2] - rOuter[0]) / (zPlane[2] - zPlane[0]); + double interceptMin = rInner[0] - slopeMin * zPlane[0]; + double interceptMax = rOuter[0] - slopeMax * zPlane[0]; + // At what value of z does the outer line hit the cutoff? + zPlane[1] = (rOuterCutoff - interceptMax) / slopeMax; + // Calculate the radii at this z: + rInner[1] = slopeMin * zPlane[1] + interceptMin; + rOuter[1] = rOuterCutoff; + // Now override the radius to keep the wheel inside the cryostat: + rOuter[2] = rOuterCutoff; + solar->fRmin.setValues(0,3,rInner); + solar->fRmax.setValues(0,3,rOuter); + solar->fDz.setValues (0,3,zPlane); + } + + solar->fSPhi= 0; + solar->fDPhi= 2*M_PI; + m_shape=solar; +} +#endif + +void SoVisualizeAction::handleSimplePolygonBrep(const GeoSimplePolygonBrep *brep) +{ + //qDebug() << "SoVisualizeAction::handleSimplePolygonBrep"; + //Fixme: Detect if order of vertices is the wrong way around... and reorder if necessary. + + double dz = brep->getDZ(); + std::vector<double> x, y; + for(unsigned int i=0; i<brep->getNVertices(); ++i) + { + x.push_back(brep->getXVertex(i)); + y.push_back(brep->getYVertex(i)); + } + + SbPolyhedronPolygonXSect sbPoly(x,y,dz); + SoPolyhedron* soPoly = new SoPolyhedron(sbPoly); + m_shape = soPoly; +} + +void SoVisualizeAction::handleTessellatedSolid (const GeoTessellatedSolid* geoTessellated) +{ + //qDebug() << "SoVisualizeAction::handleTessellatedSolid"; + + SoTessellated * soTessellated = new SoTessellated; + for(size_t i=0; i<geoTessellated->getNumberOfFacets();++i) { + GeoFacet* facet = geoTessellated->getFacet(i); + if(facet->getNumberOfVertices()==3) { + if(facet->getVertexType()==GeoFacet::ABSOLUTE) + soTessellated->addTriangularFacet(facet->getVertex(0).x(),facet->getVertex(0).y(),facet->getVertex(0).z(), + facet->getVertex(1).x(),facet->getVertex(1).y(),facet->getVertex(1).z(), + facet->getVertex(2).x(),facet->getVertex(2).y(),facet->getVertex(2).z()); + else + soTessellated->addTriangularFacet(facet->getVertex(0).x(),facet->getVertex(0).y(),facet->getVertex(0).z(), + facet->getVertex(0).x()+facet->getVertex(1).x(), + facet->getVertex(0).y()+facet->getVertex(1).y(), + facet->getVertex(0).z()+facet->getVertex(1).z(), + facet->getVertex(0).x()+facet->getVertex(2).x(), + facet->getVertex(0).y()+facet->getVertex(2).y(), + facet->getVertex(0).z()+facet->getVertex(2).z()); + } + else { + if(facet->getVertexType()==GeoFacet::ABSOLUTE) + soTessellated->addQuadrangularFacet(facet->getVertex(0).x(),facet->getVertex(0).y(),facet->getVertex(0).z(), + facet->getVertex(1).x(),facet->getVertex(1).y(),facet->getVertex(1).z(), + facet->getVertex(2).x(),facet->getVertex(2).y(),facet->getVertex(2).z(), + facet->getVertex(3).x(),facet->getVertex(3).y(),facet->getVertex(3).z()); + else + soTessellated->addQuadrangularFacet(facet->getVertex(0).x(),facet->getVertex(0).y(),facet->getVertex(0).z(), + facet->getVertex(0).x()+facet->getVertex(1).x(), + facet->getVertex(0).y()+facet->getVertex(1).y(), + facet->getVertex(0).z()+facet->getVertex(1).z(), + facet->getVertex(0).x()+facet->getVertex(2).x(), + facet->getVertex(0).y()+facet->getVertex(2).y(), + facet->getVertex(0).z()+facet->getVertex(2).z(), + facet->getVertex(0).x()+facet->getVertex(3).x(), + facet->getVertex(0).y()+facet->getVertex(3).y(), + facet->getVertex(0).z()+facet->getVertex(3).z()); + + } + } + soTessellated->finalize(); + m_shape=soTessellated; +} + +void SoVisualizeAction::handleGenericTrap(const GeoGenericTrap *gentrap) +{ + //qDebug() << "SoVisualizeAction::handleGenericTrap"; + SoGenericBox * gb = new SoGenericBox; + const GeoGenericTrapVertices& trapVertices = gentrap->getVertices(); + double dZ = gentrap->getZHalfLength(); + gb->setGenericParameters(trapVertices[0].x(),trapVertices[0].y(),-dZ, + trapVertices[1].x(),trapVertices[1].y(),-dZ, + trapVertices[2].x(),trapVertices[2].y(),-dZ, + trapVertices[3].x(),trapVertices[3].y(),-dZ, + trapVertices[4].x(),trapVertices[4].y(),dZ, + trapVertices[5].x(),trapVertices[5].y(),dZ, + trapVertices[6].x(),trapVertices[6].y(),dZ, + trapVertices[7].x(),trapVertices[7].y(),dZ); + m_shape=gb; +} diff --git a/graphics/VTI12/VTI12Utils/src/SurfaceToSoNode.cxx b/graphics/VTI12/VTI12Utils/src/SurfaceToSoNode.cxx new file mode 100644 index 0000000000000000000000000000000000000000..5f11b055bb7b98539612c462d830ce3de5e19c20 --- /dev/null +++ b/graphics/VTI12/VTI12Utils/src/SurfaceToSoNode.cxx @@ -0,0 +1,252 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + +///////////////////////////////////////////////////////////////////////// +// // +// Implementation of class SurfaceToSoNode // +// // +// Author: Andreas Salzburger <Andreas.Salzburger@cern.ch> (primary) // +// Thomas Kittelmann <Thomas.Kittelmann@cern.ch> // +// // +// Initial VP1 version: June 2007 // +// // +///////////////////////////////////////////////////////////////////////// + +#include "VTI12Utils/SurfaceToSoNode.h" +#include "VTI12Utils/VP1LinAlgUtils.h" + +#include <Inventor/C/errors/debugerror.h> +//#include <Inventor/nodes/SoNode.h> +#include <Inventor/nodes/SoSeparator.h> +#include <Inventor/nodes/SoTransform.h> +#include <Inventor/nodes/SoVertexProperty.h> +#include <Inventor/nodes/SoLineSet.h> +#include "VP1HEPVis/nodes/SoGenericBox.h" +#include "VP1HEPVis/nodes/SoTubs.h" +#include "VP1HEPVis/nodes/SoPolyhedron.h" +#include "VP1HEPVis/SbPolyhedron.h" + +#include "TrkSurfaces/Surface.h" +#include "TrkSurfaces/CylinderSurface.h" +#include "TrkSurfaces/DiscSurface.h" +#include "TrkSurfaces/PlaneSurface.h" +#include "TrkSurfaces/StraightLineSurface.h" +#include "TrkSurfaces/PerigeeSurface.h" +#include "TrkSurfaces/CylinderBounds.h" +#include "TrkSurfaces/DiscBounds.h" +#include "TrkSurfaces/RectangleBounds.h" +#include "TrkSurfaces/TrapezoidBounds.h" +#include "TrkSurfaces/AnnulusBounds.h" +#include "TrkSurfaces/RotatedTrapezoidBounds.h" +#include "TrkSurfaces/DiamondBounds.h" +#include "TrkSurfaces/NoBounds.h" + +#include "GeoModelKernel/GeoSimplePolygonBrep.h" + +double SurfaceToSoNode::surfaceThickness = 0.1; + +SurfaceToSoNode::SurfaceToSoNode() +{ + SoTubs::initClass(); + SoGenericBox::initClass(); +} + +SurfaceToSoNode::~SurfaceToSoNode(){} + +SoNode* SurfaceToSoNode::translateSurface(const Trk::Surface& sf, const bool& simple) const +{ + + SoNode* sono =0; + const Trk::CylinderSurface* ccsf = dynamic_cast<const Trk::CylinderSurface*>(&sf); + if (ccsf) sono = this->translateCylinderSurface(*ccsf); + + const Trk::DiscSurface* cdsf = sono ? 0 : dynamic_cast<const Trk::DiscSurface*>(&sf); + if (cdsf) sono = this->translateDiscSurface(*cdsf); + + const Trk::PlaneSurface* cpsf = sono ? 0 : dynamic_cast<const Trk::PlaneSurface*>(&sf); + if (cpsf) sono = this->translatePlaneSurface(*cpsf); + + const Trk::StraightLineSurface* cssf = sono ? 0 : dynamic_cast<const Trk::StraightLineSurface*>(&sf); + if (cssf) sono = this->translateStraightLineSurface(*cssf, simple); + + const Trk::PerigeeSurface* cpersf = sono ? 0 : dynamic_cast<const Trk::PerigeeSurface*>(&sf); + if (cpersf) sono = this->translatePerigeeSurface(*cpersf); + + if (!sono) { + std::cout<<"ERROR! Surface unknown!"<<std::endl; + return 0; + } + + // place and transform them + SoSeparator* sosep = new SoSeparator(); + + // Horrible hack for ITK annulus bounds. What should really happen is we draw the surface where the bounds are. But this was never done before. + Amg::Transform3D transform = sf.transform(); + if (cpsf) { + const Trk::AnnulusBounds* cannulus = dynamic_cast<const Trk::AnnulusBounds*>(&(cpsf->bounds())); + if (cannulus){ + Amg::Vector3D vec(0.0,0.5*(cannulus->maxR()+cannulus->minR()),0.0); + transform.translate(vec); + } + } + + SoTransform* sotra = VP1LinAlgUtils::toSoTransform(transform); + sosep->addChild(sotra); + sosep->addChild(sono); + + return sosep; +} + +SoNode* SurfaceToSoNode::translatePlaneSurface(const Trk::PlaneSurface& psf ) const +{ + const Trk::RectangleBounds* crecbo = dynamic_cast<const Trk::RectangleBounds*>(&(psf.bounds())); + if (crecbo){ + SoGenericBox * gb = new SoGenericBox; + gb->setParametersForBox(crecbo->halflengthPhi(),crecbo->halflengthEta(),0.5*surfaceThickness); + gb->drawEdgeLines.setValue(true); + return gb; + } + + const Trk::TrapezoidBounds* ctrabo = dynamic_cast<const Trk::TrapezoidBounds*>(&(psf.bounds())); + if (ctrabo){ + SoGenericBox * gb = new SoGenericBox; + const double hminphi = ctrabo->minHalflengthPhi(); + const double hmaxphi = ctrabo->maxHalflengthPhi(); + const double heta = ctrabo->halflengthEta(); + gb->setParametersForTrapezoid( 0.5*surfaceThickness/*dz*/, 0/*theta*/, 0/*phi*/, heta/*dy1*/, + hminphi/*dx1*/, hmaxphi/*dx2*/, heta/*dy2*/, hminphi/*dx3*/, + hmaxphi/*dx4*/, 0/*alp1*/, 0/*alp2*/ ); + gb->drawEdgeLines.setValue(true); + return gb; + } + const Trk::RotatedTrapezoidBounds* crottrabo = dynamic_cast<const Trk::RotatedTrapezoidBounds*>(&(psf.bounds())); + if (crottrabo){ + SoGenericBox * gb = new SoGenericBox; + const double hminphi = crottrabo->minHalflengthY(); + const double hmaxphi = crottrabo->maxHalflengthY(); + const double heta = crottrabo->halflengthX(); + gb->setParametersForTrapezoid( 0.5*surfaceThickness/*dz*/, 0/*theta*/, 0/*phi*/, heta/*dy1*/, + hminphi/*dx1*/, hmaxphi/*dx2*/, heta/*dy2*/, hminphi/*dx3*/, + hmaxphi/*dx4*/, 0/*alp1*/, 0/*alp2*/ ); + gb->drawEdgeLines.setValue(true); + return gb; + } + const Trk::DiamondBounds* cdiabo = dynamic_cast<const Trk::DiamondBounds*>(&(psf.bounds())); + if (cdiabo){ + double dz=0.25; + std::vector<double> x,y; + x.push_back(cdiabo->minHalflengthX());y.push_back( -2*cdiabo->halflengthY1()); + x.push_back(cdiabo->medHalflengthX());y.push_back( 0.); + if (cdiabo->halflengthY2()>0.) { + x.push_back(cdiabo->maxHalflengthX()); y.push_back( 2*cdiabo->halflengthY2()); + x.push_back(-cdiabo->maxHalflengthX());y.push_back( 2*cdiabo->halflengthY2()); + } + x.push_back(-cdiabo->medHalflengthX());y.push_back( 0.); + x.push_back(-cdiabo->minHalflengthX());y.push_back( -2*cdiabo->halflengthY1()); + + SbPolyhedronPolygonXSect sbPoly(x,y,dz); + return new SoPolyhedron(sbPoly); + } + + const Trk::AnnulusBounds* cannulus = dynamic_cast<const Trk::AnnulusBounds*>(&(psf.bounds())); + if (cannulus){ + SoGenericBox * gb = new SoGenericBox; + const double hminphi = 0.5*cannulus->minR()*cannulus->phi(); + const double hmaxphi = 0.5*cannulus->maxR()*cannulus->phi(); + const double heta = 0.5 * (cannulus->maxR() - cannulus->minR()); + gb->setParametersForTrapezoid( 0.5*surfaceThickness/*dz*/, 0/*theta*/, 0/*phi*/, heta/*dy1*/, + hminphi/*dx1*/, hmaxphi/*dx2*/, heta/*dy2*/, hminphi/*dx3*/, + hmaxphi/*dx4*/, 0/*alp1*/, 0/*alp2*/ ); + gb->drawEdgeLines.setValue(true); + return gb; + } + const Trk::NoBounds* nobo = dynamic_cast<const Trk::NoBounds*>(&(psf.bounds())); + if (nobo){ + SoGenericBox * gb = new SoGenericBox; + gb->setParametersForBox(50.0,50.0,0.5*surfaceThickness); + gb->drawEdgeLines.setValue(false); + return gb; + } + + return 0; +} + +SoNode* SurfaceToSoNode::translateCylinderSurface(const Trk::CylinderSurface& csf ) const +{ + //std::cout<<"translateCylinderSurface"<<std::endl; + + double radius = csf.bounds().r(); + double hlength = csf.bounds().halflengthZ(); + + SoTubs* cylinderSurface = new SoTubs(); + (*cylinderSurface).pRMin = radius-0.25; + (*cylinderSurface).pRMax = radius+0.25; + (*cylinderSurface).pDz = hlength; + + return cylinderSurface; + +} + +SoNode* SurfaceToSoNode::translateDiscSurface(const Trk::DiscSurface& dsf) const +{ + //std::cout<<"translateDiscSurface"<<std::endl; + const Trk::DiscBounds* cdbo = dynamic_cast<const Trk::DiscBounds*>(&(dsf.bounds())); + if (cdbo){ + double iradius = cdbo->rMin(); + double oradius = cdbo->rMax(); + double halfphisec = cdbo->halfPhiSector(); + + SoTubs* discSurface = new SoTubs(); + (*discSurface).pRMin = iradius; + (*discSurface).pRMax = oradius; + (*discSurface).pDz = 0.25; + + if (fabs(halfphisec-M_PI)>10e-5){ + // sweep back the rotation as the sweepangle starts from x-axis + (*discSurface).pSPhi = -halfphisec; + (*discSurface).pDPhi = 2.* halfphisec; + } + + return discSurface; + } + return 0; +} + +SoNode* SurfaceToSoNode::translateStraightLineSurface(const Trk::StraightLineSurface& slsf, const bool& simple ) const +{ + //std::cout<<"translateStraightLineSurface"<<std::endl; + const Trk::CylinderBounds* ccbo = dynamic_cast<const Trk::CylinderBounds*>(&(slsf.bounds())); + if (ccbo){ + double hlength = ccbo->halflengthZ(); + if ( simple ) + { + SoVertexProperty * scatVtxProperty = new SoVertexProperty(); + scatVtxProperty->vertex.set1Value(0, 0.0,0.0,-hlength); + scatVtxProperty->vertex.set1Value(1, 0.0,0.0, hlength); + SoLineSet * lineSurface = new SoLineSet(); + lineSurface->numVertices = 2; + lineSurface->vertexProperty = scatVtxProperty; + return lineSurface; + } + + double radius = ccbo->r(); + SoTubs* lineSurface = new SoTubs(); + (*lineSurface).pRMin = 0.; + (*lineSurface).pRMax = radius; + (*lineSurface).pDz = hlength; + return lineSurface; + } + return 0; +} + +SoNode* SurfaceToSoNode::translatePerigeeSurface(const Trk::PerigeeSurface& /*persf*/) const +{ + //TK: Why do we need depend on the input???? FIXME + //std::cout<<"translatePerigeeSurface"<<std::endl; + SoTubs* perigeeSurface = new SoTubs(); + (*perigeeSurface).pRMin = 0.; + (*perigeeSurface).pRMax = 5.; + (*perigeeSurface).pDz = 4000.; + return perigeeSurface; +} diff --git a/graphics/VTI12/VTI12Utils/src/VP1AvailableToolsHelper.cxx b/graphics/VTI12/VTI12Utils/src/VP1AvailableToolsHelper.cxx new file mode 100644 index 0000000000000000000000000000000000000000..f0e0eb6a7cb1c16caa343190449661ad5fd9e923 --- /dev/null +++ b/graphics/VTI12/VTI12Utils/src/VP1AvailableToolsHelper.cxx @@ -0,0 +1,319 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class VP1AvailableToolsHelper // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: February 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12Utils/VP1AvailableToolsHelper.h" +#include "VP1Base/IVP1System.h" +#include "VP1Base/VP1Msg.h" + +#include "GaudiKernel/IToolSvc.h" +#include <QComboBox> +#include <QTimerEvent> +#include <map> + +//____________________________________________________________________ +class VP1AvailableToolsHelper::Imp { +public: + Imp() : theclass(0), toolsvc(0), timerid(0), updateinterval(5000), silent(false) {} + VP1AvailableToolsHelper * theclass; + IToolSvc* toolsvc; + + QStringList monitoredTypes; + std::map<QString,QStringList> monitoredTypeToIgnoreList; + QStringList ignoreList(const QString& type) { + std::map<QString,QStringList>::const_iterator it = monitoredTypeToIgnoreList.find(type); + return it==monitoredTypeToIgnoreList.end() ? QStringList() : it->second; + } + void removeIgnoreList(const QString& type) { + std::map<QString,QStringList>::iterator it = monitoredTypeToIgnoreList.find(type); + if (it!=monitoredTypeToIgnoreList.end()) + monitoredTypeToIgnoreList.erase(it); + } + QStringList availableTools; + + QStringList actualCurrentlyAvailableTools(); + QList<QComboBox*> handledComboBoxes; + QList<QWidget*> handledWidgets; + + int timerid; + void killTimer() + { + if (timerid) + theclass->killTimer(timerid); + } + void restartTimer(int time) + { + killTimer(); + timerid = theclass->startTimer(time); + } + const int updateinterval; + bool silent; +}; + + +//____________________________________________________________________ +VP1AvailableToolsHelper::VP1AvailableToolsHelper(IToolSvc* ts, QObject * parent) + : QObject(parent), VP1HelperClassBase(0,"VP1AvailableToolsHelper"), m_d(new Imp) +{ + m_d->theclass = this; + m_d->toolsvc = ts; + if (!m_d->toolsvc) + message("ERROR - received NULL ToolSvc Pointer"); + + //Should go away in future gaudi versions: + m_d->restartTimer(0); +} + +//____________________________________________________________________ +VP1AvailableToolsHelper::VP1AvailableToolsHelper(IVP1System* sys, QObject * parent) + : QObject(parent), VP1HelperClassBase(sys,"VP1AvailableToolsHelper"), m_d(new Imp) +{ + m_d->theclass = this; + m_d->toolsvc = sys ? sys->toolSvc() : 0; + if (!sys) + message("ERROR - received NULL system Pointer"); + if (!m_d->toolsvc) + message("ERROR - could not get ToolSvc Pointer"); +} + +//____________________________________________________________________ +VP1AvailableToolsHelper::~VP1AvailableToolsHelper() +{ + delete m_d; +} + +//____________________________________________________________________ +void VP1AvailableToolsHelper::scheduleImmediateUpdate() const +{ + m_d->restartTimer(0); +} + +//____________________________________________________________________ +void VP1AvailableToolsHelper::addMonitoredType(const QString& mt, const QStringList& ignoreList) +{ + m_d->monitoredTypeToIgnoreList[mt] = ignoreList; + if (!m_d->monitoredTypes.contains(mt)) { + m_d->monitoredTypes << mt; + scheduleImmediateUpdate(); + } +} + +//____________________________________________________________________ +void VP1AvailableToolsHelper::addMonitoredTypes(const QStringList& mts, const QStringList& ignoreList) +{ + bool added(false); + foreach (QString mt, mts) { + m_d->monitoredTypeToIgnoreList[mt] = ignoreList; + if (!m_d->monitoredTypes.contains(mt)) { + m_d->monitoredTypes << mt; + added=true; + } + } + if (added) + scheduleImmediateUpdate(); +} + +//____________________________________________________________________ +void VP1AvailableToolsHelper::removeMonitoredType(const QString& mt) +{ + if (m_d->monitoredTypes.contains(mt)) { + m_d->monitoredTypes.removeAll(mt); + m_d->removeIgnoreList(mt); + scheduleImmediateUpdate(); + } +} + +//____________________________________________________________________ +void VP1AvailableToolsHelper::removeMonitoredTypes(const QStringList& mts) +{ + bool removed(false); + foreach (QString mt, mts) { + if (m_d->monitoredTypes.contains(mt)) { + m_d->monitoredTypes.removeAll(mt); + m_d->removeIgnoreList(mt); + removed = true; + } + } + if (removed) + scheduleImmediateUpdate(); +} + +//____________________________________________________________________ +void VP1AvailableToolsHelper::clearMonitoredTypes(const QString&) +{ + if (m_d->monitoredTypes.count()>0) { + m_d->monitoredTypes.clear(); + m_d->monitoredTypeToIgnoreList.clear(); + scheduleImmediateUpdate(); + } +} + +//____________________________________________________________________ +QStringList VP1AvailableToolsHelper::monitoredTypes() const +{ + return m_d->monitoredTypes; +} + +//____________________________________________________________________ +QStringList VP1AvailableToolsHelper::Imp::actualCurrentlyAvailableTools() +{ + QStringList l; + if (toolsvc) { + foreach ( QString tooltype, monitoredTypes ) { + std::vector<std::string> instances; + instances = toolsvc->getInstances( tooltype.toStdString() ); + if (!silent&&VP1Msg::verbose()) + theclass->messageVerbose("Used toolsvc->getInstances(..) to find "+QString::number(instances.size())+" public tools of type "+tooltype ); + for (unsigned i = 0; i < instances.size(); ++i ) { + QString instance(instances.at(i).c_str()); + if (instance.startsWith("ToolSvc.",Qt::CaseInsensitive)) + instance.remove(0,8); + //Check if we ignore this one: + QStringList ignorelist = ignoreList(tooltype); + if (!ignorelist.isEmpty()) { + bool ignore(false); + foreach (QString ignorepattern, ignorelist) { + if (QRegExp(ignorepattern,Qt::CaseSensitive,QRegExp::Wildcard).exactMatch(instance)) { + ignore = true; + break; + } + } + if (ignore) { + if (!silent&&VP1Msg::verbose()) + theclass->messageVerbose(" --> Found but ignoring "+instance ); + continue; + } + } + if (!silent&&VP1Msg::verbose()) + theclass->messageVerbose(" --> Found "+instance ); + l << tooltype+"/"+instance; + if (!silent&&VP1Msg::verbose()) + theclass->messageVerbose(" --> Appended "+tooltype+"/"+instance+" to list" ); + } + } + l.sort(); + } + return l; +} + +//____________________________________________________________________ +void VP1AvailableToolsHelper::update() const +{ + QStringList newtools = m_d->actualCurrentlyAvailableTools(); + if ( newtools == m_d->availableTools ) { + m_d->restartTimer(2000); + return; + } + messageVerbose("update() found changes in tool list!"); + m_d->availableTools = newtools; + bool notempty = ! m_d->availableTools.empty(); + + if (notempty) { + foreach (QComboBox* cb, m_d->handledComboBoxes) { + cb->clear(); + cb->addItems(m_d->availableTools); + } + } + foreach (QWidget* w, m_d->handledWidgets) { + if (w->isEnabled() != notempty) + w->setEnabled(notempty); + } + + messageDebug("Emitting availableToolsChanged (ntools="+QString::number(m_d->availableTools.count())+")"); + availableToolsChanged(m_d->availableTools); + + m_d->restartTimer(2000); +} + +//____________________________________________________________________ +QStringList VP1AvailableToolsHelper::availableTools() const +{ + update(); + return m_d->availableTools; +} + +//____________________________________________________________________ +void VP1AvailableToolsHelper::setComboBoxData(QComboBox* cb) +{ + messageVerbose("setComboBoxData"); + if (!cb) { + message("setComboBoxData ERROR: Null pointer to combobox"); + return; + } + cb->clear(); + cb->addItems(availableTools()); +} + +//____________________________________________________________________ +void VP1AvailableToolsHelper::disableIfNoTools(QWidget* w) +{ + messageVerbose("disableIfNoTools"); + if (!w) { + message("disableIfNoTools ERROR: Null pointer to widget"); + return; + } + w->setEnabled(!availableTools().isEmpty()); +} + +//____________________________________________________________________ +void VP1AvailableToolsHelper::handleComboBox(QComboBox*cb) +{ + messageVerbose("handleComboBox"); + if (!cb) { + message("handleComboBox ERROR: Null pointer to combobox"); + return; + } + if (!m_d->handledComboBoxes.contains(cb)) { + setComboBoxData(cb); + m_d->handledComboBoxes << cb; + connect(cb,SIGNAL(destroyed(QObject*)),this,SLOT(widgetDeleted(QObject*))); + } +} + +//____________________________________________________________________ +void VP1AvailableToolsHelper::handleEnabledState(QWidget*w) +{ + messageVerbose("handleEnabledState"); + if (!w) { + message("handleEnabledState ERROR: Null pointer to widget"); + return; + } + if (!m_d->handledWidgets.contains(w)) { + disableIfNoTools(w); + m_d->handledWidgets << w; + connect(w,SIGNAL(destroyed(QObject*)),this,SLOT(widgetDeleted(QObject*))); + } +} + +//____________________________________________________________________ +void VP1AvailableToolsHelper::widgetDeleted(QObject* o) +{ + if ( o->inherits("QComboBox") && m_d->handledComboBoxes.contains(static_cast<QComboBox*>(o))) + m_d->handledComboBoxes.removeAll(static_cast<QComboBox*>(o)); + if ( o->isWidgetType() && m_d->handledWidgets.contains(static_cast<QWidget*>(o))) + m_d->handledWidgets.removeAll(static_cast<QWidget*>(o)); +} + +//____________________________________________________________________ +void VP1AvailableToolsHelper::timerEvent ( QTimerEvent * event ) +{ + event->accept(); + if (event->timerId()!=m_d->timerid) { + message("ERROR: Bad timer ID!!"); + killTimer(event->timerId()); + } + m_d->silent = true; + update(); + m_d->silent = false; + m_d->restartTimer(3000); +} diff --git a/graphics/VTI12/VTI12Utils/src/VP1DetInfo.cxx b/graphics/VTI12/VTI12Utils/src/VP1DetInfo.cxx new file mode 100644 index 0000000000000000000000000000000000000000..de53862af6f139ffe3e521fa4c4c1a0571b5db84 --- /dev/null +++ b/graphics/VTI12/VTI12Utils/src/VP1DetInfo.cxx @@ -0,0 +1,174 @@ +/* + Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class VP1DetInfo // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: March 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12Utils/VP1DetInfo.h" +#include "VTI12Utils/VP1JobConfigInfo.h" +#include "VTI12Utils/VP1SGAccessHelper.h" +#include "VTI12Utils/VP1SGContentsHelper.h" +#include "VP1Base/VP1Msg.h" +#include "VP1Base/IVP1System.h" +#include "VP1Base/VP1AthenaPtrs.h" + +#include "GeoModelKernel/GeoPVConstLink.h" + +#include "ScintReadoutGeometry/VetoDetectorManager.h" + +// #include "InDetReadoutGeometry/TRT_DetectorManager.h" +// #include "InDetReadoutGeometry/PixelDetectorManager.h" +// #include "InDetReadoutGeometry/SCT_DetectorManager.h" + +#include "FaserDetDescr/FaserDetectorID.h" + +#include "ScintIdentifier/VetoID.h" + +// #include "InDetIdentifier/PixelID.h" +// #include "InDetIdentifier/SCT_ID.h" +// #include "InDetIdentifier/TRT_ID.h" + +#include "Identifier/Identifier.h" + +//____________________________________________________________________ +class VP1DetInfo::Imp { +public: + template <class T> + static const T * cachedRetrieve(const T*& cachedPtr, const char* key, const bool& configallows ); + + static bool m_initialised; + static const char m_badInitFlag;//Address of this means bad initialisation. + + static const ScintDD::VetoDetectorManager * m_vetoDetMgr; + static const ScintDD::TriggerDetectorManager * m_triggerDetMgr; + static const ScintDD::PreshowerDetectorManager * m_preshowerDetMgr; + + // static const InDetDD::PixelDetectorManager * m_pixelDetMgr; + // static const InDetDD::SCT_DetectorManager * m_sctDetMgr; + // static const InDetDD::TRT_DetectorManager * m_trtDetMgr; + + static const FaserDetectorID * m_faserIDHelper; + + static const VetoID * m_vetoIDHelper; + static const TriggerID * m_triggerIDHelper; + static const PreshowerID * m_preshowerIDHelper; + + // static const PixelID * m_pixelIDHelper; + // static const SCT_ID * m_sctIDHelper; + // static const TRT_ID * m_trtIDHelper; +}; + +bool VP1DetInfo::Imp::m_initialised = false; +const char VP1DetInfo::Imp::m_badInitFlag = ' '; + +const ScintDD::VetoDetectorManager * VP1DetInfo::Imp::m_vetoDetMgr = 0; +const ScintDD::TriggerDetectorManager * VP1DetInfo::Imp::m_triggerDetMgr = 0; +const ScintDD::PreshowerDetectorManager * VP1DetInfo::Imp::m_preshowerDetMgr = 0; + +// const InDetDD::PixelDetectorManager * VP1DetInfo::Imp::m_pixelDetMgr = 0; +// const InDetDD::SCT_DetectorManager * VP1DetInfo::Imp::m_sctDetMgr = 0; +// const InDetDD::TRT_DetectorManager * VP1DetInfo::Imp::m_trtDetMgr = 0; + +const FaserDetectorID * VP1DetInfo::Imp::m_faserIDHelper = 0; + +const VetoID * VP1DetInfo::Imp::m_vetoIDHelper = 0; +const TriggerID * VP1DetInfo::Imp::m_triggerIDHelper = 0; +const PreshowerID * VP1DetInfo::Imp::m_preshowerIDHelper = 0; + +// const PixelID * VP1DetInfo::Imp::m_pixelIDHelper = 0; +// const SCT_ID * VP1DetInfo::Imp::m_sctIDHelper = 0; +// const TRT_ID * VP1DetInfo::Imp::m_trtIDHelper = 0; + +//____________________________________________________________________ +template <class T> +const T * VP1DetInfo::Imp::cachedRetrieve(const T*& cachedPtr, const char* preferredKey, const bool& configallows ) { + const T * bad = static_cast<const T*>(static_cast<const void*>(&m_badInitFlag)); + if (cachedPtr) + return ( cachedPtr==bad? 0 : cachedPtr ); + QString key(preferredKey); + if (!configallows) { + VP1Msg::messageDebug("VTI12DetInfo WARNING: Will not attempt to get (type="+QString(typeid(T).name())+", key="+key+") due to missing/disabled features in job!"); + cachedPtr = bad; + return 0; + } + if (!VP1SGContentsHelper(VP1AthenaPtrs::detectorStore()).contains<T>(key)) { + //Try to gracefully guess at a different key: + QStringList keys = VP1SGContentsHelper(VP1AthenaPtrs::detectorStore()).getKeys<T>(); + if (keys.empty()) { + VP1Msg::messageDebug("VTI12DetInfo WARNING: Could not find (type="+QString(typeid(T).name())+") in detector store (expected key="+key+")"); + cachedPtr = bad; + return 0; + } + if (keys.count()>1) { + VP1Msg::messageDebug("VTI12DetInfo WARNING: Could not find (type="+QString(typeid(T).name())+", key="+key+") in detector store, and could not uniquely guess at alternate key."); + cachedPtr = bad; + return 0; + } + VP1Msg::messageDebug("VTI12DetInfo WARNING: Could not find (type="+QString(typeid(T).name())+", key="+key+") in detector store. Trying with key="+keys.first()+")"); + key = keys.first(); + } + if (!VP1SGAccessHelper(VP1AthenaPtrs::detectorStore()).retrieve(cachedPtr,key)||!cachedPtr) { + VP1Msg::messageDebug("VTI12DetInfo WARNING: Could not retrieve (type="+QString(typeid(T).name())+", key="+key+") from detector store!"); + cachedPtr = bad; + return 0; + } + VP1Msg::messageVerbose("VTI12DetInfo Succesfully retrieved (type="+QString(typeid(T).name())+", key="+key+") from detector store!"); + return cachedPtr; + +} + +const ScintDD::VetoDetectorManager * VP1DetInfo::vetoDetMgr() { return Imp::cachedRetrieve(Imp::m_vetoDetMgr,"Veto",VP1JobConfigInfo::hasVetoGeometry()); } +const ScintDD::TriggerDetectorManager * VP1DetInfo::triggerDetMgr() { return nullptr; } +const ScintDD::PreshowerDetectorManager * VP1DetInfo::preshowerDetMgr() {return nullptr; } +// const ScintDD::TriggerDetectorManager * VP1DetInfo::triggerDetMgr() { return Imp::cachedRetrieve(Imp::m_triggerDetMgr,"Trigger",VP1JobConfigInfo::hasTriggerGeometry()); } +// const ScintDD::PreshowerDetectorManager * VP1DetInfo::preshowerDetMgr() { return Imp::cachedRetrieve(Imp::m_preshowerDetMgr,"Preshower",VP1JobConfigInfo::hasPreshowerGeometry()); } + +// const InDetDD::PixelDetectorManager * VP1DetInfo::pixelDetMgr() { return Imp::cachedRetrieve(Imp::m_pixelDetMgr,"Pixel",VP1JobConfigInfo::hasPixelGeometry()); } +// const InDetDD::SCT_DetectorManager * VP1DetInfo::sctDetMgr() { return Imp::cachedRetrieve(Imp::m_sctDetMgr,"SCT",VP1JobConfigInfo::hasSCTGeometry()); } +// const InDetDD::TRT_DetectorManager * VP1DetInfo::trtDetMgr() { return Imp::cachedRetrieve(Imp::m_trtDetMgr,"TRT",VP1JobConfigInfo::hasTRTGeometry()); } + +const FaserDetectorID * VP1DetInfo::faserIDHelper() { return Imp::cachedRetrieve(Imp::m_faserIDHelper,"FaserID",true); } + +const VetoID * VP1DetInfo::vetoIDHelper() { return Imp::cachedRetrieve(Imp::m_vetoIDHelper,"VetoID",VP1JobConfigInfo::hasVetoGeometry()); } +const TriggerID * VP1DetInfo::triggerIDHelper() { return nullptr; } +const PreshowerID * VP1DetInfo::preshowerIDHelper() { return nullptr; } +// const TriggerID * VP1DetInfo::triggerIDHelper() { return Imp::cachedRetrieve(Imp::m_triggerIDHelper,"TriggerID",VP1JobConfigInfo::hasTriggerGeometry()); } +// const PreshowerID * VP1DetInfo::preshowerIDHelper() { return Imp::cachedRetrieve(Imp::m_preshowerIDHelper,"PreshowerID",VP1JobConfigInfo::hasPreshowerGeometry()); } + +// const PixelID * VP1DetInfo::pixelIDHelper() { return Imp::cachedRetrieve(Imp::m_pixelIDHelper,"PixelID",VP1JobConfigInfo::hasPixelGeometry()); } +// const SCT_ID * VP1DetInfo::sctIDHelper() { return Imp::cachedRetrieve(Imp::m_sctIDHelper,"SCT_ID",VP1JobConfigInfo::hasSCTGeometry()); } +// const TRT_ID * VP1DetInfo::trtIDHelper() { return Imp::cachedRetrieve(Imp::m_trtIDHelper,"TRT_ID",VP1JobConfigInfo::hasTRTGeometry()); } + +//____________________________________________________________________ +bool VP1DetInfo::isUnsafe( const Identifier& id ) { + + const FaserDetectorID * idhelper = faserIDHelper(); + if ( !idhelper || !id.is_valid() ) + return true; + + if (idhelper->is_scint(id)) { + if (!VP1JobConfigInfo::hasVetoGeometry() && idhelper->is_veto(id)) + return true; + if (!VP1JobConfigInfo::hasTriggerGeometry() && idhelper->is_trigger(id)) + return true; + if (!VP1JobConfigInfo::hasPreshowerGeometry() && idhelper->is_preshower(id)) + return true; + } + + // if (idhelper->is_indet(id)) { + // if (!VP1JobConfigInfo::hasTRTGeometry() && idhelper->is_trt(id)) + // return true; + // if (!VP1JobConfigInfo::hasPixelGeometry() && idhelper->is_pixel(id)) + // return true; + // if (!VP1JobConfigInfo::hasSCTGeometry() && idhelper->is_sct(id)) + // return true; + return false; +} diff --git a/graphics/VTI12/VTI12Utils/src/VP1ErrorUtils.cxx b/graphics/VTI12/VTI12Utils/src/VP1ErrorUtils.cxx new file mode 100644 index 0000000000000000000000000000000000000000..9dfb4f1fab8b23f608087bbaa704625089a5bb67 --- /dev/null +++ b/graphics/VTI12/VTI12Utils/src/VP1ErrorUtils.cxx @@ -0,0 +1,402 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Header file for class VP1ErrorUtils // +// // +// Description: Utilities for drawing errors for various // +// measurements // +// // +// Author: Troels Kofoed Jacobsen // +// Initial version: July 2008 // +// // +// Update: Riccardo Maria BIANCHI Feb 2014 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12Utils/VP1ErrorUtils.h" +#include "VP1Base/VP1Msg.h" +#include "VP1HEPVis/nodes/SoTransparency.h" +#include "VTI12Utils/VP1LinAlgUtils.h" +#include "VP1Base/VP1QtInventorUtils.h" +#include "VTI12Utils/SurfaceToSoNode.h" +#include "VTI12Utils/HitsSoNodeManager.h" + +#include <Inventor/nodes/SoSeparator.h> +#include <Inventor/nodes/SoTranslation.h> +#include <Inventor/nodes/SoRotationXYZ.h> +#include <Inventor/nodes/SoTransform.h> +#include <Inventor/nodes/SoLineSet.h> +#include <Inventor/nodes/SoVertexProperty.h> +#include <Inventor/nodes/SoCylinder.h> +#include <Inventor/nodes/SoComplexity.h> +#include <Inventor/nodes/SoVertexProperty.h> +#include <Inventor/nodes/SoLineSet.h> +#include <Inventor/nodes/SoDrawStyle.h> +#include "VP1HEPVis/nodes/SoGenericBox.h" + +//#include "TrkParameters/AtaStraightLine.h" +//#include "TrkParameters/Perigee.h" + +#include "TrkSurfaces/Surface.h" +#include "TrkSurfaces/RectangleBounds.h" + +#include <cmath> + +#include <Eigen/Eigenvalues> + + +typedef AmgSymMatrix(2) AmgCovMatrix; + + + + +//____________________________________________________________________ +void VP1ErrorUtils::addRotatedErrorEllipse( SoGroup* gr, + const AmgSymMatrix(5)& covmat, + const double& sigmaScale, + int numNodes, + const double& translate, + const bool& symmetric) +{ + VP1Msg::messageVerbose("VP1ErrorUtils::addRotatedErrorEllipse()"); + + if (!covMatrixIsSane(covmat)) { + VP1Msg::message("WARNING in VP1ErrorUtils: covariance matrix isn't sane (i.e. contains NaNs)"); + return; + } + if (sigmaScale!=sigmaScale) VP1Msg::message("WARNING in VP1ErrorUtils: sigmaScale nan"); + if (translate!=translate) VP1Msg::message("WARNING in VP1ErrorUtils: translate nan"); + + // Eigenvalues of covariance matrix (symmetric) + Eigen::SelfAdjointEigenSolver<AmgSymMatrix(5)> eigensolver(covmat); + if (eigensolver.info() != Eigen::Success) { + VP1Msg::message("ERROR! problems with the 'eigensolver'!"); + abort(); + } + double v0 = eigensolver.eigenvalues()[0]; + double v1 = eigensolver.eigenvalues()[1]; + + + if ( (v0-v1)<0.000005 ) { + VP1Msg::message("WARNING in VP1ErrorUtils: v0 or v1 is zero. Not drawing RotatedErrorEllipse"); + return; + } + if (v0!=v0) VP1Msg::message("WARNING in VP1ErrorUtils: v0 nan"); + if (v1!=v1) VP1Msg::message("WARNING in VP1ErrorUtils: v1 nan"); + + // Rotation of error ellipse + if (covmat(0,1) != covmat(0,1)) VP1Msg::message("WARNING in VP1ErrorUtils: covmat(0,1) nan"); + + double theta=0.5*asin(2 * covmat(0,1) / (v0-v1)); + if (theta!=theta) { + VP1Msg::message("WARNING in VP1ErrorUtils: theta NaN. Setting to zero. v0,v1="+QString::number(v0)+","+QString::number(v1)); + theta=0.0; + } + SoNode * ellipse = VP1QtInventorUtils::createEllipse( sigmaScale * sqrt(v0) , + sigmaScale * sqrt(v1) , + numNodes); + + SoRotationXYZ * r1 = new SoRotationXYZ; + r1->axis = SoRotationXYZ::Z; + r1->angle = theta; + gr->addChild( r1 ); + + if (translate != 0.0) + { + SoTranslation * t0 = new SoTranslation; + t0->translation.setValue(0.0,0.0, translate ); + gr->addChild( t0 ); + if (symmetric) + { + gr->addChild( ellipse ); + SoTranslation * t1 = new SoTranslation; + t1->translation.setValue(0.0,0.0, -2*translate ); + gr->addChild( t1 ); + } + } + + gr->addChild( ellipse ); + return; +} + +void VP1ErrorUtils::addSimple1DError( SoGroup* gr, + const double& error, + const double& sigmaScale, + const double& length) +{ + + VP1Msg::messageVerbose("VP1ErrorUtils::addSimple1DError()"); + //Return a box. + // SoGenericBox::initClass(); + // SoGenericBox* cube = new SoGenericBox; + // cube->setParametersForBox(0.5*std::fabs(error*sigmaScale),0.5*std::fabs(length),0.4); + // cube->drawEdgeLines = true; + // gr->addChild( cube ); + + SoVertexProperty * vertices = new SoVertexProperty; + int iver(0); + float xpos=0.5*std::fabs(error*sigmaScale); + float ypos=0.5*std::fabs(length); + + vertices->vertex.set1Value(iver++,-xpos,-ypos,0.0); + vertices->vertex.set1Value(iver++,-xpos,+ypos,0.0); + vertices->vertex.set1Value(iver++,+xpos,-ypos,0.0); + vertices->vertex.set1Value(iver++,+xpos,+ypos,0.0); + + + SoLineSet * errbars = new SoLineSet; + errbars->vertexProperty = vertices; + int numlines(0); + errbars->numVertices.set1Value(numlines++,2); + errbars->numVertices.set1Value(numlines++,2); + gr->addChild( errbars ); + + iver=0; + SoVertexProperty * vertices2 = new SoVertexProperty; + vertices2->vertex.set1Value(iver++,-xpos,0.0,0.0); + vertices2->vertex.set1Value(iver++,+xpos,0.0,0.0); + + SoLineSet * errbarConnection = new SoLineSet; + errbarConnection->vertexProperty = vertices2; + errbarConnection->numVertices.set1Value(0,2); + + SoDrawStyle *drawStyle = new SoDrawStyle; + drawStyle->style.setValue(SoDrawStyle::LINES); + drawStyle->linePattern.setValue(0xFF00); + gr->addChild(drawStyle); + gr->addChild( errbarConnection ); + + return; +} + +//____________________________________________________________________ +void VP1ErrorUtils::errorAtPlaneSurface( SoSeparator* errSimple, + SoSeparator* errDetailed, + const AmgSymMatrix(5)& tmpcovmat, + const Trk::Surface* theSurface, + const Amg::Vector3D& p1, + const double& sigmaScale, + int numNodes, + const bool& moveToSurface, + const bool& force1D, + const bool& addTransform) +{ + VP1Msg::messageVerbose("VP1ErrorUtils::errorAtPlaneSurface()"); + + if (!covMatrixIsSane(tmpcovmat)) { + VP1Msg::message("WARNING in VP1ErrorUtils: covariance matrix isn't sane (i.e. contains NaNs)"); + std::cout<<tmpcovmat<<std::endl; + return; + } + // const Trk::CovarianceMatrix& tmpcovmat = meas->localErrorMatrix().covariance(); + SoSeparator * ellipseGrp = new SoSeparator; + + // Translation used to put the ellipse above the surface + //SoTranslation * t0 = new SoTranslation; + //t0->translation.setValue(0.0,0.0, SurfaceToSoNode::surfaceThickness / 2.0 + 0.001 ); + //ellipseGrp->addChild( t0 ); + + + if (force1D){ + float length=50.0; + // const Trk::RectangleBounds* rBounds = dynamic_cast<const Trk::RectangleBounds*>(&(theSurface->bounds())); + // if (rBounds) length=rBounds->halflengthY ()*2.0; + // FIXME = add more bounds. + addSimple1DError(ellipseGrp, tmpcovmat(0,0), sigmaScale, length ); + } else { + if (moveToSurface) + { + addRotatedErrorEllipse(ellipseGrp, tmpcovmat, sigmaScale,numNodes, SurfaceToSoNode::surfaceThickness / 2.0 + 0.001, true); + } else{ + addRotatedErrorEllipse(ellipseGrp, tmpcovmat, sigmaScale,numNodes, 0.0, false); + } + } + + if(addTransform){ + SoTransform * t1 = VP1LinAlgUtils::toSoTransform(theSurface->transform()); + t1->translation.setValue(p1.x(),p1.y(),p1.z()); + errSimple->addChild( t1 ); + errDetailed->addChild( t1 ); + } + errSimple->addChild( ellipseGrp ); + errDetailed->addChild( ellipseGrp ); + + return; +} + +//____________________________________________________________________ +void VP1ErrorUtils::errorAtStraightLineSurface( SoSeparator* errSimple, + SoSeparator* errDetailed, + const AmgSymMatrix(5)& tmpcovmat, + const Amg::Vector2D& localPos, + const Trk::Surface* theSurface, + const double& sigmaScale, + const bool& drawZErrCircles, + const bool& drawCylinder, + int numNodes, + const bool& force1D, + const bool& addTransform) +{ + VP1Msg::messageVerbose("VP1ErrorUtils::errorAtStraightLineSurface()"); + + // const Trk::CovarianceMatrix& tmpcovmat = meas->localErrorMatrix().covariance(); + + // Global transform (To surface) + if (addTransform){ + SoTransform * t1 = VP1LinAlgUtils::toSoTransform(theSurface->transform()); + errDetailed->addChild( t1 ); + errSimple->addChild( t1 ); + } + + const double sqrtv0 = sqrt( tmpcovmat(0,0) ); + double sqrtv1=0.0; + if (!force1D){ + sqrtv1 = sqrt( tmpcovmat(1,1) ); + } else { + sqrtv1=100;//FIXME! + } + // Needed to get local position + //const Trk::AtaStraightLine * atas = dynamic_cast<const Trk::AtaStraightLine *>(m_pars); + // const Trk::AtaStraightLine * atas = dynamic_cast<const Trk::AtaStraightLine *>(meas); + // const Trk::Perigee * per = dynamic_cast<const Trk::Perigee *>(meas); + // if (!per&&!atas) return; //TODO Print error. + // const Amg::Vector2D& localPos = atas?atas->localPosition():per->localPosition(); + + const double radius = fabs(localPos[Trk::locR]); + const double rp = radius + sigmaScale * sqrtv0; + const double rm = radius - sigmaScale * sqrtv0; + + // Local translation (To get the right Z position on the tube) + SoTranslation * t0 = new SoTranslation; + t0->translation.setValue(0,0,localPos[Trk::locZ]); + + // draw circles + SoSeparator * circleGrp = new SoSeparator; + circleGrp->addChild(t0); + + SoSeparator * circleGrpSimple = new SoSeparator; + circleGrpSimple->addChild(t0); + + SoVertexProperty *vertices = new SoVertexProperty(); + double zz[3]; + int Nzz; + if ( drawZErrCircles ) + { + Nzz = 3; + zz[0] = -sigmaScale * sqrtv1; + zz[1] = 0.0; + zz[2] = +sigmaScale * sqrtv1; + } else + { + Nzz = 1; + zz[0] = 0.0; + } + + double rr[2]; + int Nrr; + if ( rm > 0 ) + { + Nrr = 2; + rr[0] = rp; + rr[1] = rm; + } else + { + Nrr = 1; + rr[0] = rp; + } + + SoLineSet * circles = new SoLineSet(); + SoLineSet * circlesSimple = new SoLineSet(); + int iver(0); + int numlines(0); + int numlinesSimple(0); + for (int k = 0; k<Nrr; k++) + { + for (int j = 0; j<Nzz; j++) + { + vertices->vertex.set1Value(iver++,rr[k],0.0,zz[j]); + for (int i = 1; i < numNodes; i++) + { + vertices->vertex.set1Value(iver++, + cos(2.0*static_cast<double>(i)*M_PI/static_cast<double>(numNodes))*rr[k], + sin(2.0*static_cast<double>(i)*M_PI/static_cast<double>(numNodes))*rr[k], + zz[j]); + } + vertices->vertex.set1Value(iver++,rr[k],0.0,zz[j]); + + circles->numVertices.set1Value(numlines++,numNodes+1); + + if (k==0) + { + circlesSimple->numVertices.set1Value(numlinesSimple++,numNodes+1); + } + } + } + circles->vertexProperty = vertices; + circleGrp->addChild( circles ); + + circlesSimple->vertexProperty = vertices; + circleGrpSimple->addChild( circlesSimple ); + + errDetailed->addChild( circleGrp ); + errSimple->addChild( circleGrpSimple ); + // end of draw circles + + if (drawCylinder) // Outer cylinder + { + SoCylinder * outerCyl = new SoCylinder; + outerCyl->removePart( SoCylinder::TOP ); + outerCyl->removePart( SoCylinder::BOTTOM ); + outerCyl->radius.setValue ( rp ); + outerCyl->height.setValue ( 2.0 * sigmaScale * sqrtv1 ); + + SoSeparator * cylGrp = new SoSeparator; + cylGrp->addChild(t0); + + SoGroup * outCylGrp = new SoGroup; + SoRotationXYZ * outCylRot = new SoRotationXYZ; + outCylRot->axis = SoRotationXYZ::X; + outCylRot->angle = M_PI_2; + outCylGrp->addChild(outCylRot); + outCylGrp->addChild(outerCyl); + cylGrp->addChild(outCylGrp); + + SoTransparency::initClass(); + SoTransparency * trans = new SoTransparency; + errDetailed->addChild( trans ); + errDetailed->addChild( cylGrp ); + } + + return; +} + +bool VP1ErrorUtils::covMatrixIsSane( const AmgCovMatrix& covmat) +{ + VP1Msg::messageVerbose("VP1ErrorUtils::covMatrixIsSane(AmgCovMatrix)"); + + // if (covmat.rows() > 2) VP1Msg::message("VP1ErrorUtils::covMatrixIsSane - covariance matrix is too big (>2)"); + if (covmat.rows()!=covmat.cols()) VP1Msg::message("VP1ErrorUtils::covMatrixIsSane - covariance matrix is not symmetric"); + for ( int row = 0; row < covmat.rows();row++){ + for ( int col = 0; col < covmat.cols();col++){ + if (covmat(row,col) != covmat(row,col)) return false; //NaN + } + } + return true; +} +bool VP1ErrorUtils::covMatrixIsSane( const AmgSymMatrix(5)& covmat) +{ + VP1Msg::messageVerbose("VP1ErrorUtils::covMatrixIsSane(AmgSymMatrix(5))"); + + // if (covmat.rows() > 2) VP1Msg::message("VP1ErrorUtils::covMatrixIsSane - covariance matrix is too big (>2)"); + if (covmat.rows()!=covmat.cols()) VP1Msg::message("VP1ErrorUtils::covMatrixIsSane - covariance matrix is not symmetric"); + for ( int row = 0; row < covmat.rows();row++){ + for ( int col = 0; col < covmat.cols();col++){ + if (covmat(row,col) != covmat(row,col)) return false; //NaN + } + } + return true; +} diff --git a/graphics/VTI12/VTI12Utils/src/VP1JobConfigInfo.cxx b/graphics/VTI12/VTI12Utils/src/VP1JobConfigInfo.cxx new file mode 100644 index 0000000000000000000000000000000000000000..6e7fe53a7ba5128c3b7f60b0741316f0d6400362 --- /dev/null +++ b/graphics/VTI12/VTI12Utils/src/VP1JobConfigInfo.cxx @@ -0,0 +1,172 @@ +/* + Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class VP1JobConfigInfo // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: March 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12Utils/VP1JobConfigInfo.h" +#include "VTI12Utils/VP1DetInfo.h" +#include "VTI12Utils/VP1SGAccessHelper.h" +#include "VTI12Utils/VP1SGContentsHelper.h" +#include "VP1Base/IVP1System.h" +#include "VP1Base/VP1Msg.h" +#include "VP1Base/VP1AthenaPtrs.h" + +#include "GeoModelKernel/GeoVolumeCursor.h" +#include "GeoModelUtilities/GeoModelExperiment.h" +#include "StoreGate/DataHandle.h" + +#include <QString> + +//____________________________________________________________________ +class VP1JobConfigInfo::Imp { +public: + static void ensureInit(); + static bool actualInit(StoreGateSvc* detStore); + static bool initialised; + + static GeoPVConstLink geoModelWorld; + static bool hasGeoModelExperiment; + static bool hasVetoGeometry; + static bool hasTriggerGeometry; + static bool hasPreshowerGeometry; + static bool hasSCTGeometry; + static bool hasEcalGeometry; + static bool hasCavernInfraGeometry; + + static void turnOffAll(); +}; + +GeoPVConstLink VP1JobConfigInfo::Imp::geoModelWorld; +// init default values +bool VP1JobConfigInfo::Imp::initialised = false; +bool VP1JobConfigInfo::Imp::hasGeoModelExperiment = false; +bool VP1JobConfigInfo::Imp::hasVetoGeometry = false; +bool VP1JobConfigInfo::Imp::hasTriggerGeometry = false; +bool VP1JobConfigInfo::Imp::hasPreshowerGeometry = false; +bool VP1JobConfigInfo::Imp::hasSCTGeometry = false; +bool VP1JobConfigInfo::Imp::hasEcalGeometry = false; +bool VP1JobConfigInfo::Imp::hasCavernInfraGeometry = false; + +//____________________________________________________________________ +void VP1JobConfigInfo::Imp::turnOffAll() +{ + hasGeoModelExperiment = false; + hasVetoGeometry = false; + hasTriggerGeometry = false; + hasPreshowerGeometry = false; + hasSCTGeometry = false; + hasEcalGeometry = false; + hasCavernInfraGeometry = false; +} + +//____________________________________________________________________ +void VP1JobConfigInfo::Imp::ensureInit() +{ + if (initialised) + return; + if (VP1Msg::verbose()) + VP1Msg::messageVerbose("VTI12JobConfigInfo initialising"); + initialised = true; + if (!actualInit(VP1AthenaPtrs::detectorStore())) { + VP1Msg::message("VTI12JobConfigInfo ERROR: Problems initialising. Detector store. " + "Will assume all subsystems are off in this job!"); + turnOffAll(); + } + if (VP1Msg::verbose()) { + VP1Msg::messageVerbose("VTI12JobConfigInfo => Found job configuration:"); + VP1Msg::messageVerbose("VTI12JobConfigInfo => hasGeoModelExperiment = "+QString(hasGeoModelExperiment?"On":"Off")); + VP1Msg::messageVerbose("VP1JobConfigInfo => hasVetoGeometry = "+QString(hasVetoGeometry?"On":"Off")); + VP1Msg::messageVerbose("VP1JobConfigInfo => hasTriggerGeometry = "+QString(hasTriggerGeometry?"On":"Off")); + VP1Msg::messageVerbose("VP1JobConfigInfo => hasPreshowerGeometry = "+QString(hasPreshowerGeometry?"On":"Off")); + + // VP1Msg::messageVerbose("VP1JobConfigInfo => hasPixelGeometry = "+QString(hasPixelGeometry?"On":"Off")); + // VP1Msg::messageVerbose("VP1JobConfigInfo => hasSCTGeometry = "+QString(hasSCTGeometry?"On":"Off")); + // VP1Msg::messageVerbose("VP1JobConfigInfo => hasTRTGeometry = "+QString(hasTRTGeometry?"On":"Off")); + } + +} + +//____________________________________________________________________ +bool VP1JobConfigInfo::hasGeoModelExperiment() { if (!Imp::initialised) Imp::ensureInit(); return Imp::hasGeoModelExperiment; } +bool VP1JobConfigInfo::hasVetoGeometry() { if (!Imp::initialised) Imp::ensureInit(); return Imp::hasVetoGeometry; } +bool VP1JobConfigInfo::hasTriggerGeometry() { if (!Imp::initialised) Imp::ensureInit(); return Imp::hasTriggerGeometry; } +bool VP1JobConfigInfo::hasPreshowerGeometry() { if (!Imp::initialised) Imp::ensureInit(); return Imp::hasPreshowerGeometry; } + +// bool VP1JobConfigInfo::hasPixelGeometry() { if (!Imp::initialised) Imp::ensureInit(); return Imp::hasPixelGeometry; } +// bool VP1JobConfigInfo::hasSCTGeometry() { if (!Imp::initialised) Imp::ensureInit(); return Imp::hasSCTGeometry; } +// bool VP1JobConfigInfo::hasTRTGeometry() { if (!Imp::initialised) Imp::ensureInit(); return Imp::hasTRTGeometry; } + +//____________________________________________________________________ +bool VP1JobConfigInfo::Imp::actualInit( StoreGateSvc* detStore ) +{ + if (!detStore) + return false; + + VP1SGContentsHelper sg_contents(detStore); + const QString geomodelkey = "FASER"; // Because it was too hard to make this configurable like the 2151516 other useless options... + if (!sg_contents.contains<GeoModelExperiment>(geomodelkey)) { + if (VP1Msg::verbose()) + VP1Msg::messageVerbose("VTI12JobConfigInfo: No GeoModelExperiment in detectorStore. Concluding all subsystems are off."); + turnOffAll(); + return true; + } + + VP1SGAccessHelper sg_access(detStore); + + const GeoModelExperiment * theExpt; + if (!sg_access.retrieve(theExpt,geomodelkey)) { + if (VP1Msg::verbose()) + VP1Msg::messageVerbose("VTI12JobConfigInfo: No GeoModelExperiment in detectorStore. Concluding all subsystems are off."); + turnOffAll(); + return true; + } + if (VP1Msg::verbose()) + VP1Msg::messageVerbose("VTI12JobConfigInfo: Retrieved GeoModelExperiment/"+geomodelkey); + + const GeoPhysVol * worldPhysVol = theExpt->getPhysVol(); + if (!worldPhysVol) { + VP1Msg::message("VTI12JobConfigInfo: ERROR: GeoModelExperiment has null physical volume."); + turnOffAll(); + return false; + } + if (VP1Msg::verbose()) + VP1Msg::messageVerbose("VTI12JobConfigInfo: Retrieved GeoModelExperiment physical volumes"); + + hasGeoModelExperiment = true; + PVConstLink world(worldPhysVol); + VP1Msg::messageDebug("VTI12JobConfigInfo: called world(worldPhysVol)"); + std::cout << "world :" << world << std::endl; + + GeoVolumeCursor av(world); + + + while (!av.atEnd()) { + std::string name = av.getName(); + if ( !hasVetoGeometry && name=="Veto") hasVetoGeometry = true; + if ( !hasTriggerGeometry && name=="Trigger") hasTriggerGeometry = true; + if ( !hasPreshowerGeometry && name=="Preshower") hasPreshowerGeometry = true; + //FIXME: Look for CavernInfra as well!!! + + av.next(); // increment volume cursor. + } + + Imp::geoModelWorld = worldPhysVol; + + return true; +} + +//____________________________________________________________________ +const GeoPVConstLink * VP1JobConfigInfo::geoModelWorld() +{ + Imp::ensureInit(); + return Imp::geoModelWorld == GeoPVConstLink() ? 0 : &Imp::geoModelWorld; +} diff --git a/graphics/VTI12/VTI12Utils/src/VP1LinAlgUtils.cxx b/graphics/VTI12/VTI12Utils/src/VP1LinAlgUtils.cxx new file mode 100644 index 0000000000000000000000000000000000000000..6a212a2befcc9a18695e8e11f3963eb666276645 --- /dev/null +++ b/graphics/VTI12/VTI12Utils/src/VP1LinAlgUtils.cxx @@ -0,0 +1,455 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class VP1LinAlgUtils // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: March 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12Utils/VP1LinAlgUtils.h" +#include "VP1Base/VP1Msg.h" + +#include <Inventor/C/errors/debugerror.h> +#include <Inventor/nodes/SoTransform.h> + + +#include <math.h> + + +class VP1LinAlgUtils::Imp { +public: + static double atlasR; + static bool isBad( const double& x, const QString& ctxStr, const double& limit = 1.0e20 ) + { + if (x==x && fabs(x) < limit) + return false; + if (!ctxStr.isEmpty()) + VP1Msg::messageDebug("VP1LinAlgUtils ("+ctxStr+") ERROR: Saw suspicious number "+VP1Msg::str(x)); + return true; + } +}; +double VP1LinAlgUtils::Imp::atlasR = 1.0*CLHEP::km; + +//______________________________________________________________________________________ +SoTransform * VP1LinAlgUtils::toSoTransform(const HepGeom::Transform3D & transformation, SoTransform * tin) +{ + HepGeom::Vector3D<double> translation = transformation.getTranslation(); + CLHEP::HepRotation rotation = transformation.getRotation(); + SoTransform *myTransform = tin ? tin : new SoTransform(); + myTransform->translation = SbVec3f(translation.x(), + translation.y(), + translation.z()); + myTransform->rotation = SbRotation(SbMatrix(rotation.xx(),rotation.yx(),rotation.zx(),0, + rotation.xy(),rotation.yy(),rotation.zy(),0, + rotation.xz(),rotation.yz(),rotation.zz(),0, + 0,0,0,1)); + if (VP1Msg::verbose()) { + bool inputok = isSane( transformation, "input HepGeom::Transform3D" ); + bool outputok = isSane( myTransform, "output SoTransform" ); + if (!inputok) + VP1Msg::messageVerbose("VP1LinAlgUtils::toSoTransform ERROR: Problems observed in input HepGeom::Transform3D"); + if (!outputok) + VP1Msg::messageVerbose("VP1LinAlgUtils::toSoTransform ERROR: Problems observed in output SoTransform"); + if (inputok!=outputok) + VP1Msg::messageVerbose("VP1LinAlgUtils::toSoTransform Error introduced in HepGeom::Transform3D -> SoTransform conversion!"); + } + + return myTransform; +} + +//______________________________________________________________________________________ +SoTransform * VP1LinAlgUtils::toSoTransform(const Amg::Transform3D & transformation, SoTransform * tin) +{ + Amg::Vector3D translation = transformation.translation(); + Amg::RotationMatrix3D rotation = transformation.rotation(); + + SoTransform *myTransform = tin ? tin : new SoTransform(); + myTransform->translation = SbVec3f(translation.x(), + translation.y(), + translation.z()); +// myTransform->rotation = SbRotation(SbMatrix(rotation.xx(),rotation.yx(),rotation.zx(),0, +// rotation.xy(),rotation.yy(),rotation.zy(),0, +// rotation.xz(),rotation.yz(),rotation.zz(),0, +// 0,0,0,1)); + myTransform->rotation = SbRotation(SbMatrix(rotation(0,0),rotation(1,0),rotation(2,0),0, + rotation(0,1),rotation(1,1),rotation(2,1),0, + rotation(0,2),rotation(1,2),rotation(2,2),0, + 0,0,0,1)); + + // FIXME: to be updated to Eigen + if (VP1Msg::verbose()) { + bool inputok = isSane( transformation, "input HepGeom::Transform3D" ); + bool outputok = isSane( myTransform, "output SoTransform" ); + if (!inputok) + VP1Msg::messageVerbose("VP1LinAlgUtils::toSoTransform ERROR: Problems observed in input HepGeom::Transform3D"); + if (!outputok) + VP1Msg::messageVerbose("VP1LinAlgUtils::toSoTransform ERROR: Problems observed in output SoTransform"); + if (inputok!=outputok) + VP1Msg::messageVerbose("VP1LinAlgUtils::toSoTransform Error introduced in HepGeom::Transform3D -> SoTransform conversion!"); + } + + return myTransform; +} + +//______________________________________________________________________________________ +void VP1LinAlgUtils::transformToMatrix(SoTransform * xf, SbMatrix& result) { + result.makeIdentity(); + result.setTransform(xf->translation.getValue(), xf->rotation.getValue(), + xf->scaleFactor.getValue(), xf->scaleOrientation.getValue(), xf->center.getValue()); + if (VP1Msg::verbose()) { + bool inputok = isSane( xf, "input SoTransform" ); + bool outputok = isSane( result, "output SbMatrix" ); + if (!inputok) + VP1Msg::messageVerbose("VP1LinAlgUtils::transformToMatrix(SoTransform*,..) ERROR: Problems observed in input SoTransform"); + if (!outputok) + VP1Msg::messageVerbose("VP1LinAlgUtils::transformToMatrix(SoTransform*,..) ERROR: Problems observed in output SbMatrix"); + if (inputok!=outputok) + VP1Msg::messageVerbose("VP1LinAlgUtils::transformToMatrix(SoTransform*,..) Error introduced in SoTransform -> SbMatrix conversion!"); + } +} + +//______________________________________________________________________________________ +void VP1LinAlgUtils::transformToMatrix(const HepGeom::Transform3D & heptr, SbMatrix& result) +{ + result = SbMatrix(heptr.xx(),heptr.yx(),heptr.zx(),0, + heptr.xy(),heptr.yy(),heptr.zy(),0, + heptr.xz(),heptr.yz(),heptr.zz(),0, + heptr.dx(),heptr.dy(),heptr.dz(),1); + if (VP1Msg::verbose()) { + bool inputok = isSane( heptr, "input HepGeom::Transform3D" ); + bool outputok = isSane( result, "output SbMatrix" ); + if (!inputok) + VP1Msg::messageVerbose("VP1LinAlgUtils::transformToMatrix(HepGeom::Transform3D,..) ERROR: Problems observed in input HepGeom::Transform3D"); + if (!outputok) + VP1Msg::messageVerbose("VP1LinAlgUtils::transformToMatrix(HepGeom::Transform3D,..) ERROR: Problems observed in output SbMatrix"); + if (inputok!=outputok) + VP1Msg::messageVerbose("VP1LinAlgUtils::transformToMatrix(HepGeom::Transform3D,..) Error introduced in HepGeom::Transform3D -> SbMatrix conversion!"); + } +} + +//______________________________________________________________________________________ +SoTransform * VP1LinAlgUtils::toSoTransform(const SbMatrix& matr, SoTransform * tin) +{ + SbVec3f translation, scaleFactor; + SbRotation rotation, scaleOrientation; + matr.getTransform(translation, rotation, scaleFactor, scaleOrientation, SbVec3f(0,0,0)); + SoTransform * t = tin ? tin : new SoTransform; + t->translation.setValue(translation); + t->rotation.setValue(rotation); + t->scaleFactor.setValue(scaleFactor); + t->scaleOrientation.setValue(scaleOrientation); + t->center.setValue(0,0,0); + if (VP1Msg::verbose()) { + bool inputok = isSane( matr, "input SbMatrix" ); + bool outputok = isSane( t, "output SoTransform" ); + if (!inputok) + VP1Msg::messageVerbose("VP1LinAlgUtils::toSoTransform ERROR: Problems observed in input SoTransform"); + if (!outputok) + VP1Msg::messageVerbose("VP1LinAlgUtils::toSoTransform ERROR: Problems observed in output SbMatrix"); + if (inputok!=outputok) + VP1Msg::messageVerbose("VP1LinAlgUtils::toSoTransform Error introduced in SoTransform -> SbMatrix conversion!"); + } + return t; +} + +//______________________________________________________________________________________ +void VP1LinAlgUtils::decodeTransformation( const SbMatrix& matr, + float& translation_x, float& translation_y, float& translation_z, + float& rotaxis_x, float& rotaxis_y, float& rotaxis_z, float& rotangle_radians ) +{ + SbVec3f translation, scaleFactor, rotaxis; + SbRotation rotation, scaleOrientation; + matr.getTransform (translation, rotation,scaleFactor,scaleOrientation,SbVec3f(0,0,0)); + translation.getValue(translation_x,translation_y,translation_z); + rotation.getValue(rotaxis,rotangle_radians); + rotaxis.getValue(rotaxis_x,rotaxis_y,rotaxis_z); + if (VP1Msg::verbose()) { + if (!isSane( matr, "input SbMatrix" )) + VP1Msg::messageVerbose("VP1LinAlgUtils::decodeTransformation ERROR: Problems observed in output SbMatrix"); + } +} + +#ifdef BAD +#undef BAD +#endif +#define BAD(x) { ok=false; if (!ctxStr.isEmpty()) VP1Msg::messageVerbose("VP1LinAlgUtils ("+ctxStr+") ERROR: "+QString(x)); }; + +//______________________________________________________________________________________ +bool VP1LinAlgUtils::isSane( const HepGeom::Transform3D & t, const QString& ctxStr ) +{ + + HepGeom::Vector3D<double> translation = t.getTranslation(); + CLHEP::HepRotation rotation = t.getRotation(); + CLHEP::Hep3Vector rotationAxis; + double rotationAngle; + rotation.getAngleAxis(rotationAngle,rotationAxis); + + bool ok(true); + + if (Imp::isBad(t.xx(),ctxStr)||Imp::isBad(t.xy(),ctxStr)||Imp::isBad(t.xz(),ctxStr) + ||Imp::isBad(t.yx(),ctxStr)||Imp::isBad(t.yy(),ctxStr)||Imp::isBad(t.yz(),ctxStr) + ||Imp::isBad(t.zx(),ctxStr)||Imp::isBad(t.zy(),ctxStr)||Imp::isBad(t.zz(),ctxStr) + ||Imp::isBad(t.dx(),ctxStr)||Imp::isBad(t.dy(),ctxStr)||Imp::isBad(t.dz(),ctxStr)) + BAD("Problem in raw 4x4 transformation matrix!"); + if (Imp::isBad(translation.x(),ctxStr)||Imp::isBad(translation.y(),ctxStr)||Imp::isBad(translation.z(),ctxStr)) + BAD("Problem in translation!"); + if (Imp::isBad(rotation.xx(),ctxStr)||Imp::isBad(rotation.xy(),ctxStr)||Imp::isBad(rotation.xz(),ctxStr) + ||Imp::isBad(rotation.yx(),ctxStr)||Imp::isBad(rotation.yy(),ctxStr)||Imp::isBad(rotation.yz(),ctxStr) + ||Imp::isBad(rotation.zx(),ctxStr)||Imp::isBad(rotation.zy(),ctxStr)||Imp::isBad(rotation.zz(),ctxStr)) + BAD("Problem in rotation"); + if (Imp::isBad(rotationAxis.x(),ctxStr)||Imp::isBad(rotationAxis.y(),ctxStr)||Imp::isBad(rotationAxis.z(),ctxStr)) + BAD("Problem in rotationAxis"); + if (Imp::isBad(rotationAngle,ctxStr)) + BAD("Problem in rotationAngle"); + + //Check that input rotation has det=1 + const double det = t.xx()*t.yy()*t.zz() + +t.zx()*t.xy()*t.yz() + +t.xz()*t.yx()*t.zy() + -t.xx()*t.zy()*t.yz() + -t.yx()*t.xy()*t.zz() + -t.zx()*t.yy()*t.xz(); + const double eps = 1.0e-5; + if (det<1.0-eps||det>1.0+eps) + BAD("Determinant of rotation part is not consistent with 1 (det="+QString::number(det)+")!"); + + return ok; +} + + +//______________________________________________________________________________________ +bool VP1LinAlgUtils::isSane( const Amg::Transform3D & t, const QString& ctxStr ) +{ + Amg::Vector3D translation = t.translation(); + + Amg::RotationMatrix3D rotation = t.rotation(); + + double rotationAngle; + Amg::Vector3D rotationAxis; + + Amg::getAngleAxisFromRotation(rotation, rotationAngle, rotationAxis); + +// double xx = rotation(0,0); +// double yy = rotation(1,1); +// double zz = rotation(2,2); +// +// double cosa = 0.5 * (xx + yy + zz - 1); +// double cosa1 = 1 - cosa; +// +// if (cosa1 <= 0) { +// rotationAngle = 0; +// rotationAxis = Amg::Vector3D(0,0,1); +// } +// else{ +// double x=0, y=0, z=0; +// if (xx > cosa) x = sqrt((xx-cosa)/cosa1); +// if (yy > cosa) y = sqrt((yy-cosa)/cosa1); +// if (zz > cosa) z = sqrt((zz-cosa)/cosa1); +// if (rotation(2,1) < rotation(1,2)) x = -x; +// if (rotation(0,2) < rotation(2,0)) y = -y; +// if (rotation(1,0) < rotation(0,1)) z = -z; +// rotationAngle = (cosa < -1.) ? acos(-1.) : acos(cosa); +// rotationAxis = Amg::Vector3D(x,y,z); +// } + + + + + bool ok(true); + + if (Imp::isBad(t(0,0),ctxStr)||Imp::isBad(t(0,1),ctxStr)||Imp::isBad(t(0,2),ctxStr) + ||Imp::isBad(t(1,0),ctxStr)||Imp::isBad(t(1,1),ctxStr)||Imp::isBad(t(1,2),ctxStr) + ||Imp::isBad(t(2,0),ctxStr)||Imp::isBad(t(2,1),ctxStr)||Imp::isBad(t(2,2),ctxStr) +// ||Imp::isBad(t.dx(),ctxStr)||Imp::isBad(t.dy(),ctxStr)||Imp::isBad(t.dz(),ctxStr)) + ||Imp::isBad(t(0,3),ctxStr)||Imp::isBad(t(1,3),ctxStr)||Imp::isBad(t(2,3),ctxStr)) + BAD("Problem in raw 4x4 transformation matrix!"); + if (Imp::isBad(translation.x(),ctxStr)||Imp::isBad(translation.y(),ctxStr)||Imp::isBad(translation.z(),ctxStr)) + BAD("Problem in translation!"); + if (Imp::isBad(rotation(0,0),ctxStr)||Imp::isBad(rotation(0,1),ctxStr)||Imp::isBad(rotation(0,2),ctxStr) + ||Imp::isBad(rotation(1,0),ctxStr)||Imp::isBad(rotation(1,1),ctxStr)||Imp::isBad(rotation(1,2),ctxStr) + ||Imp::isBad(rotation(2,0),ctxStr)||Imp::isBad(rotation(2,1),ctxStr)||Imp::isBad(rotation(2,2),ctxStr)) + BAD("Problem in rotation"); + if (Imp::isBad(rotationAxis.x(),ctxStr)||Imp::isBad(rotationAxis.y(),ctxStr)||Imp::isBad(rotationAxis.z(),ctxStr)) + BAD("Problem in rotationAxis"); + if (Imp::isBad(rotationAngle,ctxStr)) + BAD("Problem in rotationAngle"); + + //Check that input rotation has det=1 +// const double det = t.xx()*t.yy()*t.zz() +// +t.zx()*t.xy()*t.yz() +// +t.xz()*t.yx()*t.zy() +// -t.xx()*t.zy()*t.yz() +// -t.yx()*t.xy()*t.zz() +// -t.zx()*t.yy()*t.xz(); + const double det = t.matrix().determinant(); + const double eps = 1.0e-5; + if ( det < 1.0-eps || det > 1.0+eps ) + BAD("Determinant of rotation part is not consistent with 1 (det="+QString::number(det)+")!"); + + return ok; +} + + +//______________________________________________________________________________________ +bool VP1LinAlgUtils::isSane( const SoTransform * t, const QString& ctxStr ) +{ + if (!t) { + if (!ctxStr.isEmpty()) + VP1Msg::messageVerbose("VP1LinAlgUtils::toSoTransform ("+ctxStr+") ERROR: NULL SoTransform!"); + return false; + } + + bool ok(true); + float q0,q1, q2,q3; + t->rotation.getValue().getValue(q0,q1, q2,q3); + if (Imp::isBad(q0,ctxStr)||Imp::isBad(q1,ctxStr)||Imp::isBad(q2,ctxStr)||Imp::isBad(q3,ctxStr)) + BAD("Problem in quarternion representation of rotation!"); + t->scaleOrientation.getValue().getValue(q0,q1, q2,q3); + if (Imp::isBad(q0,ctxStr)||Imp::isBad(q1,ctxStr)||Imp::isBad(q2,ctxStr)||Imp::isBad(q3,ctxStr)) + BAD("Problem in quarternion representation of scaleOrientation!"); + float x,y,z; + t->translation.getValue().getValue(x,y,z); + if (Imp::isBad(x,ctxStr,Imp::atlasR)||Imp::isBad(y,ctxStr,Imp::atlasR)||Imp::isBad(z,ctxStr,Imp::atlasR)) + BAD("Problem in translation!"); + t->scaleFactor.getValue().getValue(x,y,z); + if (Imp::isBad(x,ctxStr,Imp::atlasR)||Imp::isBad(y,ctxStr,Imp::atlasR)||Imp::isBad(z,ctxStr,Imp::atlasR)) + BAD("Problem in scaleFactor!"); + t->center.getValue().getValue(x,y,z); + if (Imp::isBad(x,ctxStr,Imp::atlasR)||Imp::isBad(y,ctxStr,Imp::atlasR)||Imp::isBad(z,ctxStr,Imp::atlasR)) + BAD("Problem in center!"); + + return ok; +} + +//______________________________________________________________________________________ +bool VP1LinAlgUtils::isSane( const SbMatrix& matr, const QString& ctxStr ) +{ + bool ok(true); + + bool baseok(true); + for (int i = 0; i < 4; ++i) + for (int j = 0; j < 4; ++j) + if (Imp::isBad(matr[i][j],ctxStr)) { + baseok=false; + break; + } + if (!baseok) + BAD("Problem in raw 4x4 matrix!"); + + SbVec3f translation, scaleFactor, rotaxis; + SbRotation rotation, scaleOrientation; + matr.getTransform(translation, rotation,scaleFactor,scaleOrientation,SbVec3f(0,0,0)); + float q0,q1, q2,q3; + rotation.getValue(q0,q1, q2,q3); + if (Imp::isBad(q0,ctxStr)||Imp::isBad(q1,ctxStr)||Imp::isBad(q2,ctxStr)||Imp::isBad(q3,ctxStr)) + BAD("Problem in quarternion representation of rotation!"); + scaleOrientation.getValue(q0,q1, q2,q3); + if (Imp::isBad(q0,ctxStr)||Imp::isBad(q1,ctxStr)||Imp::isBad(q2,ctxStr)||Imp::isBad(q3,ctxStr)) + BAD("Problem in quarternion representation of scaleOrientation!"); + float x,y,z; + translation.getValue(x,y,z); + if (Imp::isBad(x,ctxStr,Imp::atlasR)||Imp::isBad(y,ctxStr,Imp::atlasR)||Imp::isBad(z,ctxStr,Imp::atlasR)) + BAD("Problem in translation!"); + scaleFactor.getValue(x,y,z); + if (Imp::isBad(x,ctxStr,Imp::atlasR)||Imp::isBad(y,ctxStr,Imp::atlasR)||Imp::isBad(z,ctxStr,Imp::atlasR)) + BAD("Problem in scaleFactor!"); + + const float eps = 1.0e-5; + const float det3 = matr.det3(); + if (det3<1.0-eps||det3>1.0+eps) + BAD("Determinant of rotation part is not consistent with 1 (det3="+QString::number(det3)+")!"); + const float det4 = matr.det4(); + if (det4<1.0-eps||det4>1.0+eps) + BAD("Determinant of rotation part is not consistent with 1 (det4="+QString::number(det4)+")!"); + return ok; +} + +//_____________________________________________________________________________________ +double VP1LinAlgUtils::phiFromXY(const double& x, const double&y ) +{ + //Special case: Returns 0 if both x and y are 0 + double phi = (x == 0.0f)? (y==0.0f?0.0:0.5*M_PI) : std::abs(atan(std::abs(y/static_cast<double>(x)))); + if (x>=0.0f&&y<0.0f) + phi = 2*M_PI-phi; + else if (x<0.0f&&y>=0.0f) + phi = M_PI-phi; + else if (x<0.0f&&y<0.0f) + phi = M_PI+phi; + return phi; +} + + +//_____________________________________________________________________________________ +/* http://www.mycplus.com/tutorial.asp?TID=80 */ +void VP1LinAlgUtils::distPointLineParam(const Amg::Vector3D& point, const Amg::Vector3D& point0, const Amg::Vector3D& point1, double& s) +{ +// s = ((point - point0)*(point1 - point0)) / (((point1 - point0)*(point1 - point0))); + + s = ( ((point)[0]-(point0)[0])*((point1)[0]-(point0)[0]) + + ((point)[1]-(point0)[1])*((point1)[1]-(point0)[1]) + + ((point)[2]-(point0)[2])*((point1)[2]-(point0)[2]) ) / + ( ((point1)[0]-(point0)[0])*((point1)[0]-(point0)[0]) + + ((point1)[1]-(point0)[1])*((point1)[1]-(point0)[1]) + + ((point1)[2]-(point0)[2])*((point1)[2]-(point0)[2]) ); + + return; +} + +//_____________________________________________________________________________________ +/* http://www.mycplus.com/tutorial.asp?TID=80 */ +double VP1LinAlgUtils::distPointLine2(const Amg::Vector3D& point, const Amg::Vector3D& point0, const Amg::Vector3D& point1, double& s) +{ + VP1LinAlgUtils::distPointLineParam(point, point0, point1, s); + + // double dx = (*point)[0]-((*point0)[0] + s*((*point1)[0]-(*point0)[0])); + // double dy = (*point)[1]-((*point0)[1] + s*((*point1)[1]-(*point0)[1])); + // double dz = (*point)[2]-((*point0)[2] + s*((*point1)[2]-(*point0)[2])); + + Amg::Vector3D d = point-(point0 + s*(point1-point0)); + + //return dx*dx + dy*dy + dz*dz; + return d.dot(d); +} + +//_____________________________________________________________________________________ +/* http://www.mycplus.com/tutorial.asp?TID=81 */ +void VP1LinAlgUtils::distLineLineParam(const Amg::Vector3D& point0, const Amg::Vector3D& point1, const Amg::Vector3D& point2, const Amg::Vector3D& point3, double& s, double& t) +{ + //Actual distance not calculated, only parameters s and t. + + Amg::Vector3D p32 = point3 - point2; + double d3232 = p32.dot(p32); + Amg::Vector3D p10 = point1 - point0; + double d1010 = p10.dot(p10); + if (d3232==0.0||d1010==0.0||d3232!=d3232||d1010!=d1010) { + //One input line ill-defined: + s=0.5; + t=0.5; + VP1Msg::messageDebug("VP1LinAlgUtils distLineLineParam ERROR: One or both input lines ill defined"); + return; + } + + double d3210 = p32.dot(p10); + double denom = d1010 * d3232 - d3210 * d3210; + Amg::Vector3D p02 = point0 - point2; + double d0232 = p02.dot(p32); + + if (denom==0) { + //Parallel input! + VP1Msg::messageDebug("VP1LinAlgUtils distLineLineParam Warning: Input lines are parallel. Choosing arbitrary point of closest approach"); + s = 0.5;//We choose an arbitrary point on one of the two lines. + } else { + double d0210 = p02.dot(p10); + double numer = d0232 * d3210 - d0210 * d3232; + s = numer / denom; + } + t = (d0232 + d3210 * s) / d3232; + + return; +} diff --git a/graphics/VTI12/VTI12Utils/src/VP1ParticleData.cxx b/graphics/VTI12/VTI12Utils/src/VP1ParticleData.cxx new file mode 100644 index 0000000000000000000000000000000000000000..e2e510f45f3df73f30b1d78ba6ce697d47ee4823 --- /dev/null +++ b/graphics/VTI12/VTI12Utils/src/VP1ParticleData.cxx @@ -0,0 +1,176 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class VP1ParticleData // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: March 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12Utils/VP1ParticleData.h" +#include "VP1Base/VP1Msg.h" + +#include "GaudiKernel/Bootstrap.h" +#include "GaudiKernel/ISvcLocator.h" +#include "GaudiKernel/IPartPropSvc.h" + +#include "HepPDT/ParticleDataTable.hh" +#include "HepPDT/ParticleData.hh" + +//____________________________________________________________________ +class VP1ParticleData::Imp { +public: + static bool m_badInit; + static const HepPDT::ParticleDataTable * m_particleDataTable; + static std::map<int,double> m_particleAbsPDGCodeToMass; + static std::map<int,double> m_particlePDGCodeToCharge; + static std::map<int,QString> m_particleAbsPDGCodeToName; + static const double m_badValue; + static const QString m_badName; +}; + +bool VP1ParticleData::Imp::m_badInit = false; +const HepPDT::ParticleDataTable * VP1ParticleData::Imp::m_particleDataTable = 0; +std::map<int,double> VP1ParticleData::Imp::m_particleAbsPDGCodeToMass; +std::map<int,double> VP1ParticleData::Imp::m_particlePDGCodeToCharge; +std::map<int,QString> VP1ParticleData::Imp::m_particleAbsPDGCodeToName; +const double VP1ParticleData::Imp::m_badValue = -1.0e99; +const QString VP1ParticleData::Imp::m_badName = "_Bad_Name_"; + +//____________________________________________________________________ +const HepPDT::ParticleData * VP1ParticleData::particleData( const int& pdgcode ) +{ + if (Imp::m_badInit) + return 0; + if (!Imp::m_particleDataTable) { + //init + ISvcLocator* svcLocator = Gaudi::svcLocator(); + if (!svcLocator) { + VP1Msg::message("VP1ParticleData ERROR: Could not get svcLocator."); + Imp::m_badInit = true; + return 0; + } + + IPartPropSvc* partPropSvc; + StatusCode status = svcLocator->service( "PartPropSvc",partPropSvc,true/*createifnotthere*/ ); + if(!status.isSuccess()||!partPropSvc) { + VP1Msg::message("VP1ParticleData ERROR: Could not get particle property service."); + Imp::m_badInit = true; + return 0; + } + Imp::m_particleDataTable = partPropSvc->PDT(); + if (!Imp::m_particleDataTable) { + VP1Msg::message("VP1ParticleData ERROR: Could not get particle data table from particle property service."); + Imp::m_badInit = true; + return 0; + } + } + + const HepPDT::ParticleData* particle = + Imp::m_particleDataTable->particle(HepPDT::ParticleID(pdgcode)); + if (!particle&&VP1Msg::verbose()) + VP1Msg::messageVerbose("VP1ParticleData WARNING: Could not get particle data table for pdgcode="+QString::number(pdgcode)); + + return particle; +} + +//____________________________________________________________________ +double VP1ParticleData::particleMass( const int& pdgcode, bool& ok ) +{ + std::map<int,double>::const_iterator it = Imp::m_particleAbsPDGCodeToMass.find(abs(pdgcode)); + if (it!=Imp::m_particleAbsPDGCodeToMass.end()) { + ok = it->second != Imp::m_badValue; + return ok ? it->second : 0; + } + const HepPDT::ParticleData * data = particleData( abs(pdgcode) ); + double m; + if (data) + m = data->mass().value(); + else + m = Imp::m_badValue; + + Imp::m_particleAbsPDGCodeToMass[abs(pdgcode)] = m; + ok = m != Imp::m_badValue; + return m; +} + +//____________________________________________________________________ +double VP1ParticleData::particleCharge( const int& pdgcode, bool& ok ) +{ + if (pdgcode==22) { + ok = true; + return 0.0; + } + std::map<int,double>::const_iterator it = Imp::m_particlePDGCodeToCharge.find(pdgcode); + if (it!=Imp::m_particlePDGCodeToCharge.end()) { + ok = it->second != Imp::m_badValue; + return ok ? it->second : 0; + } + const HepPDT::ParticleData * data = particleData( abs(pdgcode) ); + double c; + if (data) + c = pdgcode >= 0 ? data->charge() : - data->charge(); + else + c = Imp::m_badValue; + + Imp::m_particlePDGCodeToCharge[pdgcode] = c; + ok = c != Imp::m_badValue; + return c; +} + +//____________________________________________________________________ +QString VP1ParticleData::particleName( const int& pdgcode, bool& ok ) +{ + std::map<int,QString>::const_iterator it = Imp::m_particleAbsPDGCodeToName.find(pdgcode); + if (it!=Imp::m_particleAbsPDGCodeToName.end()) { + ok = (it->second != Imp::m_badName); + return ok ? it->second : ""; + } + + QString name; + switch (pdgcode) { + case 21: name = "gluon"; break; + case 22: name = "photon"; break; + case -11: name = "e+"; break; + case 11: name = "e-"; break; + case -13: name = "mu+"; break; + case 13: name = "mu-"; break; + case -15: name = "tau+"; break; + case 15: name = "tau-"; break; + case -211: name = "M_PI-"; break; + case 211: name = "M_PI+"; break; + case 1: name = "d" ; break; + case 2: name = "u" ; break; + case 3: name = "s" ; break; + case 4: name = "c" ; break; + case 5: name = "b" ; break; + case 6: name = "t" ; break; + case -1: name = "dbar" ; break; + case -2: name = "ubar" ; break; + case -3: name = "sbar" ; break; + case -4: name = "cbar" ; break; + case -5: name = "bbar" ; break; + case -6: name = "tbar" ; break; + case 92: name = "frag string" ; break; + default: + break; + } + + if (name.isEmpty()) { + const HepPDT::ParticleData * data = particleData( abs(pdgcode) ); + if (data) + name = (pdgcode<0?"anti-":"")+QString(data->name().c_str());//fixme: anything [[:alpha:]](+|-) we + // change + and - + else + name = Imp::m_badName; + } + + Imp::m_particleAbsPDGCodeToName[pdgcode] = name; + ok = (name != Imp::m_badName); + return name; +} diff --git a/graphics/VTI12/VTI12Utils/src/VP1SGAccessHelper.cxx b/graphics/VTI12/VTI12Utils/src/VP1SGAccessHelper.cxx new file mode 100644 index 0000000000000000000000000000000000000000..75635d235229ecb68e6982358891434b47d71660 --- /dev/null +++ b/graphics/VTI12/VTI12Utils/src/VP1SGAccessHelper.cxx @@ -0,0 +1,67 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class VP1SGAccessHelper // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: March 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12Utils/VP1SGAccessHelper.h" +#include "VTI12Utils/VP1SGContentsHelper.h" +#include "VP1Base/IVP1System.h" + +//____________________________________________________________________ +class VP1SGAccessHelper::Imp { +public: + Imp(IVP1System * sys,const bool detStore) + : sgcontents(sys,detStore),sg(sys?(detStore?sys->detectorStore():sys->storeGate()):0) {} + Imp(StoreGateSvc * the_sg) + : sgcontents(the_sg), sg(the_sg) {} + VP1SGContentsHelper sgcontents; + StoreGateSvc * sg; +}; + + + +//____________________________________________________________________ +VP1SGAccessHelper::VP1SGAccessHelper( IVP1System * sys,const bool detStore ) + : VP1HelperClassBase(sys,"VP1SGAccessHelper"), m_d(new Imp(sys,detStore)) +{ + if (!sys) + message("ERROR: Received null system pointer (won't be able to get StoreGate pointer either)"); + else if (!m_d->sg) + message("ERROR: Could not get "+QString(detStore?"storeGate":"detectorStore")+" pointer from system"); +} + + +//____________________________________________________________________ +VP1SGAccessHelper::VP1SGAccessHelper( StoreGateSvc * sg ) + : VP1HelperClassBase(0,"VP1SGContentsHelper"), m_d(new Imp(sg)) +{ + if (!sg) + message("ERROR: Received null storegate pointer"); +} + +//____________________________________________________________________ +VP1SGAccessHelper::~VP1SGAccessHelper() +{ + delete m_d; +} + +//____________________________________________________________________ +StoreGateSvc * VP1SGAccessHelper::storeGate() const +{ + return m_d->sg; +} + +//____________________________________________________________________ +bool VP1SGAccessHelper::contains(const CLID& id, const QString& key) const +{ + return m_d->sgcontents.contains(id,key); +} diff --git a/graphics/VTI12/VTI12Utils/src/VP1SGContentsHelper.cxx b/graphics/VTI12/VTI12Utils/src/VP1SGContentsHelper.cxx new file mode 100644 index 0000000000000000000000000000000000000000..9cb6e9021c6a7f7dcbf232278ba6bf2ff9fa80cc --- /dev/null +++ b/graphics/VTI12/VTI12Utils/src/VP1SGContentsHelper.cxx @@ -0,0 +1,125 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class VP1SGContentsHelper // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: March 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12Utils/VP1SGContentsHelper.h" +#include "VP1Base/IVP1System.h" +#include "VP1Base/VP1Msg.h" +#include "StoreGate/StoreGateSvc.h" // +#include <stdexcept> +#include <QStringList> +// // +///////////////////////////////////////////////////////////////////////// + +//____________________________________________________________________ +VP1SGContentsHelper::VP1SGContentsHelper( IVP1System * sys, const bool detStore ) + : VP1HelperClassBase(sys,"VP1SGContentsHelper"), m_sg(sys?(detStore?sys->detectorStore():sys->storeGate()):0) +{ + if (!sys) + message("ERROR: Received null system pointer (won't be able to get storeGate pointer either)"); + else if (!m_sg) + message("ERROR: Could not get "+QString(detStore?"storeGate":"detectorStore")+" pointer from system"); +} + +//____________________________________________________________________ +VP1SGContentsHelper::VP1SGContentsHelper( StoreGateSvc * sg ) + : VP1HelperClassBase(0,"VP1SGContentsHelper"), m_sg(sg) +{ + if (!sg) + message("ERROR: Received null storegate pointer"); +} + +//____________________________________________________________________ +bool VP1SGContentsHelper::contains( const CLID& id, const QString& key ) const +{ + if (VP1Msg::verbose()) + messageVerbose("contains(..) called for key = "+key); + if (!m_sg) { + message("ERROR: Does not have StoreGate pointer - returning false."); + return false; + } + if (key.isEmpty()) { + message("ERROR: Passed key is empty. Returning false."); + return false; + } + bool contains = false; + bool exception = true; + try { + contains = m_sg->contains(id,key.toStdString()); + exception = false; + } catch (const std::runtime_error& e) { + exception = true; + } + if (exception) { + message("ERROR: Exception thrown during call to StoreGateSvc::contains(..). Returning false."); + return false; + } + if (VP1Msg::verbose()) + messageVerbose("contains(..) returning "+QString(contains?"true":"false")); + return contains; +} + +//____________________________________________________________________ +QStringList VP1SGContentsHelper::getKeys(const CLID& id) const +{ + messageVerbose("getKeys(..) called"); + if (!m_sg) { + message("ERROR: Does not have StoreGate pointer - returning empty key list"); + return QStringList(); + } + QStringList l; + + std::vector<std::string> keys; + + bool exception = true; + try { + keys = m_sg->keys(id); + exception = false; + } catch (const std::runtime_error& e) { + exception = true; + } + if (exception) { + message("ERROR: Exception thrown during call to StoreGateSvc::keys(..)"); + return QStringList(); + } + std::vector<std::string>::const_iterator it(keys.begin()), itE(keys.end()); + for (;it!=itE;++it) { + if (it->empty()) + continue; + if (contains(id,it->c_str())) + l << it->c_str(); + else if (VP1Msg::verbose()) + messageVerbose("NB: StoreGateSvc::keys() included '"+QString(it->c_str()) + +"' but StoreGateSvc::contains("+QString(it->c_str())+") returns false." ); + } + if (VP1Msg::verbose()) { + messageVerbose("returning "+QString::number(l.count())+" keys:"); + messageVerbose(" => ",l); + } + return l; +} + +//____________________________________________________________________ +QList<CLID> VP1SGContentsHelper::getPossibleCLIDs() const +{ + messageVerbose("getPossibleCLIDs(..) called"); + QList<CLID> l; + if (!m_sg) { + message("ERROR: Does not have StoreGate pointer - returning empty key list"); + return l; + } + + for (CLID id : m_sg->clids()) + l << id; + return l; +} diff --git a/graphics/VTI12/VTI12Utils/src/VP1ToolAccessHelper.cxx b/graphics/VTI12/VTI12Utils/src/VP1ToolAccessHelper.cxx new file mode 100644 index 0000000000000000000000000000000000000000..c80745e79acbdc016db0f7c05d182c7448a2fa74 --- /dev/null +++ b/graphics/VTI12/VTI12Utils/src/VP1ToolAccessHelper.cxx @@ -0,0 +1,34 @@ +/* + Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +*/ + + +//////////////////////////////////////////////////////////////// +// // +// Implementation of class VP1ToolAccessHelper // +// // +// Author: Thomas H. Kittelmann (Thomas.Kittelmann@cern.ch) // +// Initial version: February 2008 // +// // +//////////////////////////////////////////////////////////////// + +#include "VTI12Utils/VP1ToolAccessHelper.h" +#include "VP1Base/IVP1System.h" + +//____________________________________________________________________ +VP1ToolAccessHelper::VP1ToolAccessHelper(IToolSvc* ts) + : VP1HelperClassBase(0,"VP1ToolAccessHelper"),m_toolsvc(ts) +{ + if (!m_toolsvc) + message("ERROR: Received null toolSvc pointer!"); +} + +//____________________________________________________________________ +VP1ToolAccessHelper::VP1ToolAccessHelper(IVP1System* sys) + : VP1HelperClassBase(sys,"VP1ToolAccessHelper"),m_toolsvc((sys?sys->toolSvc():0)) +{ + if (!sys) + message("ERROR: Received null system (and thus also null toolSvc) pointer!"); + else if (!m_toolsvc) + message("ERROR: Could not get toolSvc pointer from system!"); +}