diff --git a/Control/PerformanceMonitoring/PerfMonComps/src/PerfMonMTSvc.cxx b/Control/PerformanceMonitoring/PerfMonComps/src/PerfMonMTSvc.cxx index 7b40497de45cfac631c78e9321f62e374c317851..2a53546cd6d51e7c86eeff76eec6234f12d1ae55 100644 --- a/Control/PerformanceMonitoring/PerfMonComps/src/PerfMonMTSvc.cxx +++ b/Control/PerformanceMonitoring/PerfMonComps/src/PerfMonMTSvc.cxx @@ -828,49 +828,30 @@ std::string PerfMonMTSvc::scaleTime(double timeMeas) const { } std::string PerfMonMTSvc::scaleMem(int64_t memMeas) const { - // The memory measurements should be positive - // Only delta(A,B) can go negative but this method - // is not used for those cases, at least for now - if (memMeas<0) return "NA"; + // Check if there is anything to be done + if (memMeas == 0) { + return "0.00 KB" ; + } + + // Prepare for the result std::ostringstream ss; ss << std::fixed; ss << std::setprecision(2); - double result = 0; - + // The input is in KB std::vector<std::string> significance = {"KB", "MB", "GB", "TB"}; - int scaleFactor = 0; - - if (memMeas > 1024 * 1024 * 1024) { - int64_t teraCount = memMeas / (1024 * 1024 * 1024); - memMeas = memMeas % (1024 * 1024 * 1024); - result += teraCount; - scaleFactor++; - } - if (memMeas > 1024 * 1024) { - int64_t gigaCount = memMeas / (1024 * 1024); - memMeas = memMeas % (1024 * 1024); - result += gigaCount * (1.0 / 1024); - scaleFactor++; - } - if (memMeas > 1024) { - int64_t megaCount = memMeas / (1024); - memMeas = memMeas % (1024); - result += megaCount * (1.0 / (1024 * 1024)); - scaleFactor++; - } - if (memMeas >= 0) { - result += memMeas * (1.0 / (1024 * 1024 * 1024)); - scaleFactor++; - } - - result = result * std::pow(1024, (4 - scaleFactor)); - ss << result; - std::string stringObj = ss.str() + " " + significance[scaleFactor - 1]; + // Get the absolute value + int64_t absMemMeas = std::abs(memMeas); + // Find the order, note that this is an int operation + int64_t order = std::log(absMemMeas)/std::log(1024); + // Compute the final value preserving the sign + double value = memMeas/std::pow(1024, order); + // Convert the result to a string + ss << value; - return stringObj; + return ss.str() + " " + significance[order]; } /* diff --git a/Control/PerformanceMonitoring/PerfMonTests/CMakeLists.txt b/Control/PerformanceMonitoring/PerfMonTests/CMakeLists.txt index 024fa60ea6359a8d89763856e5e7be48f707dac0..50b7171f8c00c115bff1f538c034ee56dfb22dd9 100644 --- a/Control/PerformanceMonitoring/PerfMonTests/CMakeLists.txt +++ b/Control/PerformanceMonitoring/PerfMonTests/CMakeLists.txt @@ -46,3 +46,15 @@ atlas_add_test( BaseLine SCRIPT test/BaseLine.sh PROPERTIES TIMEOUT 600 LOG_IGNORE_PATTERN "running" ) + +atlas_add_test ( PerfMonMTSvc_serial + SCRIPT test/test_perfMonMTSvc_serial.py + PROPERTIES TIMEOUT 300) + +atlas_add_test ( PerfMonMTSvc_mt1 + SCRIPT test/test_perfMonMTSvc_mt1.py + PROPERTIES TIMEOUT 300) + +atlas_add_test ( PerfMonMTSvc_mt8 + SCRIPT test/test_perfMonMTSvc_mt8.py + PROPERTIES TIMEOUT 300) diff --git a/Control/PerformanceMonitoring/PerfMonTests/test/test_perfMonMTSvc_mt1.py b/Control/PerformanceMonitoring/PerfMonTests/test/test_perfMonMTSvc_mt1.py new file mode 100755 index 0000000000000000000000000000000000000000..00e158e552802c2c20e8f651b1188564306f1330 --- /dev/null +++ b/Control/PerformanceMonitoring/PerfMonTests/test/test_perfMonMTSvc_mt1.py @@ -0,0 +1,44 @@ +#!/usr/bin/env python + +# Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration + +# A minimal job that demonstrates what PerfMonMTSvc does +if __name__ == '__main__': + + # Import the common flags/services + from AthenaConfiguration.ComponentFactory import CompFactory + from AthenaConfiguration.AllConfigFlags import ConfigFlags + from AthenaConfiguration.MainServicesConfig import MainServicesCfg + from PerfMonComps.PerfMonCompsConfig import PerfMonMTSvcCfg + + # Set the necessary configuration flags + # Process 100 events in 1 thread/slot and do full monitoring + ConfigFlags.Exec.MaxEvents = 100 + ConfigFlags.Concurrency.NumProcs = 1 + ConfigFlags.Concurrency.NumThreads = 1 + ConfigFlags.PerfMon.doFullMonMT = True + ConfigFlags.PerfMon.OutputJSON = 'perfmonmt_test.json' + ConfigFlags.lock() + + # Set up the configuration and add the relevant services + cfg = MainServicesCfg(ConfigFlags) + cfg.merge(PerfMonMTSvcCfg(ConfigFlags)) + + # Burn 100 +/- 1 ms per event + CpuCruncherAlg = CompFactory.getComp('PerfMonTest::CpuCruncherAlg') + cfg.addEventAlgo(CpuCruncherAlg('CpuCruncherAlg', MeanCpu = 100, RmsCpu = 1), sequenceName = 'AthAlgSeq') + + # Leak 10k ints per event, i.e. 40 KB + LeakyAlg = CompFactory.getComp('PerfMonTest::LeakyAlg') + cfg.addEventAlgo(LeakyAlg('LeakyAlg', LeakSize = 10000), sequenceName = 'AthAlgSeq') + + # Print the configuration and dump the flags + cfg.printConfig(withDetails = True, summariseProps = True) + ConfigFlags.dump() + + # Run the job + sc = cfg.run() + + # Exit as appropriate + import sys + sys.exit(not sc.isSuccess()) diff --git a/Control/PerformanceMonitoring/PerfMonTests/test/test_perfMonMTSvc_mt8.py b/Control/PerformanceMonitoring/PerfMonTests/test/test_perfMonMTSvc_mt8.py new file mode 100755 index 0000000000000000000000000000000000000000..4ab546fa939e8c01c6bc871373b765acc06d72e6 --- /dev/null +++ b/Control/PerformanceMonitoring/PerfMonTests/test/test_perfMonMTSvc_mt8.py @@ -0,0 +1,50 @@ +#!/usr/bin/env python + +# Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration + +# A minimal job that demonstrates what PerfMonMTSvc does +if __name__ == '__main__': + + # Import the common flags/services + from AthenaConfiguration.ComponentFactory import CompFactory + from AthenaConfiguration.AllConfigFlags import ConfigFlags + from AthenaConfiguration.MainServicesConfig import MainServicesCfg + from PerfMonComps.PerfMonCompsConfig import PerfMonMTSvcCfg + + # Set the necessary configuration flags + # Process 100 events in 8 threads/slots and do full monitoring + ConfigFlags.Exec.MaxEvents = 100 + ConfigFlags.Concurrency.NumProcs = 8 + ConfigFlags.Concurrency.NumThreads = 8 + ConfigFlags.PerfMon.doFullMonMT = True + ConfigFlags.PerfMon.OutputJSON = 'perfmonmt_test.json' + ConfigFlags.lock() + + # Set up the configuration and add the relevant services + cfg = MainServicesCfg(ConfigFlags) + cfg.merge(PerfMonMTSvcCfg(ConfigFlags)) + + # Overwrite cardinality settings + AlgResourcePool = cfg.getService('AlgResourcePool') + AlgResourcePool.OverrideUnClonable = True + + # Burn 100 +/- 1 ms per event + CpuCruncherAlg = CompFactory.getComp('PerfMonTest::CpuCruncherAlg') + cfg.addEventAlgo(CpuCruncherAlg('CpuCruncherAlg', MeanCpu = 100, RmsCpu = 1), sequenceName = 'AthAlgSeq') + cfg.getEventAlgo('CpuCruncherAlg').Cardinality=8 + + # Leak 10k ints per event, i.e. 40 KB + LeakyAlg = CompFactory.getComp('PerfMonTest::LeakyAlg') + cfg.addEventAlgo(LeakyAlg("LeakyAlg", LeakSize = 10000), sequenceName = 'AthAlgSeq') + cfg.getEventAlgo('LeakyAlg').Cardinality=8 + + # Print the configuration and dump the flags + cfg.printConfig(withDetails = True, summariseProps = True) + ConfigFlags.dump() + + # Run the job + sc = cfg.run() + + # Exit as appropriate + import sys + sys.exit(not sc.isSuccess()) diff --git a/Control/PerformanceMonitoring/PerfMonTests/test/test_perfMonMTSvc_serial.py b/Control/PerformanceMonitoring/PerfMonTests/test/test_perfMonMTSvc_serial.py new file mode 100755 index 0000000000000000000000000000000000000000..a1765d1938575a196e3fd18f34121098ac9af3c6 --- /dev/null +++ b/Control/PerformanceMonitoring/PerfMonTests/test/test_perfMonMTSvc_serial.py @@ -0,0 +1,42 @@ +#!/usr/bin/env python + +# Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration + +# A minimal job that demonstrates what PerfMonMTSvc does +if __name__ == '__main__': + + # Import the common flags/services + from AthenaConfiguration.ComponentFactory import CompFactory + from AthenaConfiguration.AllConfigFlags import ConfigFlags + from AthenaConfiguration.MainServicesConfig import MainServicesCfg + from PerfMonComps.PerfMonCompsConfig import PerfMonMTSvcCfg + + # Set the necessary configuration flags + # Process 100 events in serial and do full monitoring + ConfigFlags.Exec.MaxEvents = 100 + ConfigFlags.PerfMon.doFullMonMT = True + ConfigFlags.PerfMon.OutputJSON = 'perfmonmt_test.json' + ConfigFlags.lock() + + # Set up the configuration and add the relevant services + cfg = MainServicesCfg(ConfigFlags) + cfg.merge(PerfMonMTSvcCfg(ConfigFlags)) + + # Burn 100 +/- 1 ms per event + CpuCruncherAlg = CompFactory.getComp('PerfMonTest::CpuCruncherAlg') + cfg.addEventAlgo(CpuCruncherAlg('CpuCruncherAlg', MeanCpu = 100, RmsCpu = 1), sequenceName = 'AthAlgSeq') + + # Leak 10k ints per event, i.e. 40 KB + LeakyAlg = CompFactory.getComp('PerfMonTest::LeakyAlg') + cfg.addEventAlgo(LeakyAlg("LeakyAlg", LeakSize = 10000), sequenceName = 'AthAlgSeq') + + # Print the configuration and dump the flags + cfg.printConfig(withDetails = True, summariseProps = True) + ConfigFlags.dump() + + # Run the job + sc = cfg.run() + + # Exit as appropriate + import sys + sys.exit(not sc.isSuccess()) diff --git a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_Concat.ref b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_Concat.ref index 4fa3d3c4be5fd60385a3ad9a7a23038a11076ade..79129b517ec00f1650474ba8eac620a2308a29c2 100644 --- a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_Concat.ref +++ b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_Concat.ref @@ -1,17 +1,67 @@ +Mon Oct 18 10:24:26 CDT 2021 +Preloading tcmalloc_minimal.so +Athena INFO including file "AthenaCommon/Preparation.py" +Athena INFO including file "AthenaCommon/Atlas.UnixStandardJob.py" Athena INFO executing ROOT6Setup +Athena INFO including file "AthenaCommon/Execution.py" +Athena INFO including file "AthenaPoolExampleAlgorithms/AthenaPoolExample_ConcatJobOptions.py" +Py:ConfigurableDb INFO Read module info for 5082 configurables from 58 genConfDb files +Py:ConfigurableDb INFO No duplicates have been found: that's good ! +Athena INFO including file "AthenaCommon/runbatch.py" +ApplicationMgr SUCCESS +==================================================================================================================================== + Welcome to ApplicationMgr (GaudiCoreSvc v36r0) + running on atlaslogin01.hep.anl.gov on Mon Oct 18 10:24:37 2021 +==================================================================================================================================== ApplicationMgr INFO Application Manager Configured successfully AthDictLoaderSvc INFO in initialize... AthDictLoaderSvc INFO acquired Dso-registry +ClassIDSvc INFO getRegistryEntries: read 3039 CLIDRegistry entries for module ALL AthenaEventLoopMgr INFO Initializing AthenaEventLoopMgr +ClassIDSvc INFO getRegistryEntries: read 722 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 593 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 350 CLIDRegistry entries for module ALL +xAODMaker::Even... INFO Initializing xAODMaker::EventInfoCnvAlg MetaDataSvc INFO Initializing MetaDataSvc +AthenaPoolCnvSvc DEBUG Property update for OutputLevel : new value = 2 +PoolSvc DEBUG Property update for OutputLevel : new value = 2 +PoolSvc DEBUG Service base class initialized successfully +PoolSvc INFO io_register[PoolSvc](xmlcatalog_file:Catalog1.xml) [ok] +PoolSvc INFO Set connectionsvc retry/timeout/IDLE timeout to 'ConnectionRetrialPeriod':300/ 'ConnectionRetrialTimeOut':3600/ 'ConnectionTimeOut':5 seconds with connection cleanup disabled +PoolSvc INFO Frontier compression level set to 5 +DBReplicaSvc INFO Frontier server at (serverurl=http://atlasfrontier-ai.cern.ch:8000/atlr)(serverurl=http://frontier-atlas.lcg.triumf.ca:3128/ATLAS_frontier)(serverurl=http://ccfrontier.in2p3.fr:23128/ccin2p3-AtlasFrontier)(proxyurl=http://atlasbpfrontier.cern.ch:3127)(proxyurl=http://atlasbpfrontier.fnal.gov:3127) will be considered for COOL data +DBReplicaSvc INFO Read replica configuration from /users/gemmeren/workarea/build/x86_64-centos7-gcc8-opt/share/dbreplica.config +DBReplicaSvc INFO Total of 1 servers found for host atlaslogin01.hep.anl.gov [ATLF ] +PoolSvc INFO Successfully setup replica sorting algorithm PoolSvc DEBUG OutputLevel is 2 +PoolSvc INFO Setting up APR FileCatalog and Streams +PoolSvc INFO POOL WriteCatalog is xmlcatalog_file:Catalog1.xml +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain READ [ROOT_All] AthenaPoolCnvSvc DEBUG Registering all Tools in ToolHandleArray OutputStreamingTool +MetaDataSvc INFO Found MetaDataTools = PublicToolHandleArray([]) +xAODMaker::Even... INFO Beam conditions service not available +xAODMaker::Even... INFO Will not fill beam spot information into xAOD::EventInfo +ClassIDSvc INFO getRegistryEntries: read 1151 CLIDRegistry entries for module ALL +WriteData DEBUG Property update for OutputLevel : new value = 2 WriteData INFO in initialize() +WriteData DEBUG input handles: 0 +WriteData DEBUG output handles: 2 +WriteData DEBUG Data Deps for WriteData + OUTPUT ( 'ExampleHitContainer' , 'StoreGateSvc+MyHits' ) + OUTPUT ( 'ExampleHitContainer' , 'StoreGateSvc+PetersHits' ) +ReWriteData DEBUG Property update for OutputLevel : new value = 2 ReWriteData INFO in initialize() +ReWriteData DEBUG input handles: 1 +ReWriteData DEBUG output handles: 1 +ReWriteData DEBUG Data Deps for ReWriteData + INPUT ( 'ExampleHitContainer' , 'StoreGateSvc+MyHits' ) + OUTPUT ( 'ExampleTrackContainer' , 'StoreGateSvc+MyTracks' ) +Stream1 DEBUG Property update for OutputLevel : new value = 2 +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 Stream1 DEBUG In initialize Stream1 DEBUG Found IDecisionSvc. DecisionSvc INFO Inserting stream: Stream1 with no Algs @@ -19,21 +69,46 @@ Stream1 DEBUG End initialize Stream1 DEBUG In initialize Stream1 DEBUG Found StoreGateSvc store. Stream1 DEBUG Found MetaDataStore store. +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 Stream1.Stream1... INFO Initializing Stream1.Stream1Tool +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +Stream1.FileMet... DEBUG Property update for OutputLevel : new value = 2 +TagInfoMgr INFO AlgTool: TagInfoMgr.IOVDbMetaDataTool Stream1.FileMet... DEBUG Creating new xAOD::FileMetaData object to fill +Stream1.Thinnin... DEBUG Property update for OutputLevel : new value = 2 +Stream1 INFO Found HelperTools = PrivateToolHandleArray(['MakeEventStreamInfo/Stream1_MakeEventStreamInfo','xAODMaker::EventFormatStreamHelperTool/Stream1_MakeEventFormat','xAODMaker::FileMetaDataCreatorTool/FileMetaDataCreatorTool','Athena::ThinningCacheTool/ThinningCacheTool_Stream1']) Stream1 INFO Data output: SimplePoolFile1.root -Stream1 INFO ../O reinitialization... +Stream1 INFO I/O reinitialization... +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +ClassIDSvc INFO getRegistryEntries: read 897 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 7 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 33 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 22 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 19 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 68 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 6 CLIDRegistry entries for module ALL Stream1 DEBUG End initialize +Stream1 DEBUG input handles: 0 +Stream1 DEBUG output handles: 2 Stream1 DEBUG Registering all Tools in ToolHandleArray HelperTools Stream1 DEBUG Adding private ToolHandle tool Stream1.Stream1_MakeEventStreamInfo (MakeEventStreamInfo) Stream1 DEBUG Adding private ToolHandle tool Stream1.Stream1_MakeEventFormat (xAODMaker::EventFormatStreamHelperTool) Stream1 DEBUG Adding private ToolHandle tool Stream1.FileMetaDataCreatorTool (xAODMaker::FileMetaDataCreatorTool) +Stream1 DEBUG Adding private ToolHandle tool Stream1.ThinningCacheTool_Stream1 (Athena::ThinningCacheTool) Stream1 DEBUG Adding private ToolHandle tool Stream1.Stream1Tool (AthenaOutputStreamTool) +Stream1 DEBUG Data Deps for Stream1 + INPUT ( 'AthenaAttributeList' , 'StoreGateSvc+SimpleTag' ) + OUTPUT ( 'DataHeader' , 'StoreGateSvc+Stream1' ) + OUTPUT ( 'SG::CompressionInfo' , 'StoreGateSvc+CompressionInfo_Stream1' ) + OUTPUT ( 'SG::SelectionVetoes' , 'StoreGateSvc+SelectionVetoes_Stream1' ) MakeInputDataHe... INFO Name of Stream to be made Input: Stream1 +ClassIDSvc INFO getRegistryEntries: read 24 CLIDRegistry entries for module ALL +Stream2 DEBUG Property update for OutputLevel : new value = 2 +Stream2.Stream2... DEBUG Property update for OutputLevel : new value = 2 +Stream2.Stream2... DEBUG Property update for OutputLevel : new value = 2 +Stream2.Stream2... DEBUG Property update for OutputLevel : new value = 2 +Stream2.Stream2... DEBUG Property update for OutputLevel : new value = 2 Stream2 DEBUG In initialize Stream2 DEBUG Found IDecisionSvc. DecisionSvc INFO Inserting stream: Stream2 with no Algs @@ -41,16 +116,27 @@ Stream2 DEBUG End initialize Stream2 DEBUG In initialize Stream2 DEBUG Found StoreGateSvc store. Stream2 DEBUG Found MetaDataStore store. +Stream2.Stream2... DEBUG Property update for OutputLevel : new value = 2 Stream2.Stream2... INFO Initializing Stream2.Stream2Tool +Stream2.Stream2... DEBUG Property update for OutputLevel : new value = 2 +Stream2.Stream2... DEBUG Property update for OutputLevel : new value = 2 +Stream2.FileMet... DEBUG Property update for OutputLevel : new value = 2 Stream2.FileMet... DEBUG Creating new xAOD::FileMetaData object to fill +Stream2.Thinnin... DEBUG Property update for OutputLevel : new value = 2 +Stream2 INFO Found HelperTools = PrivateToolHandleArray(['MakeEventStreamInfo/Stream2_MakeEventStreamInfo','xAODMaker::EventFormatStreamHelperTool/Stream2_MakeEventFormat','xAODMaker::FileMetaDataCreatorTool/FileMetaDataCreatorTool','Athena::ThinningCacheTool/ThinningCacheTool_Stream2']) Stream2 INFO Data output: SimplePoolFile3.root -Stream2 INFO ../O reinitialization... +Stream2 INFO I/O reinitialization... +Stream2.Stream2... DEBUG Property update for OutputLevel : new value = 2 Stream2 DEBUG End initialize +Stream2 DEBUG input handles: 0 +Stream2 DEBUG output handles: 2 Stream2 DEBUG Registering all Tools in ToolHandleArray HelperTools Stream2 DEBUG Adding private ToolHandle tool Stream2.Stream2_MakeEventStreamInfo (MakeEventStreamInfo) Stream2 DEBUG Adding private ToolHandle tool Stream2.Stream2_MakeEventFormat (xAODMaker::EventFormatStreamHelperTool) Stream2 DEBUG Adding private ToolHandle tool Stream2.FileMetaDataCreatorTool (xAODMaker::FileMetaDataCreatorTool) +Stream2 DEBUG Adding private ToolHandle tool Stream2.ThinningCacheTool_Stream2 (Athena::ThinningCacheTool) Stream2 DEBUG Adding private ToolHandle tool Stream2.Stream2Tool (AthenaOutputStreamTool) +Stream2 DEBUG Data Deps for Stream2 + INPUT ( 'AthenaAttributeList' , 'StoreGateSvc+SimpleTag' ) + OUTPUT ( 'DataHeader' , 'StoreGateSvc+Stream2' ) + OUTPUT ( 'SG::CompressionInfo' , 'StoreGateSvc+CompressionInfo_Stream2' ) @@ -63,9 +149,10 @@ EventPersistenc... INFO Added successfully Conversion service:McCnvSvc AthenaEventLoopMgr INFO ===>>> start of run 1 <<<=== IOVDbSvc INFO Only 5 POOL conditions files will be open at once IOVDbSvc INFO Setting run/LB/time from EventSelector override in initialize -IOVDbSvc INFO ../time set to [1,0 : 0] +IOVDbSvc INFO run/LB/time set to [1,0 : 0] IOVDbSvc INFO Initialised with 1 connections and 0 folders IOVDbSvc INFO Service IOVDbSvc initialised successfully +IOVDbSvc INFO AlgTool: ToolSvc.IOVDbMetaDataTool AthenaEventLoopMgr INFO ===>>> start processing event #0, run #1 0 events processed so far <<<=== WriteData DEBUG in execute() WriteData INFO EventInfo event: 0 run: 1 @@ -97,6 +184,7 @@ ReWriteData INFO Element = 0x???? : 17.2845 ReWriteData INFO Element = 0x???? : 10.8645 ReWriteData INFO Track pt = 74.8928 eta = 3.1676 phi = 2.6161 detector = Track made in: DummyHitDetector ReWriteData INFO registered all data +ClassIDSvc INFO getRegistryEntries: read 350 CLIDRegistry entries for module ALL Stream1 DEBUG addItemObjects(2101,"*") called Stream1 DEBUG Key:* Stream1 DEBUG Comp Attr 0 with 7 mantissa bits. @@ -110,6 +198,15 @@ Stream1 DEBUG Added object 9102,"MyHits" Stream1 DEBUG Collected objects: Stream1 DEBUG Object/count: EventInfo_McEventInfo, 1 Stream1 DEBUG Object/count: ExampleHitContainer_MyHits, 1 +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain UPDATE [ROOT_All] +AthenaPoolCnvSvc DEBUG setAttribute TREE_MAX_SIZE to 1099511627776L +AthenaPoolCnvSvc DEBUG setAttribute DEFAULT_SPLITLEVEL to 0 +AthenaPoolCnvSvc DEBUG setAttribute STREAM_MEMBER_WISE to 1 +AthenaPoolCnvSvc DEBUG setAttribute DEFAULT_BUFFERSIZE to 32000 +PersistencySvc:... DEBUG lookupPFN: SimplePoolFile1.root returned FID: 'F2313678-C96A-964F-89E8-08BAB39F2DA7' tech=ROOT_All +Domain[ROOT_All] INFO -> Access DbDatabase CREATE [ROOT_All] F2313678-C96A-964F-89E8-08BAB39F2DA7 +Domain[ROOT_All] INFO SimplePoolFile1.root SimplePoolFile1... DEBUG --> Access DbContainer CREATE [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 @@ -124,80 +221,81 @@ SimplePoolFile1... DEBUG --> Access DbContainer CREATE [ROOT_All] ##Param ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/##Params [200] (2 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/##Params [200] (2 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B ##Params DEBUG No objects passing selection criteria... Container has 0 Entries in total. +AthenaPoolCnvSvc DEBUG setAttribute CONTAINER_SPLITLEVEL to 0 for db: SimplePoolFile1.root and cont: TTree=POOLContainerForm(DataHeaderForm) Stream1 DEBUG connectOutput done for SimplePoolFile1.root StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO EventInfo_p4 [????] -SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] CollectionTree(EventInfo_p4/McEventInfo) +StorageSvc INFO EventInfo_p4 [C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7] +SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] CollectionTree(EventInfo_p4/McEventInfo) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'EventInfo_p4_McEventInfo' CollectionTree(... DEBUG Opened container CollectionTree(EventInfo_p4/McEventInfo) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Adding Shape[0 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7 +SimplePoolFile1... DEBUG --->Adding Shape[0 , C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7]: [1 Column(s)] SimplePoolFile1... DEBUG ---->Class:EventInfo_p4 SimplePoolFile1... DEBUG ---->[0]:EventInfo_p4 Typ:EventInfo_p4 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO ExampleHitContainer_p1 [????] -SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] CollectionTree(ExampleHitContainer_p1/MyHits) +StorageSvc INFO ExampleHitContainer_p1 [6BB89FA1-EB62-4641-97CA-3F8DB6588053] +SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] CollectionTree(ExampleHitContainer_p1/MyHits) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'ExampleHitContainer_p1_MyHits' CollectionTree(... DEBUG Opened container CollectionTree(ExampleHitContainer_p1/MyHits) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/CollectionTree(ExampleHitContainer_p1/MyHits) [203] (4 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Adding Shape[1 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/CollectionTree(ExampleHitContainer_p1/MyHits) [203] (4 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:6BB89FA1-EB62-4641-97CA-3F8DB6588053 +SimplePoolFile1... DEBUG --->Adding Shape[1 , 6BB89FA1-EB62-4641-97CA-3F8DB6588053]: [1 Column(s)] SimplePoolFile1... DEBUG ---->Class:ExampleHitContainer_p1 SimplePoolFile1... DEBUG ---->[0]:ExampleHitContainer_p1 Typ:ExampleHitContainer_p1 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO DataHeader_p6 [????] -SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLContainer(DataHeader) +StorageSvc INFO DataHeader_p6 [4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D] +SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] POOLContainer(DataHeader) POOLContainer(D... DEBUG Opening POOLContainer(D... DEBUG attributes# = 1 POOLContainer(D... DEBUG Branch container 'DataHeader' POOLContainer(D... DEBUG Opened container POOLContainer(DataHeader) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/POOLContainer(DataHeader) [203] (5 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Adding Shape[2 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLContainer(DataHeader) [203] (5 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile1... DEBUG --->Adding Shape[2 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] SimplePoolFile1... DEBUG ---->Class:DataHeader_p6 SimplePoolFile1... DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO DataHeaderForm_p6 [????] -SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLContainerForm(DataHeaderForm) +StorageSvc INFO DataHeaderForm_p6 [7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD] +SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] POOLContainerForm(DataHeaderForm) POOLContainerFo... DEBUG Opening POOLContainerFo... DEBUG attributes# = 1 POOLContainerFo... DEBUG Branch container 'DataHeaderForm' POOLContainerFo... DEBUG Opened container POOLContainerForm(DataHeaderForm) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Adding Shape[3 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD +SimplePoolFile1... DEBUG --->Adding Shape[3 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] SimplePoolFile1... DEBUG ---->Class:DataHeaderForm_p6 SimplePoolFile1... DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO Token [????] +StorageSvc INFO Token [E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A] SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(Token) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'Token' POOLCollectionT... DEBUG Opened container POOLCollectionTree(Token) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/POOLCollectionTree(Token) [202] (7 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Adding Shape[4 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(Token) [202] (7 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A +SimplePoolFile1... DEBUG --->Adding Shape[4 , E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A]: [1 Column(s)] SimplePoolFile1... DEBUG ---->Class:Token SimplePoolFile1... DEBUG ---->[0]:Token Typ:Token [18] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO bool [????] +StorageSvc INFO bool [13FF06C5-AB4B-6EDD-68AB-3E6350E95305] SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(IsSimulation) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'IsSimulation' POOLCollectionT... DEBUG Opened container POOLCollectionTree(IsSimulation) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/POOLCollectionTree(IsSimulation) [202] (8 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Adding Shape[5 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(IsSimulation) [202] (8 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:13FF06C5-AB4B-6EDD-68AB-3E6350E95305 +SimplePoolFile1... DEBUG --->Adding Shape[5 , 13FF06C5-AB4B-6EDD-68AB-3E6350E95305]: [1 Column(s)] SimplePoolFile1... DEBUG ---->Class:bool SimplePoolFile1... DEBUG ---->[0]:bool Typ:bool [9] Size:0 Offset:0 #Elements:1 SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(IsCalibration) @@ -205,25 +303,25 @@ POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'IsCalibration' POOLCollectionT... DEBUG Opened container POOLCollectionTree(IsCalibration) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/POOLCollectionTree(IsCalibration) [202] (9 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(IsCalibration) [202] (9 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:13FF06C5-AB4B-6EDD-68AB-3E6350E95305 SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(IsTestBeam) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'IsTestBeam' POOLCollectionT... DEBUG Opened container POOLCollectionTree(IsTestBeam) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/POOLCollectionTree(IsTestBeam) [202] (a , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(IsTestBeam) [202] (a , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:13FF06C5-AB4B-6EDD-68AB-3E6350E95305 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO unsigned int [????] +StorageSvc INFO unsigned int [BBACA313-D7B0-3A4C-9161-089CACF4B1CC] SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(McChannel) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'McChannel' POOLCollectionT... DEBUG Opened container POOLCollectionTree(McChannel) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/POOLCollectionTree(McChannel) [202] (b , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Adding Shape[6 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(McChannel) [202] (b , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile1... DEBUG --->Adding Shape[6 , BBACA313-D7B0-3A4C-9161-089CACF4B1CC]: [1 Column(s)] SimplePoolFile1... DEBUG ---->Class:unsigned int SimplePoolFile1... DEBUG ---->[0]:unsigned int Typ:unsigned int [3] Size:0 Offset:0 #Elements:1 SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(RunNumber) @@ -231,18 +329,18 @@ POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'RunNumber' POOLCollectionT... DEBUG Opened container POOLCollectionTree(RunNumber) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/POOLCollectionTree(RunNumber) [202] (c , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(RunNumber) [202] (c , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO unsigned long long [????] +StorageSvc INFO unsigned long long [388BE2E0-4452-7BB9-2563-DA3365C64623] SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(EventNumber) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'EventNumber' POOLCollectionT... DEBUG Opened container POOLCollectionTree(EventNumber) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/POOLCollectionTree(EventNumber) [202] (d , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Adding Shape[7 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(EventNumber) [202] (d , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:388BE2E0-4452-7BB9-2563-DA3365C64623 +SimplePoolFile1... DEBUG --->Adding Shape[7 , 388BE2E0-4452-7BB9-2563-DA3365C64623]: [1 Column(s)] SimplePoolFile1... DEBUG ---->Class:unsigned long long SimplePoolFile1... DEBUG ---->[0]:unsigned long long Typ:unsigned long long [23] Size:0 Offset:0 #Elements:1 SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(LumiBlockN) @@ -250,48 +348,49 @@ POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'LumiBlockN' POOLCollectionT... DEBUG Opened container POOLCollectionTree(LumiBlockN) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/POOLCollectionTree(LumiBlockN) [202] (e , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(LumiBlockN) [202] (e , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(ConditionsRun) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'ConditionsRun' POOLCollectionT... DEBUG Opened container POOLCollectionTree(ConditionsRun) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/POOLCollectionTree(ConditionsRun) [202] (f , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(ConditionsRun) [202] (f , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(EventTime) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'EventTime' POOLCollectionT... DEBUG Opened container POOLCollectionTree(EventTime) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/POOLCollectionTree(EventTime) [202] (10 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(EventTime) [202] (10 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(EventTimeNanoSec) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'EventTimeNanoSec' POOLCollectionT... DEBUG Opened container POOLCollectionTree(EventTimeNanoSec) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/POOLCollectionTree(EventTimeNanoSec) [202] (11 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(EventTimeNanoSec) [202] (11 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(BunchId) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'BunchId' POOLCollectionT... DEBUG Opened container POOLCollectionTree(BunchId) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/POOLCollectionTree(BunchId) [202] (12 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(BunchId) [202] (12 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO float [????] +StorageSvc INFO float [64DE6A54-6E0B-BCDF-8A08-6EF31347E768] SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(EventWeight) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'EventWeight' POOLCollectionT... DEBUG Opened container POOLCollectionTree(EventWeight) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/POOLCollectionTree(EventWeight) [202] (13 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Adding Shape[8 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(EventWeight) [202] (13 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:64DE6A54-6E0B-BCDF-8A08-6EF31347E768 +SimplePoolFile1... DEBUG --->Adding Shape[8 , 64DE6A54-6E0B-BCDF-8A08-6EF31347E768]: [1 Column(s)] SimplePoolFile1... DEBUG ---->Class:float SimplePoolFile1... DEBUG ---->[0]:float Typ:float [10] Size:0 Offset:0 #Elements:1 +ClassIDSvc INFO getRegistryEntries: read 21 CLIDRegistry entries for module ALL Stream1.FileMet... DEBUG beam energy "" tag could not be converted to float Stream1.FileMet... DEBUG Failed to retrieve 'SimInfoKey':'/Simulation/Parameters' => cannot set: xAOD::FileMetaData::simFlavour, and xAOD::FileMetaData::isDataOverlay Stream1.FileMet... DEBUG Retrieved 'EventInfoKey':'EventInfo' @@ -311,6 +410,15 @@ Stream2 DEBUG Added object 9103,"MyTracks" Stream2 DEBUG Collected objects: Stream2 DEBUG Object/count: EventInfo_McEventInfo, 1 Stream2 DEBUG Object/count: ExampleTrackContainer_MyTracks, 1 +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain UPDATE [ROOT_All] +AthenaPoolCnvSvc DEBUG setAttribute TREE_MAX_SIZE to 1099511627776L +AthenaPoolCnvSvc DEBUG setAttribute DEFAULT_SPLITLEVEL to 0 +AthenaPoolCnvSvc DEBUG setAttribute STREAM_MEMBER_WISE to 1 +AthenaPoolCnvSvc DEBUG setAttribute DEFAULT_BUFFERSIZE to 32000 +PersistencySvc:... DEBUG lookupPFN: SimplePoolFile3.root returned FID: 'A811B014-0297-AD47-AF4C-B75EF418982D' tech=ROOT_All +Domain[ROOT_All] INFO -> Access DbDatabase CREATE [ROOT_All] A811B014-0297-AD47-AF4C-B75EF418982D +Domain[ROOT_All] INFO SimplePoolFile3.root SimplePoolFile3... DEBUG --> Access DbContainer CREATE [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 @@ -325,50 +433,51 @@ SimplePoolFile3... DEBUG --> Access DbContainer CREATE [ROOT_All] ##Param ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/##Params [200] (2 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/##Params [200] (2 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B ##Params DEBUG No objects passing selection criteria... Container has 0 Entries in total. +AthenaPoolCnvSvc DEBUG setAttribute CONTAINER_SPLITLEVEL to 0 for db: SimplePoolFile3.root and cont: TTree=POOLContainerForm(DataHeaderForm) Stream2 DEBUG connectOutput done for SimplePoolFile3.root -SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] CollectionTree(EventInfo_p4/McEventInfo) +SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] CollectionTree(EventInfo_p4/McEventInfo) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'EventInfo_p4_McEventInfo' CollectionTree(... DEBUG Opened container CollectionTree(EventInfo_p4/McEventInfo) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[0 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7 +SimplePoolFile3... DEBUG --->Adding Shape[0 , C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:EventInfo_p4 SimplePoolFile3... DEBUG ---->[0]:EventInfo_p4 Typ:EventInfo_p4 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO ExampleTrackContainer_p1 [????] -SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] CollectionTree(ExampleTrackContainer_p1/MyTracks) +StorageSvc INFO ExampleTrackContainer_p1 [FF777FDA-721C-4756-BBF3-4CE28C2A3AF5] +SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] CollectionTree(ExampleTrackContainer_p1/MyTracks) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'ExampleTrackContainer_p1_MyTracks' CollectionTree(... DEBUG Opened container CollectionTree(ExampleTrackContainer_p1/MyTracks) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/CollectionTree(ExampleTrackContainer_p1/MyTracks) [203] (4 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[1 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/CollectionTree(ExampleTrackContainer_p1/MyTracks) [203] (4 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:FF777FDA-721C-4756-BBF3-4CE28C2A3AF5 +SimplePoolFile3... DEBUG --->Adding Shape[1 , FF777FDA-721C-4756-BBF3-4CE28C2A3AF5]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:ExampleTrackContainer_p1 SimplePoolFile3... DEBUG ---->[0]:ExampleTrackContainer_p1 Typ:ExampleTrackContainer_p1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLContainer(DataHeader) +SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] POOLContainer(DataHeader) POOLContainer(D... DEBUG Opening POOLContainer(D... DEBUG attributes# = 1 POOLContainer(D... DEBUG Branch container 'DataHeader' POOLContainer(D... DEBUG Opened container POOLContainer(DataHeader) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/POOLContainer(DataHeader) [203] (5 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[2 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/POOLContainer(DataHeader) [203] (5 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile3... DEBUG --->Adding Shape[2 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:DataHeader_p6 SimplePoolFile3... DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLContainerForm(DataHeaderForm) +SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] POOLContainerForm(DataHeaderForm) POOLContainerFo... DEBUG Opening POOLContainerFo... DEBUG attributes# = 1 POOLContainerFo... DEBUG Branch container 'DataHeaderForm' POOLContainerFo... DEBUG Opened container POOLContainerForm(DataHeaderForm) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[3 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD +SimplePoolFile3... DEBUG --->Adding Shape[3 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:DataHeaderForm_p6 SimplePoolFile3... DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(Token) @@ -376,9 +485,9 @@ POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'Token' POOLCollectionT... DEBUG Opened container POOLCollectionTree(Token) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/POOLCollectionTree(Token) [202] (7 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[4 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(Token) [202] (7 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A +SimplePoolFile3... DEBUG --->Adding Shape[4 , E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:Token SimplePoolFile3... DEBUG ---->[0]:Token Typ:Token [18] Size:0 Offset:0 #Elements:1 SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(IsSimulation) @@ -386,9 +495,9 @@ POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'IsSimulation' POOLCollectionT... DEBUG Opened container POOLCollectionTree(IsSimulation) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/POOLCollectionTree(IsSimulation) [202] (8 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[5 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(IsSimulation) [202] (8 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:13FF06C5-AB4B-6EDD-68AB-3E6350E95305 +SimplePoolFile3... DEBUG --->Adding Shape[5 , 13FF06C5-AB4B-6EDD-68AB-3E6350E95305]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:bool SimplePoolFile3... DEBUG ---->[0]:bool Typ:bool [9] Size:0 Offset:0 #Elements:1 SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(IsCalibration) @@ -396,23 +505,23 @@ POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'IsCalibration' POOLCollectionT... DEBUG Opened container POOLCollectionTree(IsCalibration) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/POOLCollectionTree(IsCalibration) [202] (9 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(IsCalibration) [202] (9 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:13FF06C5-AB4B-6EDD-68AB-3E6350E95305 SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(IsTestBeam) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'IsTestBeam' POOLCollectionT... DEBUG Opened container POOLCollectionTree(IsTestBeam) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/POOLCollectionTree(IsTestBeam) [202] (a , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(IsTestBeam) [202] (a , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:13FF06C5-AB4B-6EDD-68AB-3E6350E95305 SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(McChannel) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'McChannel' POOLCollectionT... DEBUG Opened container POOLCollectionTree(McChannel) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/POOLCollectionTree(McChannel) [202] (b , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[6 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(McChannel) [202] (b , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile3... DEBUG --->Adding Shape[6 , BBACA313-D7B0-3A4C-9161-089CACF4B1CC]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:unsigned int SimplePoolFile3... DEBUG ---->[0]:unsigned int Typ:unsigned int [3] Size:0 Offset:0 #Elements:1 SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(RunNumber) @@ -420,16 +529,16 @@ POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'RunNumber' POOLCollectionT... DEBUG Opened container POOLCollectionTree(RunNumber) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/POOLCollectionTree(RunNumber) [202] (c , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(RunNumber) [202] (c , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(EventNumber) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'EventNumber' POOLCollectionT... DEBUG Opened container POOLCollectionTree(EventNumber) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/POOLCollectionTree(EventNumber) [202] (d , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[7 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(EventNumber) [202] (d , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:388BE2E0-4452-7BB9-2563-DA3365C64623 +SimplePoolFile3... DEBUG --->Adding Shape[7 , 388BE2E0-4452-7BB9-2563-DA3365C64623]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:unsigned long long SimplePoolFile3... DEBUG ---->[0]:unsigned long long Typ:unsigned long long [23] Size:0 Offset:0 #Elements:1 SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(LumiBlockN) @@ -437,44 +546,44 @@ POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'LumiBlockN' POOLCollectionT... DEBUG Opened container POOLCollectionTree(LumiBlockN) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/POOLCollectionTree(LumiBlockN) [202] (e , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(LumiBlockN) [202] (e , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(ConditionsRun) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'ConditionsRun' POOLCollectionT... DEBUG Opened container POOLCollectionTree(ConditionsRun) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/POOLCollectionTree(ConditionsRun) [202] (f , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(ConditionsRun) [202] (f , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(EventTime) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'EventTime' POOLCollectionT... DEBUG Opened container POOLCollectionTree(EventTime) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/POOLCollectionTree(EventTime) [202] (10 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(EventTime) [202] (10 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(EventTimeNanoSec) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'EventTimeNanoSec' POOLCollectionT... DEBUG Opened container POOLCollectionTree(EventTimeNanoSec) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/POOLCollectionTree(EventTimeNanoSec) [202] (11 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(EventTimeNanoSec) [202] (11 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(BunchId) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'BunchId' POOLCollectionT... DEBUG Opened container POOLCollectionTree(BunchId) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/POOLCollectionTree(BunchId) [202] (12 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(BunchId) [202] (12 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(EventWeight) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'EventWeight' POOLCollectionT... DEBUG Opened container POOLCollectionTree(EventWeight) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/POOLCollectionTree(EventWeight) [202] (13 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[8 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(EventWeight) [202] (13 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:64DE6A54-6E0B-BCDF-8A08-6EF31347E768 +SimplePoolFile3... DEBUG --->Adding Shape[8 , 64DE6A54-6E0B-BCDF-8A08-6EF31347E768]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:float SimplePoolFile3... DEBUG ---->[0]:float Typ:float [10] Size:0 Offset:0 #Elements:1 Stream2.FileMet... DEBUG beam energy "" tag could not be converted to float @@ -1628,6 +1737,7 @@ AthenaEventLoopMgr INFO ===>>> done processing event #19, run #1 20 events Stream1 DEBUG AthenaOutputStream Stream1 ::stop() Stream2 DEBUG AthenaOutputStream Stream2 ::stop() Stream1 DEBUG slot 0 handle() incident type: MetaDataStop +Stream1 DEBUG metadataItemList: [EventStreamInfo#Stream1, IOVMetaDataContainer#*, xAOD::EventFormat#EventFormatStream1, xAOD::FileMetaData#FileMetaData, xAOD::FileMetaDataAuxInfo#FileMetaDataAux.] Stream1 DEBUG addItemObjects(73252552,"FileMetaDataAux.") called Stream1 DEBUG Key:FileMetaDataAux. Stream1 DEBUG Comp Attr 0 with 7 mantissa bits. @@ -1655,86 +1765,88 @@ Stream1 DEBUG Comp Attr 0 with 15 mantissa bits. Stream1 DEBUG Added object 1316383046,"/TagInfo" Stream1 DEBUG connectOutput done for SimplePoolFile1.root StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO xAOD::FileMetaDataAuxInfo_v1 [????] -SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) +StorageSvc INFO xAOD::FileMetaDataAuxInfo_v1 [BEE2BECF-A936-4078-9FDD-AD703C9ADF9F] +SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) MetaData(xAOD::... DEBUG Opening MetaData(xAOD::... DEBUG attributes# = 1 MetaData(xAOD::... DEBUG Branch container 'xAOD::FileMetaDataAuxInfo_v1_FileMetaDataAux.' MetaData(xAOD::... DEBUG Opened container MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (14 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Adding Shape[9 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (14 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BEE2BECF-A936-4078-9FDD-AD703C9ADF9F +SimplePoolFile1... DEBUG --->Adding Shape[9 , BEE2BECF-A936-4078-9FDD-AD703C9ADF9F]: [1 Column(s)] SimplePoolFile1... DEBUG ---->Class:xAOD::FileMetaDataAuxInfo_v1 SimplePoolFile1... DEBUG ---->[0]:xAOD::FileMetaDataAuxInfo_v1 Typ:xAOD::FileMetaDataAuxInfo_v1 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO EventStreamInfo_p3 [????] -SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(EventStreamInfo_p3/Stream1) +StorageSvc INFO EventStreamInfo_p3 [11DF1B8C-0DEE-4687-80D7-E74B520ACBB4] +SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(EventStreamInfo_p3/Stream1) MetaData(EventS... DEBUG Opening MetaData(EventS... DEBUG attributes# = 1 MetaData(EventS... DEBUG Branch container 'EventStreamInfo_p3_Stream1' MetaData(EventS... DEBUG Opened container MetaData(EventStreamInfo_p3/Stream1) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/MetaData(EventStreamInfo_p3/Stream1) [203] (15 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Adding Shape[10 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(EventStreamInfo_p3/Stream1) [203] (15 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:11DF1B8C-0DEE-4687-80D7-E74B520ACBB4 +SimplePoolFile1... DEBUG --->Adding Shape[10 , 11DF1B8C-0DEE-4687-80D7-E74B520ACBB4]: [1 Column(s)] SimplePoolFile1... DEBUG ---->Class:EventStreamInfo_p3 SimplePoolFile1... DEBUG ---->[0]:EventStreamInfo_p3 Typ:EventStreamInfo_p3 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO xAOD::FileMetaData_v1 [????] -SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(xAOD::FileMetaData_v1/FileMetaData) +StorageSvc INFO xAOD::FileMetaData_v1 [C87E3828-4A7A-480A-95DE-0339539F6A0F] +SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(xAOD::FileMetaData_v1/FileMetaData) MetaData(xAOD::... DEBUG Opening MetaData(xAOD::... DEBUG attributes# = 1 MetaData(xAOD::... DEBUG Branch container 'xAOD::FileMetaData_v1_FileMetaData' MetaData(xAOD::... DEBUG Opened container MetaData(xAOD::FileMetaData_v1/FileMetaData) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (16 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Adding Shape[11 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (16 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:C87E3828-4A7A-480A-95DE-0339539F6A0F +SimplePoolFile1... DEBUG --->Adding Shape[11 , C87E3828-4A7A-480A-95DE-0339539F6A0F]: [1 Column(s)] SimplePoolFile1... DEBUG ---->Class:xAOD::FileMetaData_v1 SimplePoolFile1... DEBUG ---->[0]:xAOD::FileMetaData_v1 Typ:xAOD::FileMetaData_v1 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO xAOD::EventFormat_v1 [????] -SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(xAOD::EventFormat_v1/EventFormatStream1) +StorageSvc INFO xAOD::EventFormat_v1 [0EFE2D2C-9E78-441D-9A87-9EE2B908AC81] +SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(xAOD::EventFormat_v1/EventFormatStream1) MetaData(xAOD::... DEBUG Opening MetaData(xAOD::... DEBUG attributes# = 1 MetaData(xAOD::... DEBUG Branch container 'xAOD::EventFormat_v1_EventFormatStream1' MetaData(xAOD::... DEBUG Opened container MetaData(xAOD::EventFormat_v1/EventFormatStream1) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [203] (17 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Adding Shape[12 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [203] (17 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:0EFE2D2C-9E78-441D-9A87-9EE2B908AC81 +SimplePoolFile1... DEBUG --->Adding Shape[12 , 0EFE2D2C-9E78-441D-9A87-9EE2B908AC81]: [1 Column(s)] SimplePoolFile1... DEBUG ---->Class:xAOD::EventFormat_v1 SimplePoolFile1... DEBUG ---->[0]:xAOD::EventFormat_v1 Typ:xAOD::EventFormat_v1 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO IOVMetaDataContainer_p1 [????] -SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(IOVMetaDataContainer_p1//TagInfo) +StorageSvc INFO IOVMetaDataContainer_p1 [6C2DE6DF-6D52-43F6-B435-9F29812F40C0] +SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(IOVMetaDataContainer_p1//TagInfo) MetaData(IOVMet... DEBUG Opening MetaData(IOVMet... DEBUG attributes# = 1 MetaData(IOVMet... DEBUG Branch container 'IOVMetaDataContainer_p1__TagInfo' MetaData(IOVMet... DEBUG Opened container MetaData(IOVMetaDataContainer_p1//TagInfo) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (18 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Adding Shape[13 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (18 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:6C2DE6DF-6D52-43F6-B435-9F29812F40C0 +SimplePoolFile1... DEBUG --->Adding Shape[13 , 6C2DE6DF-6D52-43F6-B435-9F29812F40C0]: [1 Column(s)] SimplePoolFile1... DEBUG ---->Class:IOVMetaDataContainer_p1 SimplePoolFile1... DEBUG ---->[0]:IOVMetaDataContainer_p1 Typ:IOVMetaDataContainer_p1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaDataHdr(DataHeader) +SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaDataHdr(DataHeader) MetaDataHdr(Dat... DEBUG Opening MetaDataHdr(Dat... DEBUG attributes# = 1 MetaDataHdr(Dat... DEBUG Branch container 'DataHeader' MetaDataHdr(Dat... DEBUG Opened container MetaDataHdr(DataHeader) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/MetaDataHdr(DataHeader) [203] (19 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaDataHdrForm(DataHeaderForm) +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaDataHdr(DataHeader) [203] (19 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaDataHdrForm(DataHeaderForm) MetaDataHdrForm... DEBUG Opening MetaDataHdrForm... DEBUG attributes# = 1 MetaDataHdrForm... DEBUG Branch container 'DataHeaderForm' MetaDataHdrForm... DEBUG Opened container MetaDataHdrForm(DataHeaderForm) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/MetaDataHdrForm(DataHeaderForm) [203] (1a , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaDataHdrForm(DataHeaderForm) [203] (1a , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD MetaData(xAOD::... DEBUG SG::IAuxStoreIO* detected in xAOD::FileMetaDataAuxInfo_v1_FileMetaDataAux. MetaData(xAOD::... DEBUG Attributes= 1 MetaData(xAOD::... DEBUG Creating branch for new dynamic attribute, Id=52: type=float, mcProcID MetaData(xAOD::... DEBUG createBasicAuxBranch: xAOD::FileMetaDataAuxInfo_v1_FileMetaDataAuxDyn.mcProcID, leaf:mcProcID/F +ClassIDSvc INFO getRegistryEntries: read 25 CLIDRegistry entries for module ALL Stream1 INFO Metadata records written: 21 Stream1 DEBUG Leaving incident handler for MetaDataStop Stream2 DEBUG slot 0 handle() incident type: MetaDataStop +Stream2 DEBUG metadataItemList: [EventStreamInfo#Stream2, IOVMetaDataContainer#*, xAOD::EventFormat#EventFormatStream2, xAOD::FileMetaData#FileMetaData, xAOD::FileMetaDataAuxInfo#FileMetaDataAux.] Stream2 DEBUG addItemObjects(73252552,"FileMetaDataAux.") called Stream2 DEBUG Key:FileMetaDataAux. Stream2 DEBUG Comp Attr 0 with 7 mantissa bits. @@ -1761,70 +1873,70 @@ Stream2 DEBUG Comp Attr 0 with 7 mantissa bits. Stream2 DEBUG Comp Attr 0 with 15 mantissa bits. Stream2 DEBUG Added object 1316383046,"/TagInfo" Stream2 DEBUG connectOutput done for SimplePoolFile3.root -SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) +SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) MetaData(xAOD::... DEBUG Opening MetaData(xAOD::... DEBUG attributes# = 1 MetaData(xAOD::... DEBUG Branch container 'xAOD::FileMetaDataAuxInfo_v1_FileMetaDataAux.' MetaData(xAOD::... DEBUG Opened container MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (14 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[9 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (14 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:BEE2BECF-A936-4078-9FDD-AD703C9ADF9F +SimplePoolFile3... DEBUG --->Adding Shape[9 , BEE2BECF-A936-4078-9FDD-AD703C9ADF9F]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:xAOD::FileMetaDataAuxInfo_v1 SimplePoolFile3... DEBUG ---->[0]:xAOD::FileMetaDataAuxInfo_v1 Typ:xAOD::FileMetaDataAuxInfo_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(EventStreamInfo_p3/Stream2) +SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(EventStreamInfo_p3/Stream2) MetaData(EventS... DEBUG Opening MetaData(EventS... DEBUG attributes# = 1 MetaData(EventS... DEBUG Branch container 'EventStreamInfo_p3_Stream2' MetaData(EventS... DEBUG Opened container MetaData(EventStreamInfo_p3/Stream2) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/MetaData(EventStreamInfo_p3/Stream2) [203] (15 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[10 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/MetaData(EventStreamInfo_p3/Stream2) [203] (15 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:11DF1B8C-0DEE-4687-80D7-E74B520ACBB4 +SimplePoolFile3... DEBUG --->Adding Shape[10 , 11DF1B8C-0DEE-4687-80D7-E74B520ACBB4]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:EventStreamInfo_p3 SimplePoolFile3... DEBUG ---->[0]:EventStreamInfo_p3 Typ:EventStreamInfo_p3 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(xAOD::FileMetaData_v1/FileMetaData) +SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(xAOD::FileMetaData_v1/FileMetaData) MetaData(xAOD::... DEBUG Opening MetaData(xAOD::... DEBUG attributes# = 1 MetaData(xAOD::... DEBUG Branch container 'xAOD::FileMetaData_v1_FileMetaData' MetaData(xAOD::... DEBUG Opened container MetaData(xAOD::FileMetaData_v1/FileMetaData) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (16 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[11 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (16 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:C87E3828-4A7A-480A-95DE-0339539F6A0F +SimplePoolFile3... DEBUG --->Adding Shape[11 , C87E3828-4A7A-480A-95DE-0339539F6A0F]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:xAOD::FileMetaData_v1 SimplePoolFile3... DEBUG ---->[0]:xAOD::FileMetaData_v1 Typ:xAOD::FileMetaData_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(xAOD::EventFormat_v1/EventFormatStream2) +SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(xAOD::EventFormat_v1/EventFormatStream2) MetaData(xAOD::... DEBUG Opening MetaData(xAOD::... DEBUG attributes# = 1 MetaData(xAOD::... DEBUG Branch container 'xAOD::EventFormat_v1_EventFormatStream2' MetaData(xAOD::... DEBUG Opened container MetaData(xAOD::EventFormat_v1/EventFormatStream2) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/MetaData(xAOD::EventFormat_v1/EventFormatStream2) [203] (17 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[12 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/MetaData(xAOD::EventFormat_v1/EventFormatStream2) [203] (17 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:0EFE2D2C-9E78-441D-9A87-9EE2B908AC81 +SimplePoolFile3... DEBUG --->Adding Shape[12 , 0EFE2D2C-9E78-441D-9A87-9EE2B908AC81]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:xAOD::EventFormat_v1 SimplePoolFile3... DEBUG ---->[0]:xAOD::EventFormat_v1 Typ:xAOD::EventFormat_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(IOVMetaDataContainer_p1//TagInfo) +SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(IOVMetaDataContainer_p1//TagInfo) MetaData(IOVMet... DEBUG Opening MetaData(IOVMet... DEBUG attributes# = 1 MetaData(IOVMet... DEBUG Branch container 'IOVMetaDataContainer_p1__TagInfo' MetaData(IOVMet... DEBUG Opened container MetaData(IOVMetaDataContainer_p1//TagInfo) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (18 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[13 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (18 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:6C2DE6DF-6D52-43F6-B435-9F29812F40C0 +SimplePoolFile3... DEBUG --->Adding Shape[13 , 6C2DE6DF-6D52-43F6-B435-9F29812F40C0]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:IOVMetaDataContainer_p1 SimplePoolFile3... DEBUG ---->[0]:IOVMetaDataContainer_p1 Typ:IOVMetaDataContainer_p1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaDataHdr(DataHeader) +SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaDataHdr(DataHeader) MetaDataHdr(Dat... DEBUG Opening MetaDataHdr(Dat... DEBUG attributes# = 1 MetaDataHdr(Dat... DEBUG Branch container 'DataHeader' MetaDataHdr(Dat... DEBUG Opened container MetaDataHdr(DataHeader) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/MetaDataHdr(DataHeader) [203] (19 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaDataHdrForm(DataHeaderForm) +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/MetaDataHdr(DataHeader) [203] (19 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaDataHdrForm(DataHeaderForm) MetaDataHdrForm... DEBUG Opening MetaDataHdrForm... DEBUG attributes# = 1 MetaDataHdrForm... DEBUG Branch container 'DataHeaderForm' MetaDataHdrForm... DEBUG Opened container MetaDataHdrForm(DataHeaderForm) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/MetaDataHdrForm(DataHeaderForm) [203] (1a , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/MetaDataHdrForm(DataHeaderForm) [203] (1a , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD MetaData(xAOD::... DEBUG SG::IAuxStoreIO* detected in xAOD::FileMetaDataAuxInfo_v1_FileMetaDataAux. MetaData(xAOD::... DEBUG Attributes= 1 MetaData(xAOD::... DEBUG Creating branch for new dynamic attribute, Id=52: type=float, mcProcID @@ -1832,29 +1944,44 @@ MetaData(xAOD::... DEBUG createBasicAuxBranch: xAOD::FileMetaDataAuxInfo_v1_Fil Stream2 INFO Metadata records written: 21 Stream2 DEBUG Leaving incident handler for MetaDataStop PoolSvc DEBUG Disconnect request for contextId=0 +Domain[ROOT_All] INFO > Deaccess DbDomain READ [ROOT_All] PoolSvc DEBUG Disconnected PersistencySvc session PoolSvc DEBUG Disconnect request for contextId=1 -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=SimplePoolFile1.root -StorageSvc DEBUG Closing database: FID=???? +StorageSvc DEBUG Disconnect request for database: FID=F2313678-C96A-964F-89E8-08BAB39F2DA7 PFN=SimplePoolFile1.root +StorageSvc DEBUG Closing database: FID=F2313678-C96A-964F-89E8-08BAB39F2DA7 +Domain[ROOT_All] INFO -> Deaccess DbDatabase CREATE [ROOT_All] F2313678-C96A-964F-89E8-08BAB39F2DA7 +Domain[ROOT_All] INFO > Deaccess DbDomain UPDATE [ROOT_All] PoolSvc DEBUG Disconnected PersistencySvc session PoolSvc DEBUG Disconnect request for contextId=2 -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=SimplePoolFile3.root -StorageSvc DEBUG Closing database: FID=???? +StorageSvc DEBUG Disconnect request for database: FID=A811B014-0297-AD47-AF4C-B75EF418982D PFN=SimplePoolFile3.root +StorageSvc DEBUG Closing database: FID=A811B014-0297-AD47-AF4C-B75EF418982D +Domain[ROOT_All] INFO -> Deaccess DbDatabase CREATE [ROOT_All] A811B014-0297-AD47-AF4C-B75EF418982D +Domain[ROOT_All] INFO > Deaccess DbDomain UPDATE [ROOT_All] PoolSvc DEBUG Disconnected PersistencySvc session ApplicationMgr INFO Application Manager Stopped successfully WriteData INFO in finalize() ReWriteData INFO in finalize() +WriteData DEBUG Calling destructor +ReWriteData DEBUG Calling destructor Stream1 DEBUG finalize: Optimize output PoolSvc DEBUG Disconnect request for contextId=1 Stream1 DEBUG finalize: end optimize output Stream2 DEBUG finalize: Optimize output PoolSvc DEBUG Disconnect request for contextId=2 Stream2 DEBUG finalize: end optimize output +IOVDbSvc INFO bytes in (( 0.00 ))s +IOVDbSvc INFO Connection sqlite://;schema=cooldummy.db;dbname=OFLP200 : nConnect: 0 nFolders: 0 ReadTime: (( 0.00 ))s +DecisionSvc INFO Finalized successfully. AthDictLoaderSvc INFO in finalize... ToolSvc INFO Removing all tools created by ToolSvc *****Chrono***** INFO **************************************************************************************************** *****Chrono***** INFO The Final CPU consumption ( Chrono ) Table (ordered) *****Chrono***** INFO **************************************************************************************************** +commitOutput INFO Time User : Tot= 0 [us] Ave/Min/Max= 0(+- 0)/ 0/ 0 [us] #= 42 +cRep_ALL INFO Time User : Tot= 20 [ms] Ave/Min/Max= 0.152(+- 1.22)/ 0/ 10 [ms] #=132 +cRepR_ALL INFO Time User : Tot= 30 [ms] Ave/Min/Max= 0.0457(+- 0.675)/ 0/ 10 [ms] #=656 +fRep_ALL INFO Time User : Tot= 70 [ms] Ave/Min/Max= 0.53(+- 2.24)/ 0/ 10 [ms] #=132 +ChronoStatSvc INFO Time User : Tot= 370 [ms] #= 1 *****Chrono***** INFO **************************************************************************************************** ChronoStatSvc.f... INFO Service finalized successfully ApplicationMgr INFO Application Manager Finalized successfully diff --git a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_Copy.ref b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_Copy.ref index 6f01bdecd9d70ec09609aadaf9491685a3e568c7..7c9f6c19f0360832753e09d918a8490697206565 100644 --- a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_Copy.ref +++ b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_Copy.ref @@ -1,108 +1,155 @@ +Mon Oct 18 10:23:18 CDT 2021 +Preloading tcmalloc_minimal.so +Athena INFO including file "AthenaCommon/Preparation.py" +Athena INFO including file "AthenaCommon/Atlas.UnixStandardJob.py" Athena INFO executing ROOT6Setup +Athena INFO including file "AthenaCommon/Execution.py" +Athena INFO including file "AthenaPoolExampleAlgorithms/AthenaPoolExample_CopyJobOptions.py" +Py:ConfigurableDb INFO Read module info for 5082 configurables from 58 genConfDb files +Py:ConfigurableDb INFO No duplicates have been found: that's good ! +Athena INFO including file "AthenaCommon/runbatch.py" +ApplicationMgr SUCCESS +==================================================================================================================================== + Welcome to ApplicationMgr (GaudiCoreSvc v36r0) + running on atlaslogin01.hep.anl.gov on Mon Oct 18 10:23:30 2021 +==================================================================================================================================== ApplicationMgr INFO Application Manager Configured successfully AthDictLoaderSvc INFO in initialize... AthDictLoaderSvc INFO acquired Dso-registry +ClassIDSvc INFO getRegistryEntries: read 3039 CLIDRegistry entries for module ALL AthenaEventLoopMgr INFO Initializing AthenaEventLoopMgr +ClassIDSvc INFO getRegistryEntries: read 722 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 350 CLIDRegistry entries for module ALL EventInfoCnvAlg INFO Initializing EventInfoCnvAlg MetaDataSvc INFO Initializing MetaDataSvc +AthenaPoolCnvSvc DEBUG Property update for OutputLevel : new value = 2 +PoolSvc DEBUG Property update for OutputLevel : new value = 2 +PoolSvc DEBUG Service base class initialized successfully +PoolSvc INFO io_register[PoolSvc](xmlcatalog_file:Catalog1.xml) [ok] +PoolSvc INFO Set connectionsvc retry/timeout/IDLE timeout to 'ConnectionRetrialPeriod':300/ 'ConnectionRetrialTimeOut':3600/ 'ConnectionTimeOut':5 seconds with connection cleanup disabled +PoolSvc INFO Frontier compression level set to 5 +DBReplicaSvc INFO Frontier server at (serverurl=http://atlasfrontier-ai.cern.ch:8000/atlr)(serverurl=http://frontier-atlas.lcg.triumf.ca:3128/ATLAS_frontier)(serverurl=http://ccfrontier.in2p3.fr:23128/ccin2p3-AtlasFrontier)(proxyurl=http://atlasbpfrontier.cern.ch:3127)(proxyurl=http://atlasbpfrontier.fnal.gov:3127) will be considered for COOL data +DBReplicaSvc INFO Read replica configuration from /users/gemmeren/workarea/build/x86_64-centos7-gcc8-opt/share/dbreplica.config +DBReplicaSvc INFO Total of 1 servers found for host atlaslogin01.hep.anl.gov [ATLF ] +PoolSvc INFO Successfully setup replica sorting algorithm PoolSvc DEBUG OutputLevel is 2 +PoolSvc INFO Setting up APR FileCatalog and Streams +PoolSvc INFO POOL WriteCatalog is xmlcatalog_file:Catalog1.xml +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain READ [ROOT_All] AthenaPoolCnvSvc DEBUG Registering all Tools in ToolHandleArray OutputStreamingTool +MetaDataSvc INFO Found MetaDataTools = PublicToolHandleArray(['IOVDbMetaDataTool']) +EventSelector DEBUG Property update for OutputLevel : new value = 2 EventSelector DEBUG Initializing EventSelector +EventSelector DEBUG Service base class initialized successfully EventSelector DEBUG reinitialization... EventSelector INFO EventSelection with query EventSelector DEBUG Try item: "SimplePoolFile1.root" from the collection list. PoolSvc DEBUG createCollection() type=RootCollection, connection=PFN:SimplePoolFile1.root, name=SimplePoolFile1.root, contextID=0 +Domain[ROOT_All] INFO -> Access DbDatabase READ [ROOT_All] F2313678-C96A-964F-89E8-08BAB39F2DA7 +Domain[ROOT_All] INFO SimplePoolFile1.root SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 ##Shapes DEBUG Opened container ##Shapes of type ROOT_Tree -SimplePoolFile1... DEBUG --->Reading Shape[0 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[0 , C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:EventInfo_p4 Typ:EventInfo_p4 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[1 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[1 , 6BB89FA1-EB62-4641-97CA-3F8DB6588053]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:ExampleHitContainer_p1 Typ:ExampleHitContainer_p1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[2 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[2 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[3 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[3 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[4 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[4 , E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:Token Typ:Token [18] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[5 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[5 , BBACA313-D7B0-3A4C-9161-089CACF4B1CC]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:unsigned int Typ:unsigned int [3] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[6 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[6 , BEE2BECF-A936-4078-9FDD-AD703C9ADF9F]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:xAOD::FileMetaDataAuxInfo_v1 Typ:xAOD::FileMetaDataAuxInfo_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[7 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[7 , 11DF1B8C-0DEE-4687-80D7-E74B520ACBB4]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:EventStreamInfo_p3 Typ:EventStreamInfo_p3 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[8 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[8 , C87E3828-4A7A-480A-95DE-0339539F6A0F]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:xAOD::FileMetaData_v1 Typ:xAOD::FileMetaData_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[9 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[9 , 0EFE2D2C-9E78-441D-9A87-9EE2B908AC81]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:xAOD::EventFormat_v1 Typ:xAOD::EventFormat_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[10 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[10 , 6C2DE6DF-6D52-43F6-B435-9F29812F40C0]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:IOVMetaDataContainer_p1 Typ:IOVMetaDataContainer_p1 [21] Size:0 Offset:0 #Elements:1 ##Shapes DEBUG No objects passing selection criteria... Container has 11 Entries in total. SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_All] ##Links ##Links DEBUG Opening ##Links DEBUG attributes# = 1 ##Links DEBUG Opened container ##Links of type ROOT_Tree -SimplePoolFile1... DEBUG --->Reading Assoc:????/##Params [200] (2 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/CollectionTree(ExampleHitContainer_p1/MyHits) [203] (4 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLContainer(DataHeader) [203] (5 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(Token) [202] (7 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(RunNumber) [202] (8 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventNumber) [202] (9 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(MagicNumber) [202] (a , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (b , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaData(EventStreamInfo_p3/Stream1) [203] (c , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (d , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [203] (e , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (f , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaDataHdr(DataHeader) [203] (10 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaDataHdrForm(DataHeaderForm) [203] (11 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/##Params [200] (2 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/CollectionTree(ExampleHitContainer_p1/MyHits) [203] (4 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:6BB89FA1-EB62-4641-97CA-3F8DB6588053 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLContainer(DataHeader) [203] (5 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(Token) [202] (7 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(RunNumber) [202] (8 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(EventNumber) [202] (9 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(MagicNumber) [202] (a , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (b , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BEE2BECF-A936-4078-9FDD-AD703C9ADF9F +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(EventStreamInfo_p3/Stream1) [203] (c , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:11DF1B8C-0DEE-4687-80D7-E74B520ACBB4 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (d , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:C87E3828-4A7A-480A-95DE-0339539F6A0F +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [203] (e , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:0EFE2D2C-9E78-441D-9A87-9EE2B908AC81 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (f , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:6C2DE6DF-6D52-43F6-B435-9F29812F40C0 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaDataHdr(DataHeader) [203] (10 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaDataHdrForm(DataHeaderForm) [203] (11 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD ##Links DEBUG No objects passing selection criteria... Container has 16 Entries in total. SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_All] ##Params ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -SimplePoolFile1... DEBUG --->Reading Param:FID=[????] +SimplePoolFile1... DEBUG --->Reading Param:FID=[F2313678-C96A-964F-89E8-08BAB39F2DA7] SimplePoolFile1... DEBUG --->Reading Param:PFN=[SimplePoolFile1.root] SimplePoolFile1... DEBUG --->Reading Param:POOL_VSN=[1.1] SimplePoolFile1... DEBUG --->Reading Param:FORMAT_VSN=[1.1] ##Params DEBUG No objects passing selection criteria... Container has 4 Entries in total. -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdr(DataHeader) +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdr(DataHeader) MetaDataHdr(Dat... DEBUG Opening MetaDataHdr(Dat... DEBUG attributes# = 1 MetaDataHdr(Dat... DEBUG Branch container 'DataHeader' MetaDataHdr(Dat... DEBUG Opened container MetaDataHdr(DataHeader) of type ROOT_Tree -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdrForm(DataHeaderForm) +ClassIDSvc INFO getRegistryEntries: read 1725 CLIDRegistry entries for module ALL +EventPersistenc... INFO Added successfully Conversion service:AthenaPoolCnvSvc +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdrForm(DataHeaderForm) MetaDataHdrForm... DEBUG Opening MetaDataHdrForm... DEBUG attributes# = 1 MetaDataHdrForm... DEBUG Branch container 'DataHeaderForm' MetaDataHdrForm... DEBUG Opened container MetaDataHdrForm(DataHeaderForm) of type ROOT_Tree -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaData(IOVMetaDataContainer_p1//TagInfo) +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaData(IOVMetaDataContainer_p1//TagInfo) MetaData(IOVMet... DEBUG Opening MetaData(IOVMet... DEBUG attributes# = 1 MetaData(IOVMet... DEBUG Branch container 'IOVMetaDataContainer_p1__TagInfo' MetaData(IOVMet... DEBUG Opened container MetaData(IOVMetaDataContainer_p1//TagInfo) of type ROOT_Tree +ClassIDSvc INFO getRegistryEntries: read 8 CLIDRegistry entries for module ALL +MetaDataSvc INFO AlgTool: ToolSvc.IOVDbMetaDataTool +AthenaPoolAddre... DEBUG Property update for OutputLevel : new value = 2 +AthenaPoolAddre... DEBUG Service base class initialized successfully AthenaPoolAddre... DEBUG Cannot retrieve DataHeader from DetectorStore. EventInfoCnvAlg... INFO Beam conditions service not available EventInfoCnvAlg... INFO Will not fill beam spot information into xAOD::EventInfo +Stream1 DEBUG Property update for OutputLevel : new value = 2 +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 Stream1 DEBUG In initialize Stream1 DEBUG Found IDecisionSvc. DecisionSvc INFO Inserting stream: Stream1 with no Algs @@ -110,16 +157,32 @@ Stream1 DEBUG End initialize Stream1 DEBUG In initialize Stream1 DEBUG Found StoreGateSvc store. Stream1 DEBUG Found MetaDataStore store. +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 Stream1.Stream1... INFO Initializing Stream1.Stream1Tool +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +Stream1.FileMet... DEBUG Property update for OutputLevel : new value = 2 +TagInfoMgr INFO AlgTool: TagInfoMgr.IOVDbMetaDataTool Stream1.FileMet... DEBUG Creating new xAOD::FileMetaData object to fill +Stream1.Thinnin... DEBUG Property update for OutputLevel : new value = 2 +Stream1 INFO Found HelperTools = PrivateToolHandleArray(['MakeEventStreamInfo/Stream1_MakeEventStreamInfo','xAODMaker::EventFormatStreamHelperTool/Stream1_MakeEventFormat','xAODMaker::FileMetaDataCreatorTool/FileMetaDataCreatorTool','Athena::ThinningCacheTool/ThinningCacheTool_Stream1']) Stream1 INFO Data output: SimplePoolReplica1.root -Stream1 INFO ../O reinitialization... +Stream1 INFO I/O reinitialization... +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +ClassIDSvc INFO getRegistryEntries: read 755 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 6 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 68 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 6 CLIDRegistry entries for module ALL Stream1 DEBUG End initialize +Stream1 DEBUG input handles: 0 +Stream1 DEBUG output handles: 2 Stream1 DEBUG Registering all Tools in ToolHandleArray HelperTools Stream1 DEBUG Adding private ToolHandle tool Stream1.Stream1_MakeEventStreamInfo (MakeEventStreamInfo) Stream1 DEBUG Adding private ToolHandle tool Stream1.Stream1_MakeEventFormat (xAODMaker::EventFormatStreamHelperTool) Stream1 DEBUG Adding private ToolHandle tool Stream1.FileMetaDataCreatorTool (xAODMaker::FileMetaDataCreatorTool) +Stream1 DEBUG Adding private ToolHandle tool Stream1.ThinningCacheTool_Stream1 (Athena::ThinningCacheTool) Stream1 DEBUG Adding private ToolHandle tool Stream1.Stream1Tool (AthenaOutputStreamTool) +Stream1 DEBUG Data Deps for Stream1 + INPUT ( 'AthenaAttributeList' , 'StoreGateSvc+SimpleTag' ) + OUTPUT ( 'DataHeader' , 'StoreGateSvc+Stream1' ) + OUTPUT ( 'SG::CompressionInfo' , 'StoreGateSvc+CompressionInfo_Stream1' ) @@ -136,15 +199,15 @@ RootDatabase.se... DEBUG Using Tree cache. Size: -1 Nevents to learn with: -1 AthenaPoolCnvSvc DEBUG setAttribute TREE_CACHE to -1 for db: SimplePoolFile1.root and cont: CollectionTree EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000000]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000000]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000000] -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] POOLContainer(DataHeader) +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000] +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] POOLContainer(DataHeader) POOLContainer(D... DEBUG Opening POOLContainer(D... DEBUG attributes# = 1 POOLContainer(D... DEBUG Branch container 'DataHeader' POOLContainer(D... DEBUG Opened container POOLContainer(DataHeader) of type ROOT_Tree -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] POOLContainerForm(DataHeaderForm) +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] POOLContainerForm(DataHeaderForm) POOLContainerFo... DEBUG Opening POOLContainerFo... DEBUG attributes# = 1 POOLContainerFo... DEBUG Branch container 'DataHeaderForm' @@ -152,16 +215,20 @@ POOLContainerFo... DEBUG Opened container POOLContainerForm(DataHeaderForm) of AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] CollectionTree(EventInfo_p4/McEventInfo) +AlgResourcePool INFO TopAlg list empty. Recovering the one of Application Manager +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] CollectionTree(EventInfo_p4/McEventInfo) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'EventInfo_p4_McEventInfo' CollectionTree(... DEBUG Opened container CollectionTree(EventInfo_p4/McEventInfo) of type ROOT_Tree +AthenaPoolConve... INFO massageEventInfo: unable to get OverrideRunNumberFromInput property from EventSelector AthenaEventLoopMgr INFO ===>>> start of run 1 <<<=== IOVDbSvc INFO Only 5 POOL conditions files will be open at once IOVDbSvc INFO Initialised with 1 connections and 0 folders IOVDbSvc INFO Service IOVDbSvc initialised successfully +IOVDbSvc INFO AlgTool: ToolSvc.IOVDbMetaDataTool AthenaEventLoopMgr INFO ===>>> start processing event #0, run #1 0 events processed so far <<<=== +ClassIDSvc INFO getRegistryEntries: read 247 CLIDRegistry entries for module ALL Stream1 DEBUG addItemObjects(2101,"*") called Stream1 DEBUG Key:* Stream1 DEBUG Comp Attr 0 with 7 mantissa bits. @@ -171,19 +238,25 @@ Stream1 DEBUG addItemObjects(9102,"MyHits") called Stream1 DEBUG Key:MyHits Stream1 DEBUG Comp Attr 0 with 7 mantissa bits. Stream1 DEBUG Comp Attr 0 with 15 mantissa bits. -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] CollectionTree(ExampleHitContainer_p1/MyHits) +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] CollectionTree(ExampleHitContainer_p1/MyHits) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'ExampleHitContainer_p1_MyHits' CollectionTree(... DEBUG Opened container CollectionTree(ExampleHitContainer_p1/MyHits) of type ROOT_Tree Stream1 DEBUG Added object 9102,"MyHits" +ClassIDSvc INFO getRegistryEntries: read 6 CLIDRegistry entries for module ALL Stream1 DEBUG Collected objects: Stream1 DEBUG Object/count: EventInfo_McEventInfo, 1 Stream1 DEBUG Object/count: ExampleHitContainer_MyHits, 1 +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain UPDATE [ROOT_All] AthenaPoolCnvSvc DEBUG setAttribute TREE_MAX_SIZE to 1099511627776L AthenaPoolCnvSvc DEBUG setAttribute DEFAULT_SPLITLEVEL to 0 AthenaPoolCnvSvc DEBUG setAttribute STREAM_MEMBER_WISE to 1 AthenaPoolCnvSvc DEBUG setAttribute DEFAULT_BUFFERSIZE to 32000 +PersistencySvc:... DEBUG lookupPFN: SimplePoolReplica1.root returned FID: '095498FF-E805-B142-9948-BD2D4AC79975' tech=ROOT_All +Domain[ROOT_All] INFO -> Access DbDatabase CREATE [ROOT_All] 095498FF-E805-B142-9948-BD2D4AC79975 +Domain[ROOT_All] INFO SimplePoolReplica1.root SimplePoolRepli... DEBUG --> Access DbContainer CREATE [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 @@ -198,49 +271,49 @@ SimplePoolRepli... DEBUG --> Access DbContainer CREATE [ROOT_All] ##Param ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -SimplePoolRepli... DEBUG --->Adding Assoc :????/##Params [200] (2 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? +SimplePoolRepli... DEBUG --->Adding Assoc :095498FF-E805-B142-9948-BD2D4AC79975/##Params [200] (2 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B ##Params DEBUG No objects passing selection criteria... Container has 0 Entries in total. AthenaPoolCnvSvc DEBUG setAttribute CONTAINER_SPLITLEVEL to 0 for db: SimplePoolReplica1.root and cont: TTree=POOLContainerForm(DataHeaderForm) Stream1 DEBUG connectOutput done for SimplePoolReplica1.root -SimplePoolRepli... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] CollectionTree(EventInfo_p4/McEventInfo) +SimplePoolRepli... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] CollectionTree(EventInfo_p4/McEventInfo) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'EventInfo_p4_McEventInfo' CollectionTree(... DEBUG Opened container CollectionTree(EventInfo_p4/McEventInfo) of type ROOT_Tree -SimplePoolRepli... DEBUG --->Adding Assoc :????/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Adding Shape[0 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Adding Assoc :095498FF-E805-B142-9948-BD2D4AC79975/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7 +SimplePoolRepli... DEBUG --->Adding Shape[0 , C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7]: [1 Column(s)] SimplePoolRepli... DEBUG ---->Class:EventInfo_p4 SimplePoolRepli... DEBUG ---->[0]:EventInfo_p4 Typ:EventInfo_p4 [21] Size:0 Offset:0 #Elements:1 -SimplePoolRepli... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] CollectionTree(ExampleHitContainer_p1/MyHits) +SimplePoolRepli... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] CollectionTree(ExampleHitContainer_p1/MyHits) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'ExampleHitContainer_p1_MyHits' CollectionTree(... DEBUG Opened container CollectionTree(ExampleHitContainer_p1/MyHits) of type ROOT_Tree -SimplePoolRepli... DEBUG --->Adding Assoc :????/CollectionTree(ExampleHitContainer_p1/MyHits) [203] (4 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Adding Shape[1 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Adding Assoc :095498FF-E805-B142-9948-BD2D4AC79975/CollectionTree(ExampleHitContainer_p1/MyHits) [203] (4 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:6BB89FA1-EB62-4641-97CA-3F8DB6588053 +SimplePoolRepli... DEBUG --->Adding Shape[1 , 6BB89FA1-EB62-4641-97CA-3F8DB6588053]: [1 Column(s)] SimplePoolRepli... DEBUG ---->Class:ExampleHitContainer_p1 SimplePoolRepli... DEBUG ---->[0]:ExampleHitContainer_p1 Typ:ExampleHitContainer_p1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolRepli... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLContainer(DataHeader) +SimplePoolRepli... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] POOLContainer(DataHeader) POOLContainer(D... DEBUG Opening POOLContainer(D... DEBUG attributes# = 1 POOLContainer(D... DEBUG Branch container 'DataHeader' POOLContainer(D... DEBUG Opened container POOLContainer(DataHeader) of type ROOT_Tree -SimplePoolRepli... DEBUG --->Adding Assoc :????/POOLContainer(DataHeader) [203] (5 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Adding Shape[2 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Adding Assoc :095498FF-E805-B142-9948-BD2D4AC79975/POOLContainer(DataHeader) [203] (5 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolRepli... DEBUG --->Adding Shape[2 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] SimplePoolRepli... DEBUG ---->Class:DataHeader_p6 SimplePoolRepli... DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolRepli... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLContainerForm(DataHeaderForm) +SimplePoolRepli... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] POOLContainerForm(DataHeaderForm) POOLContainerFo... DEBUG Opening POOLContainerFo... DEBUG attributes# = 1 POOLContainerFo... DEBUG Branch container 'DataHeaderForm' POOLContainerFo... DEBUG Opened container POOLContainerForm(DataHeaderForm) of type ROOT_Tree -SimplePoolRepli... DEBUG --->Adding Assoc :????/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Adding Shape[3 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Adding Assoc :095498FF-E805-B142-9948-BD2D4AC79975/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD +SimplePoolRepli... DEBUG --->Adding Shape[3 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] SimplePoolRepli... DEBUG ---->Class:DataHeaderForm_p6 SimplePoolRepli... DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 SimplePoolRepli... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(Token) @@ -248,21 +321,21 @@ POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'Token' POOLCollectionT... DEBUG Opened container POOLCollectionTree(Token) of type ROOT_Tree -SimplePoolRepli... DEBUG --->Adding Assoc :????/POOLCollectionTree(Token) [202] (7 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Adding Shape[4 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Adding Assoc :095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(Token) [202] (7 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A +SimplePoolRepli... DEBUG --->Adding Shape[4 , E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A]: [1 Column(s)] SimplePoolRepli... DEBUG ---->Class:Token SimplePoolRepli... DEBUG ---->[0]:Token Typ:Token [18] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO bool [????] +StorageSvc INFO bool [13FF06C5-AB4B-6EDD-68AB-3E6350E95305] SimplePoolRepli... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(IsSimulation) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'IsSimulation' POOLCollectionT... DEBUG Opened container POOLCollectionTree(IsSimulation) of type ROOT_Tree -SimplePoolRepli... DEBUG --->Adding Assoc :????/POOLCollectionTree(IsSimulation) [202] (8 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Adding Shape[5 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Adding Assoc :095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(IsSimulation) [202] (8 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:13FF06C5-AB4B-6EDD-68AB-3E6350E95305 +SimplePoolRepli... DEBUG --->Adding Shape[5 , 13FF06C5-AB4B-6EDD-68AB-3E6350E95305]: [1 Column(s)] SimplePoolRepli... DEBUG ---->Class:bool SimplePoolRepli... DEBUG ---->[0]:bool Typ:bool [9] Size:0 Offset:0 #Elements:1 SimplePoolRepli... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(IsCalibration) @@ -270,23 +343,23 @@ POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'IsCalibration' POOLCollectionT... DEBUG Opened container POOLCollectionTree(IsCalibration) of type ROOT_Tree -SimplePoolRepli... DEBUG --->Adding Assoc :????/POOLCollectionTree(IsCalibration) [202] (9 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? +SimplePoolRepli... DEBUG --->Adding Assoc :095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(IsCalibration) [202] (9 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:13FF06C5-AB4B-6EDD-68AB-3E6350E95305 SimplePoolRepli... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(IsTestBeam) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'IsTestBeam' POOLCollectionT... DEBUG Opened container POOLCollectionTree(IsTestBeam) of type ROOT_Tree -SimplePoolRepli... DEBUG --->Adding Assoc :????/POOLCollectionTree(IsTestBeam) [202] (a , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? +SimplePoolRepli... DEBUG --->Adding Assoc :095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(IsTestBeam) [202] (a , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:13FF06C5-AB4B-6EDD-68AB-3E6350E95305 SimplePoolRepli... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(McChannel) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'McChannel' POOLCollectionT... DEBUG Opened container POOLCollectionTree(McChannel) of type ROOT_Tree -SimplePoolRepli... DEBUG --->Adding Assoc :????/POOLCollectionTree(McChannel) [202] (b , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Adding Shape[6 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Adding Assoc :095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(McChannel) [202] (b , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolRepli... DEBUG --->Adding Shape[6 , BBACA313-D7B0-3A4C-9161-089CACF4B1CC]: [1 Column(s)] SimplePoolRepli... DEBUG ---->Class:unsigned int SimplePoolRepli... DEBUG ---->[0]:unsigned int Typ:unsigned int [3] Size:0 Offset:0 #Elements:1 SimplePoolRepli... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(RunNumber) @@ -294,18 +367,18 @@ POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'RunNumber' POOLCollectionT... DEBUG Opened container POOLCollectionTree(RunNumber) of type ROOT_Tree -SimplePoolRepli... DEBUG --->Adding Assoc :????/POOLCollectionTree(RunNumber) [202] (c , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? +SimplePoolRepli... DEBUG --->Adding Assoc :095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(RunNumber) [202] (c , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO unsigned long long [????] +StorageSvc INFO unsigned long long [388BE2E0-4452-7BB9-2563-DA3365C64623] SimplePoolRepli... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(EventNumber) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'EventNumber' POOLCollectionT... DEBUG Opened container POOLCollectionTree(EventNumber) of type ROOT_Tree -SimplePoolRepli... DEBUG --->Adding Assoc :????/POOLCollectionTree(EventNumber) [202] (d , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Adding Shape[7 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Adding Assoc :095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(EventNumber) [202] (d , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:388BE2E0-4452-7BB9-2563-DA3365C64623 +SimplePoolRepli... DEBUG --->Adding Shape[7 , 388BE2E0-4452-7BB9-2563-DA3365C64623]: [1 Column(s)] SimplePoolRepli... DEBUG ---->Class:unsigned long long SimplePoolRepli... DEBUG ---->[0]:unsigned long long Typ:unsigned long long [23] Size:0 Offset:0 #Elements:1 SimplePoolRepli... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(LumiBlockN) @@ -313,46 +386,46 @@ POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'LumiBlockN' POOLCollectionT... DEBUG Opened container POOLCollectionTree(LumiBlockN) of type ROOT_Tree -SimplePoolRepli... DEBUG --->Adding Assoc :????/POOLCollectionTree(LumiBlockN) [202] (e , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? +SimplePoolRepli... DEBUG --->Adding Assoc :095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(LumiBlockN) [202] (e , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC SimplePoolRepli... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(ConditionsRun) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'ConditionsRun' POOLCollectionT... DEBUG Opened container POOLCollectionTree(ConditionsRun) of type ROOT_Tree -SimplePoolRepli... DEBUG --->Adding Assoc :????/POOLCollectionTree(ConditionsRun) [202] (f , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? +SimplePoolRepli... DEBUG --->Adding Assoc :095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(ConditionsRun) [202] (f , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC SimplePoolRepli... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(EventTime) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'EventTime' POOLCollectionT... DEBUG Opened container POOLCollectionTree(EventTime) of type ROOT_Tree -SimplePoolRepli... DEBUG --->Adding Assoc :????/POOLCollectionTree(EventTime) [202] (10 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? +SimplePoolRepli... DEBUG --->Adding Assoc :095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(EventTime) [202] (10 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC SimplePoolRepli... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(EventTimeNanoSec) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'EventTimeNanoSec' POOLCollectionT... DEBUG Opened container POOLCollectionTree(EventTimeNanoSec) of type ROOT_Tree -SimplePoolRepli... DEBUG --->Adding Assoc :????/POOLCollectionTree(EventTimeNanoSec) [202] (11 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? +SimplePoolRepli... DEBUG --->Adding Assoc :095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(EventTimeNanoSec) [202] (11 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC SimplePoolRepli... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(BunchId) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'BunchId' POOLCollectionT... DEBUG Opened container POOLCollectionTree(BunchId) of type ROOT_Tree -SimplePoolRepli... DEBUG --->Adding Assoc :????/POOLCollectionTree(BunchId) [202] (12 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? +SimplePoolRepli... DEBUG --->Adding Assoc :095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(BunchId) [202] (12 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO float [????] +StorageSvc INFO float [64DE6A54-6E0B-BCDF-8A08-6EF31347E768] SimplePoolRepli... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(EventWeight) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'EventWeight' POOLCollectionT... DEBUG Opened container POOLCollectionTree(EventWeight) of type ROOT_Tree -SimplePoolRepli... DEBUG --->Adding Assoc :????/POOLCollectionTree(EventWeight) [202] (13 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Adding Shape[8 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Adding Assoc :095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(EventWeight) [202] (13 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:64DE6A54-6E0B-BCDF-8A08-6EF31347E768 +SimplePoolRepli... DEBUG --->Adding Shape[8 , 64DE6A54-6E0B-BCDF-8A08-6EF31347E768]: [1 Column(s)] SimplePoolRepli... DEBUG ---->Class:float SimplePoolRepli... DEBUG ---->[0]:float Typ:float [10] Size:0 Offset:0 #Elements:1 Stream1.FileMet... DEBUG beam energy "" tag could not be converted to float @@ -364,9 +437,9 @@ Stream1.FileMet... DEBUG set xAOD::FileMetaData::dataType to Stream1 AthenaEventLoopMgr INFO ===>>> done processing event #0, run #1 1 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000001]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000001]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000001] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -388,9 +461,9 @@ Stream1 DEBUG connectOutput done for SimplePoolReplica1.root AthenaEventLoopMgr INFO ===>>> done processing event #1, run #1 2 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000002]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000002]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000002] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -412,9 +485,9 @@ Stream1 DEBUG connectOutput done for SimplePoolReplica1.root AthenaEventLoopMgr INFO ===>>> done processing event #2, run #1 3 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000003]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000003]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000003] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -436,9 +509,9 @@ Stream1 DEBUG connectOutput done for SimplePoolReplica1.root AthenaEventLoopMgr INFO ===>>> done processing event #3, run #1 4 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000004]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000004]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000004] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -460,9 +533,9 @@ Stream1 DEBUG connectOutput done for SimplePoolReplica1.root AthenaEventLoopMgr INFO ===>>> done processing event #4, run #1 5 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000005]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000005]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000005] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -484,9 +557,9 @@ Stream1 DEBUG connectOutput done for SimplePoolReplica1.root AthenaEventLoopMgr INFO ===>>> done processing event #5, run #1 6 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000006]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000006]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000006] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -508,9 +581,9 @@ Stream1 DEBUG connectOutput done for SimplePoolReplica1.root AthenaEventLoopMgr INFO ===>>> done processing event #6, run #1 7 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000007]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000007]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000007] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -532,9 +605,9 @@ Stream1 DEBUG connectOutput done for SimplePoolReplica1.root AthenaEventLoopMgr INFO ===>>> done processing event #7, run #1 8 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000008]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000008]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000008] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -556,9 +629,9 @@ Stream1 DEBUG connectOutput done for SimplePoolReplica1.root AthenaEventLoopMgr INFO ===>>> done processing event #8, run #1 9 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000009]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000009]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000009] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -580,9 +653,9 @@ Stream1 DEBUG connectOutput done for SimplePoolReplica1.root AthenaEventLoopMgr INFO ===>>> done processing event #9, run #1 10 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -604,9 +677,9 @@ Stream1 DEBUG connectOutput done for SimplePoolReplica1.root AthenaEventLoopMgr INFO ===>>> done processing event #10, run #1 11 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -628,9 +701,9 @@ Stream1 DEBUG connectOutput done for SimplePoolReplica1.root AthenaEventLoopMgr INFO ===>>> done processing event #11, run #1 12 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -652,9 +725,9 @@ Stream1 DEBUG connectOutput done for SimplePoolReplica1.root AthenaEventLoopMgr INFO ===>>> done processing event #12, run #1 13 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -676,9 +749,9 @@ Stream1 DEBUG connectOutput done for SimplePoolReplica1.root AthenaEventLoopMgr INFO ===>>> done processing event #13, run #1 14 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -700,9 +773,9 @@ Stream1 DEBUG connectOutput done for SimplePoolReplica1.root AthenaEventLoopMgr INFO ===>>> done processing event #14, run #1 15 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -724,9 +797,9 @@ Stream1 DEBUG connectOutput done for SimplePoolReplica1.root AthenaEventLoopMgr INFO ===>>> done processing event #15, run #1 16 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -748,9 +821,9 @@ Stream1 DEBUG connectOutput done for SimplePoolReplica1.root AthenaEventLoopMgr INFO ===>>> done processing event #16, run #1 17 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -772,9 +845,9 @@ Stream1 DEBUG connectOutput done for SimplePoolReplica1.root AthenaEventLoopMgr INFO ===>>> done processing event #17, run #1 18 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -796,9 +869,9 @@ Stream1 DEBUG connectOutput done for SimplePoolReplica1.root AthenaEventLoopMgr INFO ===>>> done processing event #18, run #1 19 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -818,11 +891,15 @@ Stream1 DEBUG Object/count: EventInfo_McEventInfo, 20 Stream1 DEBUG Object/count: ExampleHitContainer_MyHits, 20 Stream1 DEBUG connectOutput done for SimplePoolReplica1.root AthenaEventLoopMgr INFO ===>>> done processing event #19, run #1 20 events processed so far <<<=== -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=SimplePoolFile1.root -StorageSvc DEBUG Closing database: FID=???? +EventSelector INFO Disconnecting input sourceID: F2313678-C96A-964F-89E8-08BAB39F2DA7 +StorageSvc DEBUG Disconnect request for database: FID=F2313678-C96A-964F-89E8-08BAB39F2DA7 PFN=SimplePoolFile1.root +StorageSvc DEBUG Closing database: FID=F2313678-C96A-964F-89E8-08BAB39F2DA7 +Domain[ROOT_All] INFO -> Deaccess DbDatabase READ [ROOT_All] F2313678-C96A-964F-89E8-08BAB39F2DA7 +Domain[ROOT_All] INFO > Deaccess DbDomain READ [ROOT_All] AthenaEventLoopMgr INFO No more events in event selection Stream1 DEBUG AthenaOutputStream Stream1 ::stop() Stream1 DEBUG slot 0 handle() incident type: MetaDataStop +Stream1 DEBUG metadataItemList: [EventStreamInfo#Stream1, IOVMetaDataContainer#*, xAOD::EventFormat#EventFormatStream1, xAOD::FileMetaData#FileMetaData, xAOD::FileMetaDataAuxInfo#FileMetaDataAux.] Stream1 DEBUG addItemObjects(73252552,"FileMetaDataAux.") called Stream1 DEBUG Key:FileMetaDataAux. Stream1 DEBUG Comp Attr 0 with 7 mantissa bits. @@ -850,100 +927,113 @@ Stream1 DEBUG Comp Attr 0 with 15 mantissa bits. Stream1 DEBUG Added object 1316383046,"/TagInfo" Stream1 DEBUG connectOutput done for SimplePoolReplica1.root StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO xAOD::FileMetaDataAuxInfo_v1 [????] -SimplePoolRepli... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) +StorageSvc INFO xAOD::FileMetaDataAuxInfo_v1 [BEE2BECF-A936-4078-9FDD-AD703C9ADF9F] +SimplePoolRepli... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) MetaData(xAOD::... DEBUG Opening MetaData(xAOD::... DEBUG attributes# = 1 MetaData(xAOD::... DEBUG Branch container 'xAOD::FileMetaDataAuxInfo_v1_FileMetaDataAux.' MetaData(xAOD::... DEBUG Opened container MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) of type ROOT_Tree -SimplePoolRepli... DEBUG --->Adding Assoc :????/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (14 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Adding Shape[9 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Adding Assoc :095498FF-E805-B142-9948-BD2D4AC79975/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (14 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:BEE2BECF-A936-4078-9FDD-AD703C9ADF9F +SimplePoolRepli... DEBUG --->Adding Shape[9 , BEE2BECF-A936-4078-9FDD-AD703C9ADF9F]: [1 Column(s)] SimplePoolRepli... DEBUG ---->Class:xAOD::FileMetaDataAuxInfo_v1 SimplePoolRepli... DEBUG ---->[0]:xAOD::FileMetaDataAuxInfo_v1 Typ:xAOD::FileMetaDataAuxInfo_v1 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO EventStreamInfo_p3 [????] -SimplePoolRepli... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(EventStreamInfo_p3/Stream1) +StorageSvc INFO EventStreamInfo_p3 [11DF1B8C-0DEE-4687-80D7-E74B520ACBB4] +SimplePoolRepli... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(EventStreamInfo_p3/Stream1) MetaData(EventS... DEBUG Opening MetaData(EventS... DEBUG attributes# = 1 MetaData(EventS... DEBUG Branch container 'EventStreamInfo_p3_Stream1' MetaData(EventS... DEBUG Opened container MetaData(EventStreamInfo_p3/Stream1) of type ROOT_Tree -SimplePoolRepli... DEBUG --->Adding Assoc :????/MetaData(EventStreamInfo_p3/Stream1) [203] (15 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Adding Shape[10 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Adding Assoc :095498FF-E805-B142-9948-BD2D4AC79975/MetaData(EventStreamInfo_p3/Stream1) [203] (15 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:11DF1B8C-0DEE-4687-80D7-E74B520ACBB4 +SimplePoolRepli... DEBUG --->Adding Shape[10 , 11DF1B8C-0DEE-4687-80D7-E74B520ACBB4]: [1 Column(s)] SimplePoolRepli... DEBUG ---->Class:EventStreamInfo_p3 SimplePoolRepli... DEBUG ---->[0]:EventStreamInfo_p3 Typ:EventStreamInfo_p3 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO xAOD::FileMetaData_v1 [????] -SimplePoolRepli... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(xAOD::FileMetaData_v1/FileMetaData) +StorageSvc INFO xAOD::FileMetaData_v1 [C87E3828-4A7A-480A-95DE-0339539F6A0F] +SimplePoolRepli... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(xAOD::FileMetaData_v1/FileMetaData) MetaData(xAOD::... DEBUG Opening MetaData(xAOD::... DEBUG attributes# = 1 MetaData(xAOD::... DEBUG Branch container 'xAOD::FileMetaData_v1_FileMetaData' MetaData(xAOD::... DEBUG Opened container MetaData(xAOD::FileMetaData_v1/FileMetaData) of type ROOT_Tree -SimplePoolRepli... DEBUG --->Adding Assoc :????/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (16 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Adding Shape[11 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Adding Assoc :095498FF-E805-B142-9948-BD2D4AC79975/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (16 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:C87E3828-4A7A-480A-95DE-0339539F6A0F +SimplePoolRepli... DEBUG --->Adding Shape[11 , C87E3828-4A7A-480A-95DE-0339539F6A0F]: [1 Column(s)] SimplePoolRepli... DEBUG ---->Class:xAOD::FileMetaData_v1 SimplePoolRepli... DEBUG ---->[0]:xAOD::FileMetaData_v1 Typ:xAOD::FileMetaData_v1 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO xAOD::EventFormat_v1 [????] -SimplePoolRepli... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(xAOD::EventFormat_v1/EventFormatStream1) +StorageSvc INFO xAOD::EventFormat_v1 [0EFE2D2C-9E78-441D-9A87-9EE2B908AC81] +SimplePoolRepli... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(xAOD::EventFormat_v1/EventFormatStream1) MetaData(xAOD::... DEBUG Opening MetaData(xAOD::... DEBUG attributes# = 1 MetaData(xAOD::... DEBUG Branch container 'xAOD::EventFormat_v1_EventFormatStream1' MetaData(xAOD::... DEBUG Opened container MetaData(xAOD::EventFormat_v1/EventFormatStream1) of type ROOT_Tree -SimplePoolRepli... DEBUG --->Adding Assoc :????/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [203] (17 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Adding Shape[12 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Adding Assoc :095498FF-E805-B142-9948-BD2D4AC79975/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [203] (17 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:0EFE2D2C-9E78-441D-9A87-9EE2B908AC81 +SimplePoolRepli... DEBUG --->Adding Shape[12 , 0EFE2D2C-9E78-441D-9A87-9EE2B908AC81]: [1 Column(s)] SimplePoolRepli... DEBUG ---->Class:xAOD::EventFormat_v1 SimplePoolRepli... DEBUG ---->[0]:xAOD::EventFormat_v1 Typ:xAOD::EventFormat_v1 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO IOVMetaDataContainer_p1 [????] -SimplePoolRepli... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(IOVMetaDataContainer_p1//TagInfo) +StorageSvc INFO IOVMetaDataContainer_p1 [6C2DE6DF-6D52-43F6-B435-9F29812F40C0] +SimplePoolRepli... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(IOVMetaDataContainer_p1//TagInfo) MetaData(IOVMet... DEBUG Opening MetaData(IOVMet... DEBUG attributes# = 1 MetaData(IOVMet... DEBUG Branch container 'IOVMetaDataContainer_p1__TagInfo' MetaData(IOVMet... DEBUG Opened container MetaData(IOVMetaDataContainer_p1//TagInfo) of type ROOT_Tree -SimplePoolRepli... DEBUG --->Adding Assoc :????/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (18 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Adding Shape[13 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Adding Assoc :095498FF-E805-B142-9948-BD2D4AC79975/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (18 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:6C2DE6DF-6D52-43F6-B435-9F29812F40C0 +SimplePoolRepli... DEBUG --->Adding Shape[13 , 6C2DE6DF-6D52-43F6-B435-9F29812F40C0]: [1 Column(s)] SimplePoolRepli... DEBUG ---->Class:IOVMetaDataContainer_p1 SimplePoolRepli... DEBUG ---->[0]:IOVMetaDataContainer_p1 Typ:IOVMetaDataContainer_p1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolRepli... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaDataHdr(DataHeader) +SimplePoolRepli... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaDataHdr(DataHeader) MetaDataHdr(Dat... DEBUG Opening MetaDataHdr(Dat... DEBUG attributes# = 1 MetaDataHdr(Dat... DEBUG Branch container 'DataHeader' MetaDataHdr(Dat... DEBUG Opened container MetaDataHdr(DataHeader) of type ROOT_Tree -SimplePoolRepli... DEBUG --->Adding Assoc :????/MetaDataHdr(DataHeader) [203] (19 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaDataHdrForm(DataHeaderForm) +SimplePoolRepli... DEBUG --->Adding Assoc :095498FF-E805-B142-9948-BD2D4AC79975/MetaDataHdr(DataHeader) [203] (19 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolRepli... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaDataHdrForm(DataHeaderForm) MetaDataHdrForm... DEBUG Opening MetaDataHdrForm... DEBUG attributes# = 1 MetaDataHdrForm... DEBUG Branch container 'DataHeaderForm' MetaDataHdrForm... DEBUG Opened container MetaDataHdrForm(DataHeaderForm) of type ROOT_Tree -SimplePoolRepli... DEBUG --->Adding Assoc :????/MetaDataHdrForm(DataHeaderForm) [203] (1a , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? +SimplePoolRepli... DEBUG --->Adding Assoc :095498FF-E805-B142-9948-BD2D4AC79975/MetaDataHdrForm(DataHeaderForm) [203] (1a , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD MetaData(xAOD::... DEBUG SG::IAuxStoreIO* detected in xAOD::FileMetaDataAuxInfo_v1_FileMetaDataAux. MetaData(xAOD::... DEBUG Attributes= 1 MetaData(xAOD::... DEBUG Creating branch for new dynamic attribute, Id=52: type=float, mcProcID MetaData(xAOD::... DEBUG createBasicAuxBranch: xAOD::FileMetaDataAuxInfo_v1_FileMetaDataAuxDyn.mcProcID, leaf:mcProcID/F +ClassIDSvc INFO getRegistryEntries: read 18 CLIDRegistry entries for module ALL Stream1 INFO Metadata records written: 21 Stream1 DEBUG Leaving incident handler for MetaDataStop PoolSvc DEBUG Disconnect request for contextId=0 PoolSvc DEBUG Disconnected PersistencySvc session PoolSvc DEBUG Disconnect request for contextId=1 -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=SimplePoolReplica1.root -StorageSvc DEBUG Closing database: FID=???? +StorageSvc DEBUG Disconnect request for database: FID=095498FF-E805-B142-9948-BD2D4AC79975 PFN=SimplePoolReplica1.root +StorageSvc DEBUG Closing database: FID=095498FF-E805-B142-9948-BD2D4AC79975 +Domain[ROOT_All] INFO -> Deaccess DbDatabase CREATE [ROOT_All] 095498FF-E805-B142-9948-BD2D4AC79975 +Domain[ROOT_All] INFO > Deaccess DbDomain UPDATE [ROOT_All] PoolSvc DEBUG Disconnected PersistencySvc session ApplicationMgr INFO Application Manager Stopped successfully Stream1 DEBUG finalize: Optimize output PoolSvc DEBUG Disconnect request for contextId=1 Stream1 DEBUG finalize: end optimize output +IOVDbSvc INFO bytes in (( 0.00 ))s +IOVDbSvc INFO Connection sqlite://;schema=cooldummy.db;dbname=OFLP200 : nConnect: 0 nFolders: 0 ReadTime: (( 0.00 ))s +DecisionSvc INFO Finalized successfully. AthDictLoaderSvc INFO in finalize... ToolSvc INFO Removing all tools created by ToolSvc *****Chrono***** INFO **************************************************************************************************** *****Chrono***** INFO The Final CPU consumption ( Chrono ) Table (ordered) *****Chrono***** INFO **************************************************************************************************** +commitOutput INFO Time User : Tot= 0 [us] Ave/Min/Max= 0(+- 0)/ 0/ 0 [us] #= 21 +cObjR_ALL INFO Time User : Tot= 10 [ms] Ave/Min/Max= 0.154(+- 1.23)/ 0/ 10 [ms] #= 65 +cRep_ALL INFO Time User : Tot= 20 [ms] Ave/Min/Max= 0.303(+- 2.44)/ 0/ 20 [ms] #= 66 +cRepR_ALL INFO Time User : Tot= 30 [ms] Ave/Min/Max= 0.0915(+- 0.952)/ 0/ 10 [ms] #=328 +cObj_ALL INFO Time User : Tot= 30 [ms] Ave/Min/Max= 0.476(+- 2.13)/ 0/ 10 [ms] #= 63 +fRep_ALL INFO Time User : Tot= 40 [ms] Ave/Min/Max= 0.606(+- 2.39)/ 0/ 10 [ms] #= 66 +ChronoStatSvc INFO Time User : Tot= 400 [ms] #= 1 *****Chrono***** INFO **************************************************************************************************** ChronoStatSvc.f... INFO Service finalized successfully ApplicationMgr INFO Application Manager Finalized successfully diff --git a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_RCond.ref b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_RCond.ref index 0c06e5d5ae2388e649c3e87b0bb7b72c92d93133..2960aa18db7052c9cd289a28014e3394499fa1a5 100644 --- a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_RCond.ref +++ b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_RCond.ref @@ -1,174 +1,230 @@ +Mon Oct 18 10:25:16 CDT 2021 +Preloading tcmalloc_minimal.so +Athena INFO including file "AthenaCommon/Preparation.py" +Athena INFO including file "AthenaCommon/Atlas.UnixStandardJob.py" Athena INFO executing ROOT6Setup +Athena INFO including file "AthenaCommon/Execution.py" +Athena INFO including file "AthenaPoolExampleAlgorithms/AthenaPoolExample_RCondJobOptions.py" +Py:ConfigurableDb INFO Read module info for 5082 configurables from 58 genConfDb files +Py:ConfigurableDb INFO No duplicates have been found: that's good ! +Athena INFO including file "AthenaCommon/runbatch.py" +ApplicationMgr SUCCESS +==================================================================================================================================== + Welcome to ApplicationMgr (GaudiCoreSvc v36r0) + running on atlaslogin01.hep.anl.gov on Mon Oct 18 10:25:27 2021 +==================================================================================================================================== ApplicationMgr INFO Application Manager Configured successfully AthDictLoaderSvc INFO in initialize... AthDictLoaderSvc INFO acquired Dso-registry +ClassIDSvc INFO getRegistryEntries: read 3039 CLIDRegistry entries for module ALL AthenaEventLoopMgr INFO Initializing AthenaEventLoopMgr +ClassIDSvc INFO getRegistryEntries: read 863 CLIDRegistry entries for module ALL +ReadCond DEBUG Property update for OutputLevel : new value = 2 ReadCond INFO in initialize() +ReadCond DEBUG input handles: 0 +ReadCond DEBUG output handles: 0 +ReadCond DEBUG Data Deps for ReadCond +ReadData DEBUG Property update for OutputLevel : new value = 2 ReadData INFO in initialize() +MetaDataSvc DEBUG Property update for OutputLevel : new value = 2 MetaDataSvc INFO Initializing MetaDataSvc +PoolSvc DEBUG Property update for OutputLevel : new value = 2 +PoolSvc DEBUG Service base class initialized successfully +PoolSvc INFO Set connectionsvc retry/timeout/IDLE timeout to 'ConnectionRetrialPeriod':300/ 'ConnectionRetrialTimeOut':3600/ 'ConnectionTimeOut':5 seconds with connection cleanup disabled +PoolSvc INFO Frontier compression level set to 5 +DBReplicaSvc INFO Frontier server at (serverurl=http://atlasfrontier-ai.cern.ch:8000/atlr)(serverurl=http://frontier-atlas.lcg.triumf.ca:3128/ATLAS_frontier)(serverurl=http://ccfrontier.in2p3.fr:23128/ccin2p3-AtlasFrontier)(proxyurl=http://atlasbpfrontier.cern.ch:3127)(proxyurl=http://atlasbpfrontier.fnal.gov:3127) will be considered for COOL data +DBReplicaSvc INFO Read replica configuration from /users/gemmeren/workarea/build/x86_64-centos7-gcc8-opt/share/dbreplica.config +DBReplicaSvc INFO Total of 1 servers found for host atlaslogin01.hep.anl.gov [ATLF ] +PoolSvc INFO Successfully setup replica sorting algorithm PoolSvc DEBUG OutputLevel is 2 +PoolSvc INFO Setting up APR FileCatalog and Streams PoolSvc DEBUG POOL ReadCatalog is file:Catalog0.xml PoolSvc DEBUG POOL ReadCatalog is file:Catalog1.xml +PoolSvc INFO POOL WriteCatalog is file:Catalog2.xml +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain READ [ROOT_All] +MetaDataSvc INFO Found MetaDataTools = PublicToolHandleArray(['IOVDbMetaDataTool']) +EventSelector DEBUG Property update for OutputLevel : new value = 2 EventSelector DEBUG Initializing EventSelector +EventSelector DEBUG Service base class initialized successfully EventSelector DEBUG reinitialization... EventSelector INFO EventSelection with query EventSelector DEBUG Try item: "SimplePoolFile1.root" from the collection list. PoolSvc DEBUG createCollection() type=RootCollection, connection=PFN:SimplePoolFile1.root, name=SimplePoolFile1.root, contextID=0 -MetaDataSvc DEBUG handle() FirstInputFile for FID:???? -MetaDataSvc DEBUG initInputMetaDataStore: file name FID:???? +MetaDataSvc DEBUG handle() FirstInputFile for FID:F2313678-C96A-964F-89E8-08BAB39F2DA7 +MetaDataSvc DEBUG initInputMetaDataStore: file name FID:F2313678-C96A-964F-89E8-08BAB39F2DA7 +Domain[ROOT_All] INFO -> Access DbDatabase READ [ROOT_All] F2313678-C96A-964F-89E8-08BAB39F2DA7 +Domain[ROOT_All] INFO SimplePoolFile1.root SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 ##Shapes DEBUG Opened container ##Shapes of type ROOT_Tree -SimplePoolFile1... DEBUG --->Reading Shape[0 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[0 , C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:EventInfo_p4 Typ:EventInfo_p4 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[1 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[1 , 6BB89FA1-EB62-4641-97CA-3F8DB6588053]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:ExampleHitContainer_p1 Typ:ExampleHitContainer_p1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[2 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[2 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[3 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[3 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[4 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[4 , E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:Token Typ:Token [18] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[5 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[5 , 13FF06C5-AB4B-6EDD-68AB-3E6350E95305]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:bool Typ:bool [9] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[6 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[6 , BBACA313-D7B0-3A4C-9161-089CACF4B1CC]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:unsigned int Typ:unsigned int [3] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[7 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[7 , 388BE2E0-4452-7BB9-2563-DA3365C64623]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:unsigned long long Typ:unsigned long long [23] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[8 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[8 , 64DE6A54-6E0B-BCDF-8A08-6EF31347E768]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:float Typ:float [10] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[9 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[9 , BEE2BECF-A936-4078-9FDD-AD703C9ADF9F]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:xAOD::FileMetaDataAuxInfo_v1 Typ:xAOD::FileMetaDataAuxInfo_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[10 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[10 , 11DF1B8C-0DEE-4687-80D7-E74B520ACBB4]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:EventStreamInfo_p3 Typ:EventStreamInfo_p3 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[11 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[11 , C87E3828-4A7A-480A-95DE-0339539F6A0F]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:xAOD::FileMetaData_v1 Typ:xAOD::FileMetaData_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[12 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[12 , 0EFE2D2C-9E78-441D-9A87-9EE2B908AC81]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:xAOD::EventFormat_v1 Typ:xAOD::EventFormat_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[13 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[13 , 6C2DE6DF-6D52-43F6-B435-9F29812F40C0]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:IOVMetaDataContainer_p1 Typ:IOVMetaDataContainer_p1 [21] Size:0 Offset:0 #Elements:1 ##Shapes DEBUG No objects passing selection criteria... Container has 14 Entries in total. SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_All] ##Links ##Links DEBUG Opening ##Links DEBUG attributes# = 1 ##Links DEBUG Opened container ##Links of type ROOT_Tree -SimplePoolFile1... DEBUG --->Reading Assoc:????/##Params [200] (2 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/CollectionTree(ExampleHitContainer_p1/MyHits) [203] (4 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLContainer(DataHeader) [203] (5 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(Token) [202] (7 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(IsSimulation) [202] (8 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(IsCalibration) [202] (9 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(IsTestBeam) [202] (a , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(McChannel) [202] (b , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(RunNumber) [202] (c , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventNumber) [202] (d , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(LumiBlockN) [202] (e , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(ConditionsRun) [202] (f , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventTime) [202] (10 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventTimeNanoSec) [202] (11 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(BunchId) [202] (12 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventWeight) [202] (13 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (14 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaData(EventStreamInfo_p3/Stream1) [203] (15 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (16 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [203] (17 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (18 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaDataHdr(DataHeader) [203] (19 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaDataHdrForm(DataHeaderForm) [203] (1a , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/##Params [200] (2 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/CollectionTree(ExampleHitContainer_p1/MyHits) [203] (4 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:6BB89FA1-EB62-4641-97CA-3F8DB6588053 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLContainer(DataHeader) [203] (5 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(Token) [202] (7 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(IsSimulation) [202] (8 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:13FF06C5-AB4B-6EDD-68AB-3E6350E95305 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(IsCalibration) [202] (9 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:13FF06C5-AB4B-6EDD-68AB-3E6350E95305 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(IsTestBeam) [202] (a , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:13FF06C5-AB4B-6EDD-68AB-3E6350E95305 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(McChannel) [202] (b , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(RunNumber) [202] (c , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(EventNumber) [202] (d , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:388BE2E0-4452-7BB9-2563-DA3365C64623 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(LumiBlockN) [202] (e , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(ConditionsRun) [202] (f , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(EventTime) [202] (10 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(EventTimeNanoSec) [202] (11 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(BunchId) [202] (12 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(EventWeight) [202] (13 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:64DE6A54-6E0B-BCDF-8A08-6EF31347E768 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (14 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BEE2BECF-A936-4078-9FDD-AD703C9ADF9F +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(EventStreamInfo_p3/Stream1) [203] (15 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:11DF1B8C-0DEE-4687-80D7-E74B520ACBB4 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (16 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:C87E3828-4A7A-480A-95DE-0339539F6A0F +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [203] (17 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:0EFE2D2C-9E78-441D-9A87-9EE2B908AC81 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (18 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:6C2DE6DF-6D52-43F6-B435-9F29812F40C0 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaDataHdr(DataHeader) [203] (19 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaDataHdrForm(DataHeaderForm) [203] (1a , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD ##Links DEBUG No objects passing selection criteria... Container has 25 Entries in total. SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_All] ##Params ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -SimplePoolFile1... DEBUG --->Reading Param:FID=[????] +SimplePoolFile1... DEBUG --->Reading Param:FID=[F2313678-C96A-964F-89E8-08BAB39F2DA7] SimplePoolFile1... DEBUG --->Reading Param:PFN=[SimplePoolFile1.root] SimplePoolFile1... DEBUG --->Reading Param:POOL_VSN=[1.1] SimplePoolFile1... DEBUG --->Reading Param:FORMAT_VSN=[1.1] ##Params DEBUG No objects passing selection criteria... Container has 4 Entries in total. -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdr(DataHeader) +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdr(DataHeader) MetaDataHdr(Dat... DEBUG Opening MetaDataHdr(Dat... DEBUG attributes# = 1 MetaDataHdr(Dat... DEBUG Branch container 'DataHeader' MetaDataHdr(Dat... DEBUG Opened container MetaDataHdr(DataHeader) of type ROOT_Tree -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdrForm(DataHeaderForm) +ClassIDSvc INFO getRegistryEntries: read 1725 CLIDRegistry entries for module ALL +EventPersistenc... INFO Added successfully Conversion service:AthenaPoolCnvSvc +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdrForm(DataHeaderForm) MetaDataHdrForm... DEBUG Opening MetaDataHdrForm... DEBUG attributes# = 1 MetaDataHdrForm... DEBUG Branch container 'DataHeaderForm' MetaDataHdrForm... DEBUG Opened container MetaDataHdrForm(DataHeaderForm) of type ROOT_Tree MetaDataSvc DEBUG Loaded input meta data store proxies -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaData(IOVMetaDataContainer_p1//TagInfo) +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaData(IOVMetaDataContainer_p1//TagInfo) MetaData(IOVMet... DEBUG Opening MetaData(IOVMet... DEBUG attributes# = 1 MetaData(IOVMet... DEBUG Branch container 'IOVMetaDataContainer_p1__TagInfo' MetaData(IOVMet... DEBUG Opened container MetaData(IOVMetaDataContainer_p1//TagInfo) of type ROOT_Tree +ClassIDSvc INFO getRegistryEntries: read 8 CLIDRegistry entries for module ALL MetaDataSvc DEBUG Registering all Tools in ToolHandleArray MetaDataTools MetaDataSvc DEBUG Adding public ToolHandle tool ToolSvc.IOVDbMetaDataTool (IOVDbMetaDataTool) +MetaDataSvc INFO AlgTool: ToolSvc.IOVDbMetaDataTool +AthenaPoolAddre... DEBUG Property update for OutputLevel : new value = 2 +AthenaPoolAddre... DEBUG Service base class initialized successfully +CondProxyProvider DEBUG Property update for OutputLevel : new value = 2 CondProxyProvider INFO Initializing CondProxyProvider +CondProxyProvider DEBUG Service base class initialized successfully CondProxyProvider INFO Inputs: SimplePoolFile4.root CondProxyProvider DEBUG Try item: "SimplePoolFile4.root" from the collection list. PoolSvc DEBUG createCollection() type=RootCollection, connection=PFN:SimplePoolFile4.root, name=SimplePoolFile4.root, contextID=2 PoolSvc DEBUG createCollection() type=ImplicitCollection, connection=PFN:SimplePoolFile4.root, name=POOLContainer(DataHeader), contextID=2 +PersistencySvc:... DEBUG lookupPFN: SimplePoolFile4.root returned FID: '298DE14D-49CF-674A-9171-CEBBD9BEC6F8' tech=ROOT_All +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain READ [ROOT_All] +Domain[ROOT_All] INFO -> Access DbDatabase READ [ROOT_All] 298DE14D-49CF-674A-9171-CEBBD9BEC6F8 +Domain[ROOT_All] INFO SimplePoolFile4.root SimplePoolFile4... DEBUG --> Access DbContainer READ [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 ##Shapes DEBUG Opened container ##Shapes of type ROOT_Tree -SimplePoolFile4... DEBUG --->Reading Shape[0 , ????]: [1 Column(s)] +SimplePoolFile4... DEBUG --->Reading Shape[0 , 6BB89FA1-EB62-4641-97CA-3F8DB6588053]: [1 Column(s)] SimplePoolFile4... DEBUG ---->[0]:ExampleHitContainer_p1 Typ:ExampleHitContainer_p1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile4... DEBUG --->Reading Shape[1 , ????]: [1 Column(s)] +SimplePoolFile4... DEBUG --->Reading Shape[1 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] SimplePoolFile4... DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile4... DEBUG --->Reading Shape[2 , ????]: [1 Column(s)] +SimplePoolFile4... DEBUG --->Reading Shape[2 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] SimplePoolFile4... DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 ##Shapes DEBUG No objects passing selection criteria... Container has 3 Entries in total. SimplePoolFile4... DEBUG --> Access DbContainer READ [ROOT_All] ##Links ##Links DEBUG Opening ##Links DEBUG attributes# = 1 ##Links DEBUG Opened container ##Links of type ROOT_Tree -SimplePoolFile4... DEBUG --->Reading Assoc:????/##Params [200] (2 , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --->Reading Assoc:????/ConditionsContainerExampleHitContainer_p1(PedestalWriteData) [203] (3 , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --->Reading Assoc:????/POOLContainer(DataHeader) [203] (4 , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --->Reading Assoc:????/POOLContainerForm(DataHeaderForm) [203] (5 , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? +SimplePoolFile4... DEBUG --->Reading Assoc:298DE14D-49CF-674A-9171-CEBBD9BEC6F8/##Params [200] (2 , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B +SimplePoolFile4... DEBUG --->Reading Assoc:298DE14D-49CF-674A-9171-CEBBD9BEC6F8/ConditionsContainerExampleHitContainer_p1(PedestalWriteData) [203] (3 , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:6BB89FA1-EB62-4641-97CA-3F8DB6588053 +SimplePoolFile4... DEBUG --->Reading Assoc:298DE14D-49CF-674A-9171-CEBBD9BEC6F8/POOLContainer(DataHeader) [203] (4 , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile4... DEBUG --->Reading Assoc:298DE14D-49CF-674A-9171-CEBBD9BEC6F8/POOLContainerForm(DataHeaderForm) [203] (5 , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD ##Links DEBUG No objects passing selection criteria... Container has 4 Entries in total. SimplePoolFile4... DEBUG --> Access DbContainer READ [ROOT_All] ##Params ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -SimplePoolFile4... DEBUG --->Reading Param:FID=[????] +SimplePoolFile4... DEBUG --->Reading Param:FID=[298DE14D-49CF-674A-9171-CEBBD9BEC6F8] SimplePoolFile4... DEBUG --->Reading Param:PFN=[SimplePoolFile4.root] SimplePoolFile4... DEBUG --->Reading Param:POOL_VSN=[1.1] SimplePoolFile4... DEBUG --->Reading Param:FORMAT_VSN=[1.1] ##Params DEBUG No objects passing selection criteria... Container has 4 Entries in total. +ReadData DEBUG input handles: 3 +ReadData DEBUG output handles: 0 +ReadData DEBUG Data Deps for ReadData + + INPUT ( 'DataHeader' , 'StoreGateSvc+EventSelector' ) + INPUT ( 'ExampleHitContainer' , 'StoreGateSvc+MyHits' ) + INPUT ( 'ExampleTrackContainer' , 'StoreGateSvc+MyTracks' ) AthenaEventLoopMgr INFO Setup EventSelector service EventSelector @@ -186,15 +242,15 @@ MetaDataSvc DEBUG Loaded input meta data store proxies MetaDataSvc DEBUG calling beginInputFile for ToolSvc.IOVDbMetaDataTool EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000000]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000000]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000000] -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] POOLContainer(DataHeader) +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000] +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] POOLContainer(DataHeader) POOLContainer(D... DEBUG Opening POOLContainer(D... DEBUG attributes# = 1 POOLContainer(D... DEBUG Branch container 'DataHeader' POOLContainer(D... DEBUG Opened container POOLContainer(DataHeader) of type ROOT_Tree -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] POOLContainerForm(DataHeaderForm) +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] POOLContainerForm(DataHeaderForm) POOLContainerFo... DEBUG Opening POOLContainerFo... DEBUG attributes# = 1 POOLContainerFo... DEBUG Branch container 'DataHeaderForm' @@ -202,63 +258,66 @@ POOLContainerFo... DEBUG Opened container POOLContainerForm(DataHeaderForm) of AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits +AlgResourcePool INFO TopAlg list empty. Recovering the one of Application Manager AthenaEventLoopMgr INFO ===>>> start of run 1 <<<=== AthenaEventLoopMgr INFO ===>>> start processing event #0, run #1 0 events processed so far <<<=== ReadCond DEBUG in execute() AthenaPoolAddre... DEBUG Cannot retrieve DataHeader from DetectorStore. -SimplePoolFile4... DEBUG --> Access DbContainer READ [ROOT_Tree] POOLContainer(DataHeader) +SimplePoolFile4... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] POOLContainer(DataHeader) POOLContainer(D... DEBUG Opening POOLContainer(D... DEBUG attributes# = 1 POOLContainer(D... DEBUG Branch container 'DataHeader' POOLContainer(D... DEBUG Opened container POOLContainer(DataHeader) of type ROOT_Tree -SimplePoolFile4... DEBUG --> Access DbContainer READ [ROOT_Tree] POOLContainerForm(DataHeaderForm) +SimplePoolFile4... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] POOLContainerForm(DataHeaderForm) POOLContainerFo... DEBUG Opening POOLContainerFo... DEBUG attributes# = 1 POOLContainerFo... DEBUG Branch container 'DataHeaderForm' POOLContainerFo... DEBUG Opened container POOLContainerForm(DataHeaderForm) of type ROOT_Tree CondProxyProvider DEBUG The current File contains: 2 objects CondProxyProvider DEBUG preLoadAddresses: DataObject address, clid = 9102, name = PedestalWriteData +Domain[ROOT_All] INFO -> Access DbDatabase READ [ROOT_All] 298DE14D-49CF-674A-9171-CEBBD9BEC6F8 +Domain[ROOT_All] INFO SimplePoolFile4.root SimplePoolFile4... DEBUG --> Access DbContainer READ [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 ##Shapes DEBUG Opened container ##Shapes of type ROOT_Tree -SimplePoolFile4... DEBUG --->Reading Shape[0 , ????]: [1 Column(s)] +SimplePoolFile4... DEBUG --->Reading Shape[0 , 6BB89FA1-EB62-4641-97CA-3F8DB6588053]: [1 Column(s)] SimplePoolFile4... DEBUG ---->[0]:ExampleHitContainer_p1 Typ:ExampleHitContainer_p1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile4... DEBUG --->Reading Shape[1 , ????]: [1 Column(s)] +SimplePoolFile4... DEBUG --->Reading Shape[1 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] SimplePoolFile4... DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile4... DEBUG --->Reading Shape[2 , ????]: [1 Column(s)] +SimplePoolFile4... DEBUG --->Reading Shape[2 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] SimplePoolFile4... DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 ##Shapes DEBUG No objects passing selection criteria... Container has 3 Entries in total. SimplePoolFile4... DEBUG --> Access DbContainer READ [ROOT_All] ##Links ##Links DEBUG Opening ##Links DEBUG attributes# = 1 ##Links DEBUG Opened container ##Links of type ROOT_Tree -SimplePoolFile4... DEBUG --->Reading Assoc:????/##Params [200] (2 , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --->Reading Assoc:????/ConditionsContainerExampleHitContainer_p1(PedestalWriteData) [203] (3 , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --->Reading Assoc:????/POOLContainer(DataHeader) [203] (4 , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --->Reading Assoc:????/POOLContainerForm(DataHeaderForm) [203] (5 , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? +SimplePoolFile4... DEBUG --->Reading Assoc:298DE14D-49CF-674A-9171-CEBBD9BEC6F8/##Params [200] (2 , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B +SimplePoolFile4... DEBUG --->Reading Assoc:298DE14D-49CF-674A-9171-CEBBD9BEC6F8/ConditionsContainerExampleHitContainer_p1(PedestalWriteData) [203] (3 , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:6BB89FA1-EB62-4641-97CA-3F8DB6588053 +SimplePoolFile4... DEBUG --->Reading Assoc:298DE14D-49CF-674A-9171-CEBBD9BEC6F8/POOLContainer(DataHeader) [203] (4 , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile4... DEBUG --->Reading Assoc:298DE14D-49CF-674A-9171-CEBBD9BEC6F8/POOLContainerForm(DataHeaderForm) [203] (5 , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD ##Links DEBUG No objects passing selection criteria... Container has 4 Entries in total. SimplePoolFile4... DEBUG --> Access DbContainer READ [ROOT_All] ##Params ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -SimplePoolFile4... DEBUG --->Reading Param:FID=[????] +SimplePoolFile4... DEBUG --->Reading Param:FID=[298DE14D-49CF-674A-9171-CEBBD9BEC6F8] SimplePoolFile4... DEBUG --->Reading Param:PFN=[SimplePoolFile4.root] SimplePoolFile4... DEBUG --->Reading Param:POOL_VSN=[1.1] SimplePoolFile4... DEBUG --->Reading Param:FORMAT_VSN=[1.1] ##Params DEBUG No objects passing selection criteria... Container has 4 Entries in total. -SimplePoolFile4... DEBUG --> Access DbContainer READ [ROOT_Tree] ConditionsContainerExampleHitContainer_p1(PedestalWriteData) +SimplePoolFile4... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] ConditionsContainerExampleHitContainer_p1(PedestalWriteData) ConditionsConta... DEBUG Opening ConditionsConta... DEBUG attributes# = 1 ConditionsConta... DEBUG Branch container 'PedestalWriteData' ConditionsConta... DEBUG Opened container ConditionsContainerExampleHitContainer_p1(PedestalWriteData) of type ROOT_Tree ReadCond INFO Pedestal x = 193136 y = 14420 z = -175208 string = <..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o> ReadData DEBUG in execute() -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaData(EventStreamInfo_p3/Stream1) +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaData(EventStreamInfo_p3/Stream1) MetaData(EventS... DEBUG Opening MetaData(EventS... DEBUG attributes# = 1 MetaData(EventS... DEBUG Branch container 'EventStreamInfo_p3_Stream1' @@ -267,13 +326,16 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000000] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000000] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000] ReadData INFO EventInfo event: 0 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] CollectionTree(ExampleHitContainer_p1/MyHits) +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] CollectionTree(ExampleHitContainer_p1/MyHits) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'ExampleHitContainer_p1_MyHits' @@ -291,9 +353,10 @@ ReadData INFO Hit x = 30.1245 y = 46.5449 z = 43.831 detector = Dumm AthenaEventLoopMgr INFO ===>>> done processing event #0, run #1 1 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000001]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000001]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000001] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001]. +ClassIDSvc INFO getRegistryEntries: read 13 CLIDRegistry entries for module ALL +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -305,9 +368,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000001] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000001] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001] ReadData INFO EventInfo event: 1 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -324,9 +390,9 @@ ReadData INFO Hit x = 130.125 y = 46.5449 z = -56.169 detector = Dum AthenaEventLoopMgr INFO ===>>> done processing event #1, run #1 2 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000002]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000002]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000002] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -338,9 +404,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000002] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000002] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002] ReadData INFO EventInfo event: 2 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -357,9 +426,9 @@ ReadData INFO Hit x = 230.125 y = 46.5449 z = -156.169 detector = Du AthenaEventLoopMgr INFO ===>>> done processing event #2, run #1 3 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000003]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000003]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000003] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -371,9 +440,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000003] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000003] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003] ReadData INFO EventInfo event: 3 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -390,9 +462,9 @@ ReadData INFO Hit x = 330.125 y = 46.5449 z = -256.169 detector = Du AthenaEventLoopMgr INFO ===>>> done processing event #3, run #1 4 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000004]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000004]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000004] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -404,9 +476,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000004] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000004] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004] ReadData INFO EventInfo event: 4 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -423,9 +498,9 @@ ReadData INFO Hit x = 430.125 y = 46.5449 z = -356.169 detector = Du AthenaEventLoopMgr INFO ===>>> done processing event #4, run #1 5 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000005]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000005]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000005] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -437,9 +512,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000005] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000005] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005] ReadData INFO EventInfo event: 5 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -456,9 +534,9 @@ ReadData INFO Hit x = 530.125 y = 46.5449 z = -456.169 detector = Du AthenaEventLoopMgr INFO ===>>> done processing event #5, run #1 6 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000006]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000006]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000006] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -470,9 +548,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000006] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000006] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006] ReadData INFO EventInfo event: 6 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -489,9 +570,9 @@ ReadData INFO Hit x = 630.125 y = 46.5449 z = -556.169 detector = Du AthenaEventLoopMgr INFO ===>>> done processing event #6, run #1 7 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000007]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000007]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000007] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -503,9 +584,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000007] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000007] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007] ReadData INFO EventInfo event: 7 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -522,9 +606,9 @@ ReadData INFO Hit x = 730.125 y = 46.5449 z = -656.169 detector = Du AthenaEventLoopMgr INFO ===>>> done processing event #7, run #1 8 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000008]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000008]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000008] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -536,9 +620,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000008] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000008] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008] ReadData INFO EventInfo event: 8 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -555,9 +642,9 @@ ReadData INFO Hit x = 830.125 y = 46.5449 z = -756.169 detector = Du AthenaEventLoopMgr INFO ===>>> done processing event #8, run #1 9 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000009]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000009]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000009] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -569,9 +656,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000009] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000009] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009] ReadData INFO EventInfo event: 9 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -588,9 +678,9 @@ ReadData INFO Hit x = 930.125 y = 46.5449 z = -856.169 detector = Du AthenaEventLoopMgr INFO ===>>> done processing event #9, run #1 10 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -602,9 +692,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000A] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000A] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A] ReadData INFO EventInfo event: 10 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -621,9 +714,9 @@ ReadData INFO Hit x = 1030.12 y = 46.5449 z = -956.169 detector = Du AthenaEventLoopMgr INFO ===>>> done processing event #10, run #1 11 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -635,9 +728,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000B] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000B] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B] ReadData INFO EventInfo event: 11 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -654,9 +750,9 @@ ReadData INFO Hit x = 1130.12 y = 46.5449 z = -1056.17 detector = Du AthenaEventLoopMgr INFO ===>>> done processing event #11, run #1 12 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -668,9 +764,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000C] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000C] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C] ReadData INFO EventInfo event: 12 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -687,9 +786,9 @@ ReadData INFO Hit x = 1230.12 y = 46.5449 z = -1156.17 detector = Du AthenaEventLoopMgr INFO ===>>> done processing event #12, run #1 13 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -701,9 +800,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000D] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000D] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D] ReadData INFO EventInfo event: 13 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -720,9 +822,9 @@ ReadData INFO Hit x = 1330.12 y = 46.5449 z = -1256.17 detector = Du AthenaEventLoopMgr INFO ===>>> done processing event #13, run #1 14 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -734,9 +836,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000E] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000E] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E] ReadData INFO EventInfo event: 14 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -753,9 +858,9 @@ ReadData INFO Hit x = 1430.12 y = 46.5449 z = -1356.17 detector = Du AthenaEventLoopMgr INFO ===>>> done processing event #14, run #1 15 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -767,9 +872,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000F] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000F] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F] ReadData INFO EventInfo event: 15 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -786,9 +894,9 @@ ReadData INFO Hit x = 1530.12 y = 46.5449 z = -1456.17 detector = Du AthenaEventLoopMgr INFO ===>>> done processing event #15, run #1 16 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -800,9 +908,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000010] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000010] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010] ReadData INFO EventInfo event: 16 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -819,9 +930,9 @@ ReadData INFO Hit x = 1630.12 y = 46.5449 z = -1556.17 detector = Du AthenaEventLoopMgr INFO ===>>> done processing event #16, run #1 17 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -833,9 +944,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000011] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000011] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011] ReadData INFO EventInfo event: 17 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -852,9 +966,9 @@ ReadData INFO Hit x = 1730.12 y = 46.5449 z = -1656.17 detector = Du AthenaEventLoopMgr INFO ===>>> done processing event #17, run #1 18 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -866,9 +980,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000012] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000012] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012] ReadData INFO EventInfo event: 18 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -885,9 +1002,9 @@ ReadData INFO Hit x = 1830.12 y = 46.5449 z = -1756.17 detector = Du AthenaEventLoopMgr INFO ===>>> done processing event #18, run #1 19 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -899,9 +1016,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000013] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000013] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013] ReadData INFO EventInfo event: 19 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -916,29 +1036,39 @@ ReadData INFO Hit x = 1923.7 y = 57.9027 z = -1853.68 detector = Dum ReadData INFO Hit x = 1926.91 y = 52.2238 z = -1855.07 detector = DummyHitDetector ReadData INFO Hit x = 1930.12 y = 46.5449 z = -1856.17 detector = DummyHitDetector AthenaEventLoopMgr INFO ===>>> done processing event #19, run #1 20 events processed so far <<<=== -MetaDataSvc DEBUG handle() EndInputFile for FID:???? -MetaDataSvc DEBUG retireMetadataSource: FID:???? -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=SimplePoolFile1.root -StorageSvc DEBUG Closing database: FID=???? +MetaDataSvc DEBUG handle() EndInputFile for FID:F2313678-C96A-964F-89E8-08BAB39F2DA7 +MetaDataSvc DEBUG retireMetadataSource: FID:F2313678-C96A-964F-89E8-08BAB39F2DA7 +EventSelector INFO Disconnecting input sourceID: F2313678-C96A-964F-89E8-08BAB39F2DA7 +StorageSvc DEBUG Disconnect request for database: FID=F2313678-C96A-964F-89E8-08BAB39F2DA7 PFN=SimplePoolFile1.root +StorageSvc DEBUG Closing database: FID=F2313678-C96A-964F-89E8-08BAB39F2DA7 +Domain[ROOT_All] INFO -> Deaccess DbDatabase READ [ROOT_All] F2313678-C96A-964F-89E8-08BAB39F2DA7 AthenaEventLoopMgr INFO No more events in event selection MetaDataSvc DEBUG MetaDataSvc::stop() PoolSvc DEBUG Disconnect request for contextId=0 -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=SimplePoolFile4.root -StorageSvc DEBUG Closing database: FID=???? +StorageSvc DEBUG Disconnect request for database: FID=298DE14D-49CF-674A-9171-CEBBD9BEC6F8 PFN=SimplePoolFile4.root +StorageSvc DEBUG Closing database: FID=298DE14D-49CF-674A-9171-CEBBD9BEC6F8 +Domain[ROOT_All] INFO -> Deaccess DbDatabase READ [ROOT_All] 298DE14D-49CF-674A-9171-CEBBD9BEC6F8 +Domain[ROOT_All] INFO > Deaccess DbDomain READ [ROOT_All] PoolSvc DEBUG Disconnected PersistencySvc session PoolSvc DEBUG Disconnect request for contextId=1 PoolSvc DEBUG Disconnect request for contextId=2 -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=SimplePoolFile4.root -StorageSvc DEBUG Closing database: FID=???? +StorageSvc DEBUG Disconnect request for database: FID=298DE14D-49CF-674A-9171-CEBBD9BEC6F8 PFN=SimplePoolFile4.root +StorageSvc DEBUG Closing database: FID=298DE14D-49CF-674A-9171-CEBBD9BEC6F8 +Domain[ROOT_All] INFO -> Deaccess DbDatabase READ [ROOT_All] 298DE14D-49CF-674A-9171-CEBBD9BEC6F8 +Domain[ROOT_All] INFO > Deaccess DbDomain READ [ROOT_All] PoolSvc DEBUG Disconnected PersistencySvc session ApplicationMgr INFO Application Manager Stopped successfully ReadCond INFO in finalize() ReadData INFO in finalize() +ReadData DEBUG Calling destructor AthDictLoaderSvc INFO in finalize... ToolSvc INFO Removing all tools created by ToolSvc *****Chrono***** INFO **************************************************************************************************** *****Chrono***** INFO The Final CPU consumption ( Chrono ) Table (ordered) *****Chrono***** INFO **************************************************************************************************** +cObjR_ALL INFO Time User : Tot= 20 [ms] Ave/Min/Max= 0.408(+- 1.98)/ 0/ 10 [ms] #= 49 +cObj_ALL INFO Time User : Tot= 30 [ms] Ave/Min/Max= 0.652(+- 2.47)/ 0/ 10 [ms] #= 46 +ChronoStatSvc INFO Time User : Tot= 240 [ms] #= 1 *****Chrono***** INFO **************************************************************************************************** ChronoStatSvc.f... INFO Service finalized successfully ApplicationMgr INFO Application Manager Finalized successfully diff --git a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_RMeta.ref b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_RMeta.ref index 3ea01b9e256dff9608300681d59449003df7a87d..4a7144f87d425854a67b7c05f4161f3871a0a5d9 100644 --- a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_RMeta.ref +++ b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_RMeta.ref @@ -1,115 +1,152 @@ +Mon Oct 18 10:25:49 CDT 2021 +Preloading tcmalloc_minimal.so +Athena INFO including file "AthenaCommon/Preparation.py" +Athena INFO including file "AthenaCommon/Atlas.UnixStandardJob.py" Athena INFO executing ROOT6Setup +Athena INFO including file "AthenaCommon/Execution.py" +Athena INFO including file "AthenaPoolExampleAlgorithms/AthenaPoolExample_RMetaJobOptions.py" +Py:ConfigurableDb INFO Read module info for 5082 configurables from 58 genConfDb files +Py:ConfigurableDb INFO No duplicates have been found: that's good ! +Athena INFO including file "AthenaCommon/runbatch.py" +ApplicationMgr SUCCESS +==================================================================================================================================== + Welcome to ApplicationMgr (GaudiCoreSvc v36r0) + running on atlaslogin01.hep.anl.gov on Mon Oct 18 10:26:01 2021 +==================================================================================================================================== ApplicationMgr INFO Application Manager Configured successfully AthDictLoaderSvc INFO in initialize... AthDictLoaderSvc INFO acquired Dso-registry +ClassIDSvc INFO getRegistryEntries: read 3039 CLIDRegistry entries for module ALL AthenaEventLoopMgr INFO Initializing AthenaEventLoopMgr +ClassIDSvc INFO getRegistryEntries: read 863 CLIDRegistry entries for module ALL +ReadData DEBUG Property update for OutputLevel : new value = 2 ReadData INFO in initialize() +MetaDataSvc DEBUG Property update for OutputLevel : new value = 2 MetaDataSvc INFO Initializing MetaDataSvc +PoolSvc DEBUG Property update for OutputLevel : new value = 2 +PoolSvc DEBUG Service base class initialized successfully +PoolSvc INFO io_register[PoolSvc](xmlcatalog_file:Catalog2.xml) [ok] +PoolSvc INFO io_register[PoolSvc](xmlcatalog_file:PoolFileCatalog.xml) [ok] +PoolSvc INFO Set connectionsvc retry/timeout/IDLE timeout to 'ConnectionRetrialPeriod':300/ 'ConnectionRetrialTimeOut':3600/ 'ConnectionTimeOut':5 seconds with connection cleanup disabled +PoolSvc INFO Frontier compression level set to 5 +DBReplicaSvc INFO Frontier server at (serverurl=http://atlasfrontier-ai.cern.ch:8000/atlr)(serverurl=http://frontier-atlas.lcg.triumf.ca:3128/ATLAS_frontier)(serverurl=http://ccfrontier.in2p3.fr:23128/ccin2p3-AtlasFrontier)(proxyurl=http://atlasbpfrontier.cern.ch:3127)(proxyurl=http://atlasbpfrontier.fnal.gov:3127) will be considered for COOL data +DBReplicaSvc INFO Read replica configuration from /users/gemmeren/workarea/build/x86_64-centos7-gcc8-opt/share/dbreplica.config +DBReplicaSvc INFO Total of 1 servers found for host atlaslogin01.hep.anl.gov [ATLF ] +PoolSvc INFO Successfully setup replica sorting algorithm PoolSvc DEBUG OutputLevel is 2 +PoolSvc INFO Setting up APR FileCatalog and Streams PoolSvc DEBUG POOL ReadCatalog is xmlcatalog_file:Catalog2.xml +PoolSvc INFO POOL WriteCatalog is xmlcatalog_file:PoolFileCatalog.xml +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain READ [ROOT_All] ToolSvc.AthPool... INFO in initialize() +MetaDataSvc INFO Found MetaDataTools = PublicToolHandleArray(['IOVDbMetaDataTool','AthPoolEx::ReadMeta']) +EventSelector DEBUG Property update for OutputLevel : new value = 2 EventSelector DEBUG Initializing EventSelector +EventSelector DEBUG Service base class initialized successfully EventSelector DEBUG reinitialization... EventSelector INFO EventSelection with query EventSelector DEBUG Try item: "SimplePoolFile5.root" from the collection list. PoolSvc DEBUG createCollection() type=RootCollection, connection=PFN:SimplePoolFile5.root, name=SimplePoolFile5.root, contextID=0 -MetaDataSvc DEBUG handle() FirstInputFile for FID:???? -MetaDataSvc DEBUG initInputMetaDataStore: file name FID:???? +MetaDataSvc DEBUG handle() FirstInputFile for FID:C949FD2E-3B8E-9343-AAE0-0C43 +MetaDataSvc DEBUG initInputMetaDataStore: file name FID:C949FD2E-3B8E-9343-AAE0-0C43 +Domain[ROOT_All] INFO -> Access DbDatabase READ [ROOT_All] C949FD2E-3B8E-9343-AAE0-0C43 +Domain[ROOT_All] INFO SimplePoolFile5.root SimplePoolFile5... DEBUG --> Access DbContainer READ [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 ##Shapes DEBUG Opened container ##Shapes of type ROOT_Tree -SimplePoolFile5... DEBUG --->Reading Shape[0 , ????]: [1 Column(s)] +SimplePoolFile5... DEBUG --->Reading Shape[0 , C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7]: [1 Column(s)] SimplePoolFile5... DEBUG ---->[0]:EventInfo_p4 Typ:EventInfo_p4 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile5... DEBUG --->Reading Shape[1 , ????]: [1 Column(s)] +SimplePoolFile5... DEBUG --->Reading Shape[1 , 6BB89FA1-EB62-4641-97CA-3F8DB6588053]: [1 Column(s)] SimplePoolFile5... DEBUG ---->[0]:ExampleHitContainer_p1 Typ:ExampleHitContainer_p1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile5... DEBUG --->Reading Shape[2 , ????]: [1 Column(s)] +SimplePoolFile5... DEBUG --->Reading Shape[2 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] SimplePoolFile5... DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile5... DEBUG --->Reading Shape[3 , ????]: [1 Column(s)] +SimplePoolFile5... DEBUG --->Reading Shape[3 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] SimplePoolFile5... DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile5... DEBUG --->Reading Shape[4 , ????]: [1 Column(s)] +SimplePoolFile5... DEBUG --->Reading Shape[4 , E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A]: [1 Column(s)] SimplePoolFile5... DEBUG ---->[0]:Token Typ:Token [18] Size:0 Offset:0 #Elements:1 -SimplePoolFile5... DEBUG --->Reading Shape[5 , ????]: [1 Column(s)] +SimplePoolFile5... DEBUG --->Reading Shape[5 , 13FF06C5-AB4B-6EDD-68AB-3E6350E95305]: [1 Column(s)] SimplePoolFile5... DEBUG ---->[0]:bool Typ:bool [9] Size:0 Offset:0 #Elements:1 -SimplePoolFile5... DEBUG --->Reading Shape[6 , ????]: [1 Column(s)] +SimplePoolFile5... DEBUG --->Reading Shape[6 , BBACA313-D7B0-3A4C-9161-089CACF4B1CC]: [1 Column(s)] SimplePoolFile5... DEBUG ---->[0]:unsigned int Typ:unsigned int [3] Size:0 Offset:0 #Elements:1 -SimplePoolFile5... DEBUG --->Reading Shape[7 , ????]: [1 Column(s)] +SimplePoolFile5... DEBUG --->Reading Shape[7 , 388BE2E0-4452-7BB9-2563-DA3365C64623]: [1 Column(s)] SimplePoolFile5... DEBUG ---->[0]:unsigned long long Typ:unsigned long long [23] Size:0 Offset:0 #Elements:1 -SimplePoolFile5... DEBUG --->Reading Shape[8 , ????]: [1 Column(s)] +SimplePoolFile5... DEBUG --->Reading Shape[8 , 64DE6A54-6E0B-BCDF-8A08-6EF31347E768]: [1 Column(s)] SimplePoolFile5... DEBUG ---->[0]:float Typ:float [10] Size:0 Offset:0 #Elements:1 -SimplePoolFile5... DEBUG --->Reading Shape[9 , ????]: [1 Column(s)] +SimplePoolFile5... DEBUG --->Reading Shape[9 , BEE2BECF-A936-4078-9FDD-AD703C9ADF9F]: [1 Column(s)] SimplePoolFile5... DEBUG ---->[0]:xAOD::FileMetaDataAuxInfo_v1 Typ:xAOD::FileMetaDataAuxInfo_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile5... DEBUG --->Reading Shape[10 , ????]: [1 Column(s)] +SimplePoolFile5... DEBUG --->Reading Shape[10 , 11DF1B8C-0DEE-4687-80D7-E74B520ACBB4]: [1 Column(s)] SimplePoolFile5... DEBUG ---->[0]:EventStreamInfo_p3 Typ:EventStreamInfo_p3 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile5... DEBUG --->Reading Shape[11 , ????]: [1 Column(s)] +SimplePoolFile5... DEBUG --->Reading Shape[11 , C87E3828-4A7A-480A-95DE-0339539F6A0F]: [1 Column(s)] SimplePoolFile5... DEBUG ---->[0]:xAOD::FileMetaData_v1 Typ:xAOD::FileMetaData_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile5... DEBUG --->Reading Shape[12 , ????]: [1 Column(s)] +SimplePoolFile5... DEBUG --->Reading Shape[12 , 0EFE2D2C-9E78-441D-9A87-9EE2B908AC81]: [1 Column(s)] SimplePoolFile5... DEBUG ---->[0]:xAOD::EventFormat_v1 Typ:xAOD::EventFormat_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile5... DEBUG --->Reading Shape[13 , ????]: [1 Column(s)] +SimplePoolFile5... DEBUG --->Reading Shape[13 , 6C2DE6DF-6D52-43F6-B435-9F29812F40C0]: [1 Column(s)] SimplePoolFile5... DEBUG ---->[0]:IOVMetaDataContainer_p1 Typ:IOVMetaDataContainer_p1 [21] Size:0 Offset:0 #Elements:1 ##Shapes DEBUG No objects passing selection criteria... Container has 14 Entries in total. SimplePoolFile5... DEBUG --> Access DbContainer READ [ROOT_All] ##Links ##Links DEBUG Opening ##Links DEBUG attributes# = 1 ##Links DEBUG Opened container ##Links of type ROOT_Tree -SimplePoolFile5... DEBUG --->Reading Assoc:????/##Params [200] (2 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Reading Assoc:????/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Reading Assoc:????/CollectionTree(ExampleHitContainer_p1/MyHits) [203] (4 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Reading Assoc:????/POOLContainer(DataHeader) [203] (5 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Reading Assoc:????/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Reading Assoc:????/POOLCollectionTree(Token) [202] (7 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Reading Assoc:????/POOLCollectionTree(IsSimulation) [202] (8 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Reading Assoc:????/POOLCollectionTree(IsCalibration) [202] (9 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Reading Assoc:????/POOLCollectionTree(IsTestBeam) [202] (a , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Reading Assoc:????/POOLCollectionTree(McChannel) [202] (b , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Reading Assoc:????/POOLCollectionTree(RunNumber) [202] (c , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventNumber) [202] (d , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Reading Assoc:????/POOLCollectionTree(LumiBlockN) [202] (e , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Reading Assoc:????/POOLCollectionTree(ConditionsRun) [202] (f , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventTime) [202] (10 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventTimeNanoSec) [202] (11 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Reading Assoc:????/POOLCollectionTree(BunchId) [202] (12 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventWeight) [202] (13 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [202] (14 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Reading Assoc:????/MetaData(ExampleHitContainer_p1/PedestalWriteData) [202] (15 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Reading Assoc:????/MetaData(EventStreamInfo_p3/Stream1) [202] (16 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaData_v1/FileMetaData) [202] (17 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Reading Assoc:????/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [202] (18 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Reading Assoc:????/MetaData(IOVMetaDataContainer_p1//TagInfo) [202] (19 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Reading Assoc:????/MetaDataHdr(DataHeader) [202] (1a , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Reading Assoc:????/MetaDataHdrForm(DataHeaderForm) [202] (1b , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? +SimplePoolFile5... DEBUG --->Reading Assoc:C949FD2E-3B8E-9343-AAE0-0C43/##Params [200] (2 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B +SimplePoolFile5... DEBUG --->Reading Assoc:C949FD2E-3B8E-9343-AAE0-0C43/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7 +SimplePoolFile5... DEBUG --->Reading Assoc:C949FD2E-3B8E-9343-AAE0-0C43/CollectionTree(ExampleHitContainer_p1/MyHits) [203] (4 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:6BB89FA1-EB62-4641-97CA-3F8DB6588053 +SimplePoolFile5... DEBUG --->Reading Assoc:C949FD2E-3B8E-9343-AAE0-0C43/POOLContainer(DataHeader) [203] (5 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile5... DEBUG --->Reading Assoc:C949FD2E-3B8E-9343-AAE0-0C43/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD +SimplePoolFile5... DEBUG --->Reading Assoc:C949FD2E-3B8E-9343-AAE0-0C43/POOLCollectionTree(Token) [202] (7 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A +SimplePoolFile5... DEBUG --->Reading Assoc:C949FD2E-3B8E-9343-AAE0-0C43/POOLCollectionTree(IsSimulation) [202] (8 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:13FF06C5-AB4B-6EDD-68AB-3E6350E95305 +SimplePoolFile5... DEBUG --->Reading Assoc:C949FD2E-3B8E-9343-AAE0-0C43/POOLCollectionTree(IsCalibration) [202] (9 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:13FF06C5-AB4B-6EDD-68AB-3E6350E95305 +SimplePoolFile5... DEBUG --->Reading Assoc:C949FD2E-3B8E-9343-AAE0-0C43/POOLCollectionTree(IsTestBeam) [202] (a , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:13FF06C5-AB4B-6EDD-68AB-3E6350E95305 +SimplePoolFile5... DEBUG --->Reading Assoc:C949FD2E-3B8E-9343-AAE0-0C43/POOLCollectionTree(McChannel) [202] (b , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile5... DEBUG --->Reading Assoc:C949FD2E-3B8E-9343-AAE0-0C43/POOLCollectionTree(RunNumber) [202] (c , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile5... DEBUG --->Reading Assoc:C949FD2E-3B8E-9343-AAE0-0C43/POOLCollectionTree(EventNumber) [202] (d , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:388BE2E0-4452-7BB9-2563-DA3365C64623 +SimplePoolFile5... DEBUG --->Reading Assoc:C949FD2E-3B8E-9343-AAE0-0C43/POOLCollectionTree(LumiBlockN) [202] (e , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile5... DEBUG --->Reading Assoc:C949FD2E-3B8E-9343-AAE0-0C43/POOLCollectionTree(ConditionsRun) [202] (f , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile5... DEBUG --->Reading Assoc:C949FD2E-3B8E-9343-AAE0-0C43/POOLCollectionTree(EventTime) [202] (10 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile5... DEBUG --->Reading Assoc:C949FD2E-3B8E-9343-AAE0-0C43/POOLCollectionTree(EventTimeNanoSec) [202] (11 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile5... DEBUG --->Reading Assoc:C949FD2E-3B8E-9343-AAE0-0C43/POOLCollectionTree(BunchId) [202] (12 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile5... DEBUG --->Reading Assoc:C949FD2E-3B8E-9343-AAE0-0C43/POOLCollectionTree(EventWeight) [202] (13 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:64DE6A54-6E0B-BCDF-8A08-6EF31347E768 +SimplePoolFile5... DEBUG --->Reading Assoc:C949FD2E-3B8E-9343-AAE0-0C43/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [202] (14 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:BEE2BECF-A936-4078-9FDD-AD703C9ADF9F +SimplePoolFile5... DEBUG --->Reading Assoc:C949FD2E-3B8E-9343-AAE0-0C43/MetaData(ExampleHitContainer_p1/PedestalWriteData) [202] (15 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:6BB89FA1-EB62-4641-97CA-3F8DB6588053 +SimplePoolFile5... DEBUG --->Reading Assoc:C949FD2E-3B8E-9343-AAE0-0C43/MetaData(EventStreamInfo_p3/Stream1) [202] (16 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:11DF1B8C-0DEE-4687-80D7-E74B520ACBB4 +SimplePoolFile5... DEBUG --->Reading Assoc:C949FD2E-3B8E-9343-AAE0-0C43/MetaData(xAOD::FileMetaData_v1/FileMetaData) [202] (17 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:C87E3828-4A7A-480A-95DE-0339539F6A0F +SimplePoolFile5... DEBUG --->Reading Assoc:C949FD2E-3B8E-9343-AAE0-0C43/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [202] (18 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:0EFE2D2C-9E78-441D-9A87-9EE2B908AC81 +SimplePoolFile5... DEBUG --->Reading Assoc:C949FD2E-3B8E-9343-AAE0-0C43/MetaData(IOVMetaDataContainer_p1//TagInfo) [202] (19 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:6C2DE6DF-6D52-43F6-B435-9F29812F40C0 +SimplePoolFile5... DEBUG --->Reading Assoc:C949FD2E-3B8E-9343-AAE0-0C43/MetaDataHdr(DataHeader) [202] (1a , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile5... DEBUG --->Reading Assoc:C949FD2E-3B8E-9343-AAE0-0C43/MetaDataHdrForm(DataHeaderForm) [202] (1b , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD ##Links DEBUG No objects passing selection criteria... Container has 26 Entries in total. SimplePoolFile5... DEBUG --> Access DbContainer READ [ROOT_All] ##Params ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -SimplePoolFile5... DEBUG --->Reading Param:FID=[????] +SimplePoolFile5... DEBUG --->Reading Param:FID=[C949FD2E-3B8E-9343-AAE0-0C43] SimplePoolFile5... DEBUG --->Reading Param:PFN=[SimplePoolFile5.root] SimplePoolFile5... DEBUG --->Reading Param:POOL_VSN=[1.1] SimplePoolFile5... DEBUG --->Reading Param:FORMAT_VSN=[1.1] @@ -119,6 +156,8 @@ MetaDataHdr(Dat... DEBUG Opening MetaDataHdr(Dat... DEBUG attributes# = 1 MetaDataHdr(Dat... DEBUG Branch container 'DataHeader' MetaDataHdr(Dat... DEBUG Opened container MetaDataHdr(DataHeader) of type ROOT_Tree +ClassIDSvc INFO getRegistryEntries: read 1725 CLIDRegistry entries for module ALL +EventPersistenc... INFO Added successfully Conversion service:AthenaPoolCnvSvc SimplePoolFile5... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdrForm(DataHeaderForm) MetaDataHdrForm... DEBUG Opening MetaDataHdrForm... DEBUG attributes# = 1 @@ -130,9 +169,18 @@ MetaData(IOVMet... DEBUG Opening MetaData(IOVMet... DEBUG attributes# = 1 MetaData(IOVMet... DEBUG Branch container 'IOVMetaDataContainer_p1__TagInfo' MetaData(IOVMet... DEBUG Opened container MetaData(IOVMetaDataContainer_p1//TagInfo) of type ROOT_Tree +ClassIDSvc INFO getRegistryEntries: read 8 CLIDRegistry entries for module ALL MetaDataSvc DEBUG Registering all Tools in ToolHandleArray MetaDataTools MetaDataSvc DEBUG Adding public ToolHandle tool ToolSvc.IOVDbMetaDataTool (IOVDbMetaDataTool) MetaDataSvc DEBUG Adding public ToolHandle tool ToolSvc.AthPoolEx::ReadMeta (AthPoolEx::ReadMeta) +MetaDataSvc INFO AlgTool: ToolSvc.IOVDbMetaDataTool +MetaDataSvc INFO AlgTool: ToolSvc.AthPoolEx::ReadMeta +AthenaPoolAddre... DEBUG Property update for OutputLevel : new value = 2 +AthenaPoolAddre... DEBUG Service base class initialized successfully +ReadData DEBUG input handles: 3 +ReadData DEBUG output handles: 0 +ReadData DEBUG Data Deps for ReadData + + INPUT ( 'DataHeader' , 'StoreGateSvc+EventSelector' ) + INPUT ( 'ExampleHitContainer' , 'StoreGateSvc+MyHits' ) + INPUT ( 'ExampleTrackContainer' , 'StoreGateSvc+MyTracks' ) AthenaEventLoopMgr INFO Setup EventSelector service EventSelector @@ -157,15 +205,16 @@ MetaData(Exampl... DEBUG Opened container MetaData(ExampleHitContainer_p1/Pedes ToolSvc.AthPool... INFO Pedestal x = 193136 y = -5580.01 z = -175208 string = <..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o> EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000000]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000000]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000000] -SimplePoolFile5... DEBUG --> Access DbContainer READ [ROOT_Tree] POOLContainer(DataHeader) +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000]. +ClassIDSvc INFO getRegistryEntries: read 6 CLIDRegistry entries for module ALL +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000] +SimplePoolFile5... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] POOLContainer(DataHeader) POOLContainer(D... DEBUG Opening POOLContainer(D... DEBUG attributes# = 1 POOLContainer(D... DEBUG Branch container 'DataHeader' POOLContainer(D... DEBUG Opened container POOLContainer(DataHeader) of type ROOT_Tree -SimplePoolFile5... DEBUG --> Access DbContainer READ [ROOT_Tree] POOLContainerForm(DataHeaderForm) +SimplePoolFile5... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] POOLContainerForm(DataHeaderForm) POOLContainerFo... DEBUG Opening POOLContainerFo... DEBUG attributes# = 1 POOLContainerFo... DEBUG Branch container 'DataHeaderForm' @@ -173,6 +222,7 @@ POOLContainerFo... DEBUG Opened container POOLContainerForm(DataHeaderForm) of AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits +AlgResourcePool INFO TopAlg list empty. Recovering the one of Application Manager AthenaEventLoopMgr INFO ===>>> start of run 0 <<<=== AthenaEventLoopMgr INFO ===>>> start processing event #0, run #0 0 events processed so far <<<=== ReadData DEBUG in execute() @@ -185,13 +235,16 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000000] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000000] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000] ReadData INFO EventInfo event: 0 run: 0 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks -SimplePoolFile5... DEBUG --> Access DbContainer READ [ROOT_Tree] CollectionTree(ExampleHitContainer_p1/MyHits) +SimplePoolFile5... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] CollectionTree(ExampleHitContainer_p1/MyHits) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'ExampleHitContainer_p1_MyHits' @@ -209,9 +262,10 @@ ReadData INFO Hit x = 30.1245 y = -53.4551 z = 43.831 detector = Dum AthenaEventLoopMgr INFO ===>>> done processing event #0, run #0 1 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000001]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000001]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000001] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001]. +ClassIDSvc INFO getRegistryEntries: read 7 CLIDRegistry entries for module ALL +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -221,9 +275,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000001] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000001] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001] ReadData INFO EventInfo event: 1 run: 0 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -240,9 +297,9 @@ ReadData INFO Hit x = 130.125 y = -53.4551 z = -56.169 detector = Du AthenaEventLoopMgr INFO ===>>> done processing event #1, run #0 2 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000002]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000002]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000002] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -252,9 +309,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000002] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000002] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002] ReadData INFO EventInfo event: 2 run: 0 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -271,9 +331,9 @@ ReadData INFO Hit x = 230.125 y = -53.4551 z = -156.169 detector = D AthenaEventLoopMgr INFO ===>>> done processing event #2, run #0 3 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000003]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000003]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000003] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -283,9 +343,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000003] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000003] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003] ReadData INFO EventInfo event: 3 run: 0 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -302,9 +365,9 @@ ReadData INFO Hit x = 330.125 y = -53.4551 z = -256.169 detector = D AthenaEventLoopMgr INFO ===>>> done processing event #3, run #0 4 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000004]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000004]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000004] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -314,9 +377,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000004] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000004] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004] ReadData INFO EventInfo event: 4 run: 0 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -333,9 +399,9 @@ ReadData INFO Hit x = 430.125 y = -53.4551 z = -356.169 detector = D AthenaEventLoopMgr INFO ===>>> done processing event #4, run #0 5 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000005]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000005]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000005] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -345,9 +411,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000005] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000005] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005] ReadData INFO EventInfo event: 5 run: 0 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -364,9 +433,9 @@ ReadData INFO Hit x = 530.125 y = -53.4551 z = -456.169 detector = D AthenaEventLoopMgr INFO ===>>> done processing event #5, run #0 6 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000006]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000006]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000006] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -376,9 +445,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000006] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000006] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006] ReadData INFO EventInfo event: 6 run: 0 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -395,9 +467,9 @@ ReadData INFO Hit x = 630.125 y = -53.4551 z = -556.169 detector = D AthenaEventLoopMgr INFO ===>>> done processing event #6, run #0 7 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000007]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000007]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000007] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -407,9 +479,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000007] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000007] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007] ReadData INFO EventInfo event: 7 run: 0 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -426,9 +501,9 @@ ReadData INFO Hit x = 730.125 y = -53.4551 z = -656.169 detector = D AthenaEventLoopMgr INFO ===>>> done processing event #7, run #0 8 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000008]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000008]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000008] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -438,9 +513,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000008] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000008] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008] ReadData INFO EventInfo event: 8 run: 0 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -457,9 +535,9 @@ ReadData INFO Hit x = 830.125 y = -53.4551 z = -756.169 detector = D AthenaEventLoopMgr INFO ===>>> done processing event #8, run #0 9 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000009]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000009]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000009] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -469,9 +547,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000009] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000009] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009] ReadData INFO EventInfo event: 9 run: 0 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -488,9 +569,9 @@ ReadData INFO Hit x = 930.125 y = -53.4551 z = -856.169 detector = D AthenaEventLoopMgr INFO ===>>> done processing event #9, run #0 10 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -500,9 +581,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000A] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000A] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A] ReadData INFO EventInfo event: 10 run: 0 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -519,9 +603,9 @@ ReadData INFO Hit x = 1030.12 y = -53.4551 z = -956.169 detector = D AthenaEventLoopMgr INFO ===>>> done processing event #10, run #0 11 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -531,9 +615,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000B] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000B] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B] ReadData INFO EventInfo event: 11 run: 0 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -550,9 +637,9 @@ ReadData INFO Hit x = 1130.12 y = -53.4551 z = -1056.17 detector = D AthenaEventLoopMgr INFO ===>>> done processing event #11, run #0 12 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -562,9 +649,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000C] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000C] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C] ReadData INFO EventInfo event: 12 run: 0 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -581,9 +671,9 @@ ReadData INFO Hit x = 1230.12 y = -53.4551 z = -1156.17 detector = D AthenaEventLoopMgr INFO ===>>> done processing event #12, run #0 13 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -593,9 +683,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000D] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000D] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D] ReadData INFO EventInfo event: 13 run: 0 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -612,9 +705,9 @@ ReadData INFO Hit x = 1330.12 y = -53.4551 z = -1256.17 detector = D AthenaEventLoopMgr INFO ===>>> done processing event #13, run #0 14 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -624,9 +717,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000E] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000E] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E] ReadData INFO EventInfo event: 14 run: 0 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -643,9 +739,9 @@ ReadData INFO Hit x = 1430.12 y = -53.4551 z = -1356.17 detector = D AthenaEventLoopMgr INFO ===>>> done processing event #14, run #0 15 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -655,9 +751,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000F] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000F] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F] ReadData INFO EventInfo event: 15 run: 0 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -674,9 +773,9 @@ ReadData INFO Hit x = 1530.12 y = -53.4551 z = -1456.17 detector = D AthenaEventLoopMgr INFO ===>>> done processing event #15, run #0 16 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -686,9 +785,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000010] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000010] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010] ReadData INFO EventInfo event: 16 run: 0 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -705,9 +807,9 @@ ReadData INFO Hit x = 1630.12 y = -53.4551 z = -1556.17 detector = D AthenaEventLoopMgr INFO ===>>> done processing event #16, run #0 17 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -717,9 +819,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000011] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000011] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011] ReadData INFO EventInfo event: 17 run: 0 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -736,9 +841,9 @@ ReadData INFO Hit x = 1730.12 y = -53.4551 z = -1656.17 detector = D AthenaEventLoopMgr INFO ===>>> done processing event #17, run #0 18 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -748,9 +853,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000012] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000012] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012] ReadData INFO EventInfo event: 18 run: 0 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -767,9 +875,9 @@ ReadData INFO Hit x = 1830.12 y = -53.4551 z = -1756.17 detector = D AthenaEventLoopMgr INFO ===>>> done processing event #18, run #0 19 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -779,9 +887,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000013] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000013] +ReadData INFO DataHeader (Event Content) [DB=C949FD2E-3B8E-9343-AAE0-0C43][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013] ReadData INFO EventInfo event: 19 run: 0 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -796,10 +907,13 @@ ReadData INFO Hit x = 1923.7 y = -42.0973 z = -1853.68 detector = Du ReadData INFO Hit x = 1926.91 y = -47.7762 z = -1855.07 detector = DummyHitDetector ReadData INFO Hit x = 1930.12 y = -53.4551 z = -1856.17 detector = DummyHitDetector AthenaEventLoopMgr INFO ===>>> done processing event #19, run #0 20 events processed so far <<<=== -MetaDataSvc DEBUG handle() EndInputFile for FID:???? -MetaDataSvc DEBUG retireMetadataSource: FID:???? -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=SimplePoolFile5.root -StorageSvc DEBUG Closing database: FID=???? +MetaDataSvc DEBUG handle() EndInputFile for FID:C949FD2E-3B8E-9343-AAE0-0C43 +MetaDataSvc DEBUG retireMetadataSource: FID:C949FD2E-3B8E-9343-AAE0-0C43 +EventSelector INFO Disconnecting input sourceID: C949FD2E-3B8E-9343-AAE0-0C43 +StorageSvc DEBUG Disconnect request for database: FID=C949FD2E-3B8E-9343-AAE0-0C43 PFN=SimplePoolFile5.root +StorageSvc DEBUG Closing database: FID=C949FD2E-3B8E-9343-AAE0-0C43 +Domain[ROOT_All] INFO -> Deaccess DbDatabase READ [ROOT_All] C949FD2E-3B8E-9343-AAE0-0C43 +Domain[ROOT_All] INFO > Deaccess DbDomain READ [ROOT_All] AthenaEventLoopMgr INFO No more events in event selection MetaDataSvc DEBUG MetaDataSvc::stop() PoolSvc DEBUG Disconnect request for contextId=0 @@ -807,12 +921,16 @@ PoolSvc DEBUG Disconnected PersistencySvc session PoolSvc DEBUG Disconnect request for contextId=1 ApplicationMgr INFO Application Manager Stopped successfully ReadData INFO in finalize() +ReadData DEBUG Calling destructor AthDictLoaderSvc INFO in finalize... ToolSvc INFO Removing all tools created by ToolSvc ToolSvc.AthPool... INFO in finalize() *****Chrono***** INFO **************************************************************************************************** *****Chrono***** INFO The Final CPU consumption ( Chrono ) Table (ordered) *****Chrono***** INFO **************************************************************************************************** +cObjR_ALL INFO Time User : Tot= 10 [ms] Ave/Min/Max= 0.213(+- 1.44)/ 0/ 10 [ms] #= 47 +cObj_ALL INFO Time User : Tot= 30 [ms] Ave/Min/Max= 0.667(+- 2.49)/ 0/ 10 [ms] #= 45 +ChronoStatSvc INFO Time User : Tot= 230 [ms] #= 1 *****Chrono***** INFO **************************************************************************************************** ChronoStatSvc.f... INFO Service finalized successfully ApplicationMgr INFO Application Manager Finalized successfully diff --git a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_ReWrite.ref b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_ReWrite.ref index 9bf1f6ee41e1c85b4bb54fbaed03e9b0ff4ec3ee..55b8d4032bee5218207c3de7669e85eeee896f49 100644 --- a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_ReWrite.ref +++ b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_ReWrite.ref @@ -1,122 +1,179 @@ +Mon Oct 18 10:22:46 CDT 2021 +Preloading tcmalloc_minimal.so +Athena INFO including file "AthenaCommon/Preparation.py" +Athena INFO including file "AthenaCommon/Atlas.UnixStandardJob.py" Athena INFO executing ROOT6Setup +Athena INFO including file "AthenaCommon/Execution.py" +Athena INFO including file "AthenaPoolExampleAlgorithms/AthenaPoolExample_RWJobOptions.py" +Py:ConfigurableDb INFO Read module info for 5082 configurables from 58 genConfDb files +Py:ConfigurableDb INFO No duplicates have been found: that's good ! +Athena INFO including file "AthenaCommon/runbatch.py" +ApplicationMgr SUCCESS +==================================================================================================================================== + Welcome to ApplicationMgr (GaudiCoreSvc v36r0) + running on atlaslogin01.hep.anl.gov on Mon Oct 18 10:22:57 2021 +==================================================================================================================================== ApplicationMgr INFO Application Manager Configured successfully AthDictLoaderSvc INFO in initialize... AthDictLoaderSvc INFO acquired Dso-registry +ClassIDSvc INFO getRegistryEntries: read 3039 CLIDRegistry entries for module ALL AthenaEventLoopMgr INFO Initializing AthenaEventLoopMgr +ClassIDSvc INFO getRegistryEntries: read 722 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 593 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 350 CLIDRegistry entries for module ALL EventInfoCnvAlg INFO Initializing EventInfoCnvAlg +MetaDataSvc DEBUG Property update for OutputLevel : new value = 2 MetaDataSvc INFO Initializing MetaDataSvc +AthenaPoolCnvSvc DEBUG Property update for OutputLevel : new value = 2 +PoolSvc DEBUG Property update for OutputLevel : new value = 2 +PoolSvc DEBUG Service base class initialized successfully +PoolSvc INFO Set connectionsvc retry/timeout/IDLE timeout to 'ConnectionRetrialPeriod':300/ 'ConnectionRetrialTimeOut':3600/ 'ConnectionTimeOut':5 seconds with connection cleanup disabled +PoolSvc INFO Frontier compression level set to 5 +DBReplicaSvc INFO Frontier server at (serverurl=http://atlasfrontier-ai.cern.ch:8000/atlr)(serverurl=http://frontier-atlas.lcg.triumf.ca:3128/ATLAS_frontier)(serverurl=http://ccfrontier.in2p3.fr:23128/ccin2p3-AtlasFrontier)(proxyurl=http://atlasbpfrontier.cern.ch:3127)(proxyurl=http://atlasbpfrontier.fnal.gov:3127) will be considered for COOL data +DBReplicaSvc INFO Read replica configuration from /users/gemmeren/workarea/build/x86_64-centos7-gcc8-opt/share/dbreplica.config +DBReplicaSvc INFO Total of 1 servers found for host atlaslogin01.hep.anl.gov [ATLF ] +PoolSvc INFO Successfully setup replica sorting algorithm PoolSvc DEBUG OutputLevel is 2 +PoolSvc INFO Setting up APR FileCatalog and Streams PoolSvc DEBUG POOL ReadCatalog is file:Catalog.xml +PoolSvc INFO POOL WriteCatalog is file:Catalog1.xml +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain READ [ROOT_All] AthenaPoolCnvSvc DEBUG Registering all Tools in ToolHandleArray OutputStreamingTool +MetaDataSvc INFO Found MetaDataTools = PublicToolHandleArray(['IOVDbMetaDataTool']) +EventSelector DEBUG Property update for OutputLevel : new value = 2 EventSelector DEBUG Initializing EventSelector +EventSelector DEBUG Service base class initialized successfully EventSelector DEBUG reinitialization... EventSelector INFO EventSelection with query EventSelector DEBUG Try item: "SimplePoolFile1.root" from the collection list. PoolSvc DEBUG createCollection() type=RootCollection, connection=PFN:SimplePoolFile1.root, name=SimplePoolFile1.root, contextID=0 -MetaDataSvc DEBUG handle() FirstInputFile for FID:???? -MetaDataSvc DEBUG initInputMetaDataStore: file name FID:???? +MetaDataSvc DEBUG handle() FirstInputFile for FID:F2313678-C96A-964F-89E8-08BAB39F2DA7 +MetaDataSvc DEBUG initInputMetaDataStore: file name FID:F2313678-C96A-964F-89E8-08BAB39F2DA7 +Domain[ROOT_All] INFO -> Access DbDatabase READ [ROOT_All] F2313678-C96A-964F-89E8-08BAB39F2DA7 +Domain[ROOT_All] INFO SimplePoolFile1.root SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 ##Shapes DEBUG Opened container ##Shapes of type ROOT_Tree -SimplePoolFile1... DEBUG --->Reading Shape[0 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[0 , C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:EventInfo_p4 Typ:EventInfo_p4 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[1 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[1 , 6BB89FA1-EB62-4641-97CA-3F8DB6588053]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:ExampleHitContainer_p1 Typ:ExampleHitContainer_p1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[2 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[2 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[3 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[3 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[4 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[4 , E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:Token Typ:Token [18] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[5 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[5 , BBACA313-D7B0-3A4C-9161-089CACF4B1CC]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:unsigned int Typ:unsigned int [3] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[6 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[6 , BEE2BECF-A936-4078-9FDD-AD703C9ADF9F]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:xAOD::FileMetaDataAuxInfo_v1 Typ:xAOD::FileMetaDataAuxInfo_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[7 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[7 , 11DF1B8C-0DEE-4687-80D7-E74B520ACBB4]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:EventStreamInfo_p3 Typ:EventStreamInfo_p3 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[8 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[8 , C87E3828-4A7A-480A-95DE-0339539F6A0F]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:xAOD::FileMetaData_v1 Typ:xAOD::FileMetaData_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[9 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[9 , 0EFE2D2C-9E78-441D-9A87-9EE2B908AC81]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:xAOD::EventFormat_v1 Typ:xAOD::EventFormat_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[10 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[10 , 6C2DE6DF-6D52-43F6-B435-9F29812F40C0]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:IOVMetaDataContainer_p1 Typ:IOVMetaDataContainer_p1 [21] Size:0 Offset:0 #Elements:1 ##Shapes DEBUG No objects passing selection criteria... Container has 11 Entries in total. SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_All] ##Links ##Links DEBUG Opening ##Links DEBUG attributes# = 1 ##Links DEBUG Opened container ##Links of type ROOT_Tree -SimplePoolFile1... DEBUG --->Reading Assoc:????/##Params [200] (2 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/CollectionTree(ExampleHitContainer_p1/MyHits) [203] (4 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLContainer(DataHeader) [203] (5 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(Token) [202] (7 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(RunNumber) [202] (8 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventNumber) [202] (9 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(MagicNumber) [202] (a , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (b , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaData(EventStreamInfo_p3/Stream1) [203] (c , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (d , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [203] (e , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (f , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaDataHdr(DataHeader) [203] (10 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaDataHdrForm(DataHeaderForm) [203] (11 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/##Params [200] (2 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/CollectionTree(ExampleHitContainer_p1/MyHits) [203] (4 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:6BB89FA1-EB62-4641-97CA-3F8DB6588053 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLContainer(DataHeader) [203] (5 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(Token) [202] (7 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(RunNumber) [202] (8 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(EventNumber) [202] (9 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(MagicNumber) [202] (a , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (b , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BEE2BECF-A936-4078-9FDD-AD703C9ADF9F +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(EventStreamInfo_p3/Stream1) [203] (c , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:11DF1B8C-0DEE-4687-80D7-E74B520ACBB4 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (d , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:C87E3828-4A7A-480A-95DE-0339539F6A0F +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [203] (e , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:0EFE2D2C-9E78-441D-9A87-9EE2B908AC81 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (f , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:6C2DE6DF-6D52-43F6-B435-9F29812F40C0 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaDataHdr(DataHeader) [203] (10 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaDataHdrForm(DataHeaderForm) [203] (11 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD ##Links DEBUG No objects passing selection criteria... Container has 16 Entries in total. SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_All] ##Params ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -SimplePoolFile1... DEBUG --->Reading Param:FID=[????] +SimplePoolFile1... DEBUG --->Reading Param:FID=[F2313678-C96A-964F-89E8-08BAB39F2DA7] SimplePoolFile1... DEBUG --->Reading Param:PFN=[SimplePoolFile1.root] SimplePoolFile1... DEBUG --->Reading Param:POOL_VSN=[1.1] SimplePoolFile1... DEBUG --->Reading Param:FORMAT_VSN=[1.1] ##Params DEBUG No objects passing selection criteria... Container has 4 Entries in total. -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdr(DataHeader) +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdr(DataHeader) MetaDataHdr(Dat... DEBUG Opening MetaDataHdr(Dat... DEBUG attributes# = 1 MetaDataHdr(Dat... DEBUG Branch container 'DataHeader' MetaDataHdr(Dat... DEBUG Opened container MetaDataHdr(DataHeader) of type ROOT_Tree -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdrForm(DataHeaderForm) +ClassIDSvc INFO getRegistryEntries: read 1725 CLIDRegistry entries for module ALL +EventPersistenc... INFO Added successfully Conversion service:AthenaPoolCnvSvc +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdrForm(DataHeaderForm) MetaDataHdrForm... DEBUG Opening MetaDataHdrForm... DEBUG attributes# = 1 MetaDataHdrForm... DEBUG Branch container 'DataHeaderForm' MetaDataHdrForm... DEBUG Opened container MetaDataHdrForm(DataHeaderForm) of type ROOT_Tree MetaDataSvc DEBUG Loaded input meta data store proxies -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaData(IOVMetaDataContainer_p1//TagInfo) +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaData(IOVMetaDataContainer_p1//TagInfo) MetaData(IOVMet... DEBUG Opening MetaData(IOVMet... DEBUG attributes# = 1 MetaData(IOVMet... DEBUG Branch container 'IOVMetaDataContainer_p1__TagInfo' MetaData(IOVMet... DEBUG Opened container MetaData(IOVMetaDataContainer_p1//TagInfo) of type ROOT_Tree +ClassIDSvc INFO getRegistryEntries: read 8 CLIDRegistry entries for module ALL MetaDataSvc DEBUG Registering all Tools in ToolHandleArray MetaDataTools MetaDataSvc DEBUG Adding public ToolHandle tool ToolSvc.IOVDbMetaDataTool (IOVDbMetaDataTool) +MetaDataSvc INFO AlgTool: ToolSvc.IOVDbMetaDataTool +AthenaPoolAddre... DEBUG Property update for OutputLevel : new value = 2 +AthenaPoolAddre... DEBUG Service base class initialized successfully AthenaPoolAddre... DEBUG Cannot retrieve DataHeader from DetectorStore. EventInfoCnvAlg... INFO Beam conditions service not available EventInfoCnvAlg... INFO Will not fill beam spot information into xAOD::EventInfo +ReadData DEBUG Property update for OutputLevel : new value = 2 ReadData INFO in initialize() +ReadData DEBUG input handles: 3 +ReadData DEBUG output handles: 0 +ReadData DEBUG Data Deps for ReadData + + INPUT ( 'DataHeader' , 'StoreGateSvc+EventSelector' ) + INPUT ( 'ExampleHitContainer' , 'StoreGateSvc+MyHits' ) + INPUT ( 'ExampleTrackContainer' , 'StoreGateSvc+MyTracks' ) +ReWriteData DEBUG Property update for OutputLevel : new value = 2 ReWriteData INFO in initialize() +ReWriteData DEBUG input handles: 1 +ReWriteData DEBUG output handles: 1 +ReWriteData DEBUG Data Deps for ReWriteData + INPUT ( 'ExampleHitContainer' , 'StoreGateSvc+MyHits' ) + OUTPUT ( 'ExampleTrackContainer' , 'StoreGateSvc+MyTracks' ) WriteTag INFO in initialize() MagicWriteTag INFO in initialize() +Stream1 DEBUG Property update for OutputLevel : new value = 2 +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 Stream1 DEBUG In initialize Stream1 DEBUG Found IDecisionSvc. DecisionSvc INFO Inserting stream: Stream1 with no Algs @@ -124,16 +181,32 @@ Stream1 DEBUG End initialize Stream1 DEBUG In initialize Stream1 DEBUG Found StoreGateSvc store. Stream1 DEBUG Found MetaDataStore store. +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 Stream1.Stream1... INFO Initializing Stream1.Stream1Tool +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +Stream1.FileMet... DEBUG Property update for OutputLevel : new value = 2 +TagInfoMgr INFO AlgTool: TagInfoMgr.IOVDbMetaDataTool Stream1.FileMet... DEBUG Creating new xAOD::FileMetaData object to fill +Stream1.Thinnin... DEBUG Property update for OutputLevel : new value = 2 +Stream1 INFO Found HelperTools = PrivateToolHandleArray(['MakeEventStreamInfo/Stream1_MakeEventStreamInfo','xAODMaker::EventFormatStreamHelperTool/Stream1_MakeEventFormat','xAODMaker::FileMetaDataCreatorTool/FileMetaDataCreatorTool','Athena::ThinningCacheTool/ThinningCacheTool_Stream1']) Stream1 INFO Data output: SimplePoolFile3.root -Stream1 INFO ../O reinitialization... +Stream1 INFO I/O reinitialization... +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +ClassIDSvc INFO getRegistryEntries: read 755 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 6 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 68 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 6 CLIDRegistry entries for module ALL Stream1 DEBUG End initialize +Stream1 DEBUG input handles: 0 +Stream1 DEBUG output handles: 2 Stream1 DEBUG Registering all Tools in ToolHandleArray HelperTools Stream1 DEBUG Adding private ToolHandle tool Stream1.Stream1_MakeEventStreamInfo (MakeEventStreamInfo) Stream1 DEBUG Adding private ToolHandle tool Stream1.Stream1_MakeEventFormat (xAODMaker::EventFormatStreamHelperTool) Stream1 DEBUG Adding private ToolHandle tool Stream1.FileMetaDataCreatorTool (xAODMaker::FileMetaDataCreatorTool) +Stream1 DEBUG Adding private ToolHandle tool Stream1.ThinningCacheTool_Stream1 (Athena::ThinningCacheTool) Stream1 DEBUG Adding private ToolHandle tool Stream1.Stream1Tool (AthenaOutputStreamTool) +Stream1 DEBUG Data Deps for Stream1 + INPUT ( 'AthenaAttributeList' , 'StoreGateSvc+MagicTag' ) + OUTPUT ( 'DataHeader' , 'StoreGateSvc+Stream1' ) + OUTPUT ( 'SG::CompressionInfo' , 'StoreGateSvc+CompressionInfo_Stream1' ) @@ -154,15 +227,15 @@ MetaDataSvc DEBUG Loaded input meta data store proxies MetaDataSvc DEBUG calling beginInputFile for ToolSvc.IOVDbMetaDataTool EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000000]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000000]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000000] -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] POOLContainer(DataHeader) +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000] +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] POOLContainer(DataHeader) POOLContainer(D... DEBUG Opening POOLContainer(D... DEBUG attributes# = 1 POOLContainer(D... DEBUG Branch container 'DataHeader' POOLContainer(D... DEBUG Opened container POOLContainer(DataHeader) of type ROOT_Tree -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] POOLContainerForm(DataHeaderForm) +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] POOLContainerForm(DataHeaderForm) POOLContainerFo... DEBUG Opening POOLContainerFo... DEBUG attributes# = 1 POOLContainerFo... DEBUG Branch container 'DataHeaderForm' @@ -170,18 +243,21 @@ POOLContainerFo... DEBUG Opened container POOLContainerForm(DataHeaderForm) of AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] CollectionTree(EventInfo_p4/McEventInfo) +AlgResourcePool INFO TopAlg list empty. Recovering the one of Application Manager +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] CollectionTree(EventInfo_p4/McEventInfo) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'EventInfo_p4_McEventInfo' CollectionTree(... DEBUG Opened container CollectionTree(EventInfo_p4/McEventInfo) of type ROOT_Tree +AthenaPoolConve... INFO massageEventInfo: unable to get OverrideRunNumberFromInput property from EventSelector AthenaEventLoopMgr INFO ===>>> start of run 1 <<<=== IOVDbSvc INFO Only 5 POOL conditions files will be open at once IOVDbSvc INFO Initialised with 1 connections and 0 folders IOVDbSvc INFO Service IOVDbSvc initialised successfully +IOVDbSvc INFO AlgTool: ToolSvc.IOVDbMetaDataTool AthenaEventLoopMgr INFO ===>>> start processing event #0, run #1 0 events processed so far <<<=== ReadData DEBUG in execute() -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaData(EventStreamInfo_p3/Stream1) +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaData(EventStreamInfo_p3/Stream1) MetaData(EventS... DEBUG Opening MetaData(EventS... DEBUG attributes# = 1 MetaData(EventS... DEBUG Branch container 'EventStreamInfo_p3_Stream1' @@ -190,13 +266,16 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000000] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000000] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000] ReadData INFO EventInfo event: 0 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] CollectionTree(ExampleHitContainer_p1/MyHits) +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] CollectionTree(ExampleHitContainer_p1/MyHits) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'ExampleHitContainer_p1_MyHits' @@ -241,6 +320,7 @@ WriteTag INFO EventInfo event: 0 run: 1 WriteTag INFO registered all data MagicWriteTag INFO EventInfo event: 0 run: 1 MagicWriteTag INFO registered all data +ClassIDSvc INFO getRegistryEntries: read 253 CLIDRegistry entries for module ALL Stream1 DEBUG addItemObjects(2101,"*") called Stream1 DEBUG Key:* Stream1 DEBUG Comp Attr 0 with 7 mantissa bits. @@ -256,10 +336,15 @@ Stream1 DEBUG Added object 9103,"MyTracks" Stream1 DEBUG Collected objects: Stream1 DEBUG Object/count: EventInfo_McEventInfo, 1 Stream1 DEBUG Object/count: ExampleTrackContainer_MyTracks, 1 +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain UPDATE [ROOT_All] AthenaPoolCnvSvc DEBUG setAttribute TREE_MAX_SIZE to 1099511627776L AthenaPoolCnvSvc DEBUG setAttribute DEFAULT_SPLITLEVEL to 0 AthenaPoolCnvSvc DEBUG setAttribute STREAM_MEMBER_WISE to 1 AthenaPoolCnvSvc DEBUG setAttribute DEFAULT_BUFFERSIZE to 32000 +PersistencySvc:... DEBUG lookupPFN: SimplePoolFile3.root returned FID: 'A811B014-0297-AD47-AF4C-B75EF418982D' tech=ROOT_All +Domain[ROOT_All] INFO -> Access DbDatabase CREATE [ROOT_All] A811B014-0297-AD47-AF4C-B75EF418982D +Domain[ROOT_All] INFO SimplePoolFile3.root SimplePoolFile3... DEBUG --> Access DbContainer CREATE [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 @@ -274,51 +359,51 @@ SimplePoolFile3... DEBUG --> Access DbContainer CREATE [ROOT_All] ##Param ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/##Params [200] (2 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/##Params [200] (2 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B ##Params DEBUG No objects passing selection criteria... Container has 0 Entries in total. AthenaPoolCnvSvc DEBUG setAttribute CONTAINER_SPLITLEVEL to 0 for db: SimplePoolFile3.root and cont: TTree=POOLContainerForm(DataHeaderForm) Stream1 DEBUG connectOutput done for SimplePoolFile3.root -SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] CollectionTree(EventInfo_p4/McEventInfo) +SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] CollectionTree(EventInfo_p4/McEventInfo) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'EventInfo_p4_McEventInfo' CollectionTree(... DEBUG Opened container CollectionTree(EventInfo_p4/McEventInfo) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[0 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7 +SimplePoolFile3... DEBUG --->Adding Shape[0 , C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:EventInfo_p4 SimplePoolFile3... DEBUG ---->[0]:EventInfo_p4 Typ:EventInfo_p4 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO ExampleTrackContainer_p1 [????] -SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] CollectionTree(ExampleTrackContainer_p1/MyTracks) +StorageSvc INFO ExampleTrackContainer_p1 [FF777FDA-721C-4756-BBF3-4CE28C2A3AF5] +SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] CollectionTree(ExampleTrackContainer_p1/MyTracks) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'ExampleTrackContainer_p1_MyTracks' CollectionTree(... DEBUG Opened container CollectionTree(ExampleTrackContainer_p1/MyTracks) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/CollectionTree(ExampleTrackContainer_p1/MyTracks) [203] (4 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[1 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/CollectionTree(ExampleTrackContainer_p1/MyTracks) [203] (4 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:FF777FDA-721C-4756-BBF3-4CE28C2A3AF5 +SimplePoolFile3... DEBUG --->Adding Shape[1 , FF777FDA-721C-4756-BBF3-4CE28C2A3AF5]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:ExampleTrackContainer_p1 SimplePoolFile3... DEBUG ---->[0]:ExampleTrackContainer_p1 Typ:ExampleTrackContainer_p1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLContainer(DataHeader) +SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] POOLContainer(DataHeader) POOLContainer(D... DEBUG Opening POOLContainer(D... DEBUG attributes# = 1 POOLContainer(D... DEBUG Branch container 'DataHeader' POOLContainer(D... DEBUG Opened container POOLContainer(DataHeader) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/POOLContainer(DataHeader) [203] (5 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[2 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/POOLContainer(DataHeader) [203] (5 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile3... DEBUG --->Adding Shape[2 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:DataHeader_p6 SimplePoolFile3... DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLContainerForm(DataHeaderForm) +SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] POOLContainerForm(DataHeaderForm) POOLContainerFo... DEBUG Opening POOLContainerFo... DEBUG attributes# = 1 POOLContainerFo... DEBUG Branch container 'DataHeaderForm' POOLContainerFo... DEBUG Opened container POOLContainerForm(DataHeaderForm) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[3 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD +SimplePoolFile3... DEBUG --->Adding Shape[3 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:DataHeaderForm_p6 SimplePoolFile3... DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(Token) @@ -326,9 +411,9 @@ POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'Token' POOLCollectionT... DEBUG Opened container POOLCollectionTree(Token) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/POOLCollectionTree(Token) [202] (7 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[4 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(Token) [202] (7 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A +SimplePoolFile3... DEBUG --->Adding Shape[4 , E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:Token SimplePoolFile3... DEBUG ---->[0]:Token Typ:Token [18] Size:0 Offset:0 #Elements:1 SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(RunNumber) @@ -336,9 +421,9 @@ POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'RunNumber' POOLCollectionT... DEBUG Opened container POOLCollectionTree(RunNumber) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/POOLCollectionTree(RunNumber) [202] (8 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[5 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(RunNumber) [202] (8 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile3... DEBUG --->Adding Shape[5 , BBACA313-D7B0-3A4C-9161-089CACF4B1CC]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:unsigned int SimplePoolFile3... DEBUG ---->[0]:unsigned int Typ:unsigned int [3] Size:0 Offset:0 #Elements:1 SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(EventNumber) @@ -346,15 +431,15 @@ POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'EventNumber' POOLCollectionT... DEBUG Opened container POOLCollectionTree(EventNumber) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/POOLCollectionTree(EventNumber) [202] (9 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(EventNumber) [202] (9 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(MagicNumber) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'MagicNumber' POOLCollectionT... DEBUG Opened container POOLCollectionTree(MagicNumber) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/POOLCollectionTree(MagicNumber) [202] (a , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(MagicNumber) [202] (a , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC MetaDataSvc DEBUG MetaDataSvc will handle EventStreamInfo ClassID: 167728019 MetaDataSvc DEBUG MetaDataSvc will handle xAOD::EventFormat_v1 ClassID: 243004407 Stream1.FileMet... DEBUG beam energy "" tag could not be converted to float @@ -366,9 +451,9 @@ Stream1.FileMet... DEBUG set xAOD::FileMetaData::dataType to Stream1 AthenaEventLoopMgr INFO ===>>> done processing event #0, run #1 1 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000001]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000001]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000001] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -378,9 +463,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000001] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000001] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001] ReadData INFO EventInfo event: 1 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -443,9 +531,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #1, run #1 2 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000002]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000002]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000002] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -455,9 +543,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000002] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000002] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002] ReadData INFO EventInfo event: 2 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -520,9 +611,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #2, run #1 3 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000003]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000003]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000003] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -532,9 +623,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000003] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000003] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003] ReadData INFO EventInfo event: 3 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -597,9 +691,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #3, run #1 4 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000004]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000004]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000004] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -609,9 +703,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000004] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000004] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004] ReadData INFO EventInfo event: 4 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -674,9 +771,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #4, run #1 5 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000005]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000005]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000005] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -686,9 +783,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000005] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000005] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005] ReadData INFO EventInfo event: 5 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -751,9 +851,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #5, run #1 6 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000006]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000006]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000006] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -763,9 +863,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000006] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000006] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006] ReadData INFO EventInfo event: 6 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -828,9 +931,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #6, run #1 7 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000007]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000007]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000007] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -840,9 +943,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000007] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000007] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007] ReadData INFO EventInfo event: 7 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -905,9 +1011,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #7, run #1 8 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000008]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000008]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000008] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -917,9 +1023,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000008] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000008] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008] ReadData INFO EventInfo event: 8 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -982,9 +1091,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #8, run #1 9 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000009]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000009]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000009] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -994,9 +1103,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000009] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000009] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009] ReadData INFO EventInfo event: 9 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -1059,9 +1171,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #9, run #1 10 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -1071,9 +1183,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000A] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000A] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A] ReadData INFO EventInfo event: 10 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -1136,9 +1251,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #10, run #1 11 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -1148,9 +1263,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000B] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000B] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B] ReadData INFO EventInfo event: 11 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -1213,9 +1331,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #11, run #1 12 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -1225,9 +1343,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000C] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000C] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C] ReadData INFO EventInfo event: 12 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -1290,9 +1411,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #12, run #1 13 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -1302,9 +1423,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000D] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000D] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D] ReadData INFO EventInfo event: 13 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -1367,9 +1491,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #13, run #1 14 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -1379,9 +1503,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000E] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000E] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E] ReadData INFO EventInfo event: 14 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -1444,9 +1571,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #14, run #1 15 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -1456,9 +1583,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000F] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000F] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F] ReadData INFO EventInfo event: 15 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -1521,9 +1651,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #15, run #1 16 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -1533,9 +1663,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000010] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000010] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010] ReadData INFO EventInfo event: 16 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -1598,9 +1731,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #16, run #1 17 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -1610,9 +1743,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000011] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000011] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011] ReadData INFO EventInfo event: 17 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -1675,9 +1811,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #17, run #1 18 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -1687,9 +1823,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000012] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000012] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012] ReadData INFO EventInfo event: 18 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -1752,9 +1891,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #18, run #1 19 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -1764,9 +1903,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000013] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000013] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013] ReadData INFO EventInfo event: 19 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -1827,10 +1969,13 @@ Stream1 DEBUG Object/count: EventInfo_McEventInfo, 20 Stream1 DEBUG Object/count: ExampleTrackContainer_MyTracks, 20 Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #19, run #1 20 events processed so far <<<=== -MetaDataSvc DEBUG handle() EndInputFile for FID:???? -MetaDataSvc DEBUG retireMetadataSource: FID:???? -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=SimplePoolFile1.root -StorageSvc DEBUG Closing database: FID=???? +MetaDataSvc DEBUG handle() EndInputFile for FID:F2313678-C96A-964F-89E8-08BAB39F2DA7 +MetaDataSvc DEBUG retireMetadataSource: FID:F2313678-C96A-964F-89E8-08BAB39F2DA7 +EventSelector INFO Disconnecting input sourceID: F2313678-C96A-964F-89E8-08BAB39F2DA7 +StorageSvc DEBUG Disconnect request for database: FID=F2313678-C96A-964F-89E8-08BAB39F2DA7 PFN=SimplePoolFile1.root +StorageSvc DEBUG Closing database: FID=F2313678-C96A-964F-89E8-08BAB39F2DA7 +Domain[ROOT_All] INFO -> Deaccess DbDatabase READ [ROOT_All] F2313678-C96A-964F-89E8-08BAB39F2DA7 +Domain[ROOT_All] INFO > Deaccess DbDomain READ [ROOT_All] AthenaEventLoopMgr INFO No more events in event selection Stream1 DEBUG AthenaOutputStream Stream1 ::stop() MetaDataSvc DEBUG MetaDataSvc::stop() @@ -1839,6 +1984,7 @@ MetaDataSvc DEBUG MetaDataSvc will handle xAOD::FileMetaData_v1 ClassID: MetaDataSvc DEBUG MetaDataSvc will handle xAOD::FileMetaDataAuxInfo_v1 ClassID: 73252552 MetaDataSvc DEBUG calling metaDataStop for ToolSvc.IOVDbMetaDataTool MetaDataSvc DEBUG Locking metadata tools +Stream1 DEBUG metadataItemList: [EventStreamInfo#Stream1, IOVMetaDataContainer#*, xAOD::EventFormat#EventFormatStream1, xAOD::FileMetaData#FileMetaData, xAOD::FileMetaDataAuxInfo#FileMetaDataAux.] Stream1 DEBUG addItemObjects(73252552,"FileMetaDataAux.") called Stream1 DEBUG Key:FileMetaDataAux. Stream1 DEBUG Comp Attr 0 with 7 mantissa bits. @@ -1871,91 +2017,94 @@ MetaDataSvc DEBUG Not translating metadata item ID #1316383046 Stream1 DEBUG Added object 1316383046,"/TagInfo" Stream1 DEBUG connectOutput done for SimplePoolFile3.root StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO xAOD::FileMetaDataAuxInfo_v1 [????] -SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) +StorageSvc INFO xAOD::FileMetaDataAuxInfo_v1 [BEE2BECF-A936-4078-9FDD-AD703C9ADF9F] +SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) MetaData(xAOD::... DEBUG Opening MetaData(xAOD::... DEBUG attributes# = 1 MetaData(xAOD::... DEBUG Branch container 'xAOD::FileMetaDataAuxInfo_v1_FileMetaDataAux.' MetaData(xAOD::... DEBUG Opened container MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (b , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[6 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (b , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:BEE2BECF-A936-4078-9FDD-AD703C9ADF9F +SimplePoolFile3... DEBUG --->Adding Shape[6 , BEE2BECF-A936-4078-9FDD-AD703C9ADF9F]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:xAOD::FileMetaDataAuxInfo_v1 SimplePoolFile3... DEBUG ---->[0]:xAOD::FileMetaDataAuxInfo_v1 Typ:xAOD::FileMetaDataAuxInfo_v1 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO EventStreamInfo_p3 [????] -SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(EventStreamInfo_p3/Stream1) +StorageSvc INFO EventStreamInfo_p3 [11DF1B8C-0DEE-4687-80D7-E74B520ACBB4] +SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(EventStreamInfo_p3/Stream1) MetaData(EventS... DEBUG Opening MetaData(EventS... DEBUG attributes# = 1 MetaData(EventS... DEBUG Branch container 'EventStreamInfo_p3_Stream1' MetaData(EventS... DEBUG Opened container MetaData(EventStreamInfo_p3/Stream1) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/MetaData(EventStreamInfo_p3/Stream1) [203] (c , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[7 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/MetaData(EventStreamInfo_p3/Stream1) [203] (c , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:11DF1B8C-0DEE-4687-80D7-E74B520ACBB4 +SimplePoolFile3... DEBUG --->Adding Shape[7 , 11DF1B8C-0DEE-4687-80D7-E74B520ACBB4]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:EventStreamInfo_p3 SimplePoolFile3... DEBUG ---->[0]:EventStreamInfo_p3 Typ:EventStreamInfo_p3 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO xAOD::FileMetaData_v1 [????] -SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(xAOD::FileMetaData_v1/FileMetaData) +StorageSvc INFO xAOD::FileMetaData_v1 [C87E3828-4A7A-480A-95DE-0339539F6A0F] +SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(xAOD::FileMetaData_v1/FileMetaData) MetaData(xAOD::... DEBUG Opening MetaData(xAOD::... DEBUG attributes# = 1 MetaData(xAOD::... DEBUG Branch container 'xAOD::FileMetaData_v1_FileMetaData' MetaData(xAOD::... DEBUG Opened container MetaData(xAOD::FileMetaData_v1/FileMetaData) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (d , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[8 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (d , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:C87E3828-4A7A-480A-95DE-0339539F6A0F +SimplePoolFile3... DEBUG --->Adding Shape[8 , C87E3828-4A7A-480A-95DE-0339539F6A0F]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:xAOD::FileMetaData_v1 SimplePoolFile3... DEBUG ---->[0]:xAOD::FileMetaData_v1 Typ:xAOD::FileMetaData_v1 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO xAOD::EventFormat_v1 [????] -SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(xAOD::EventFormat_v1/EventFormatStream1) +StorageSvc INFO xAOD::EventFormat_v1 [0EFE2D2C-9E78-441D-9A87-9EE2B908AC81] +SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(xAOD::EventFormat_v1/EventFormatStream1) MetaData(xAOD::... DEBUG Opening MetaData(xAOD::... DEBUG attributes# = 1 MetaData(xAOD::... DEBUG Branch container 'xAOD::EventFormat_v1_EventFormatStream1' MetaData(xAOD::... DEBUG Opened container MetaData(xAOD::EventFormat_v1/EventFormatStream1) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [203] (e , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[9 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [203] (e , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:0EFE2D2C-9E78-441D-9A87-9EE2B908AC81 +SimplePoolFile3... DEBUG --->Adding Shape[9 , 0EFE2D2C-9E78-441D-9A87-9EE2B908AC81]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:xAOD::EventFormat_v1 SimplePoolFile3... DEBUG ---->[0]:xAOD::EventFormat_v1 Typ:xAOD::EventFormat_v1 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO IOVMetaDataContainer_p1 [????] -SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(IOVMetaDataContainer_p1//TagInfo) +StorageSvc INFO IOVMetaDataContainer_p1 [6C2DE6DF-6D52-43F6-B435-9F29812F40C0] +SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(IOVMetaDataContainer_p1//TagInfo) MetaData(IOVMet... DEBUG Opening MetaData(IOVMet... DEBUG attributes# = 1 MetaData(IOVMet... DEBUG Branch container 'IOVMetaDataContainer_p1__TagInfo' MetaData(IOVMet... DEBUG Opened container MetaData(IOVMetaDataContainer_p1//TagInfo) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (f , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[10 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (f , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:6C2DE6DF-6D52-43F6-B435-9F29812F40C0 +SimplePoolFile3... DEBUG --->Adding Shape[10 , 6C2DE6DF-6D52-43F6-B435-9F29812F40C0]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:IOVMetaDataContainer_p1 SimplePoolFile3... DEBUG ---->[0]:IOVMetaDataContainer_p1 Typ:IOVMetaDataContainer_p1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaDataHdr(DataHeader) +SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaDataHdr(DataHeader) MetaDataHdr(Dat... DEBUG Opening MetaDataHdr(Dat... DEBUG attributes# = 1 MetaDataHdr(Dat... DEBUG Branch container 'DataHeader' MetaDataHdr(Dat... DEBUG Opened container MetaDataHdr(DataHeader) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/MetaDataHdr(DataHeader) [203] (10 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaDataHdrForm(DataHeaderForm) +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/MetaDataHdr(DataHeader) [203] (10 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaDataHdrForm(DataHeaderForm) MetaDataHdrForm... DEBUG Opening MetaDataHdrForm... DEBUG attributes# = 1 MetaDataHdrForm... DEBUG Branch container 'DataHeaderForm' MetaDataHdrForm... DEBUG Opened container MetaDataHdrForm(DataHeaderForm) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/MetaDataHdrForm(DataHeaderForm) [203] (11 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/MetaDataHdrForm(DataHeaderForm) [203] (11 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD MetaData(xAOD::... DEBUG SG::IAuxStoreIO* detected in xAOD::FileMetaDataAuxInfo_v1_FileMetaDataAux. MetaData(xAOD::... DEBUG Attributes= 1 MetaData(xAOD::... DEBUG Creating branch for new dynamic attribute, Id=52: type=float, mcProcID MetaData(xAOD::... DEBUG createBasicAuxBranch: xAOD::FileMetaDataAuxInfo_v1_FileMetaDataAuxDyn.mcProcID, leaf:mcProcID/F +ClassIDSvc INFO getRegistryEntries: read 18 CLIDRegistry entries for module ALL Stream1 INFO Metadata records written: 21 MetaDataSvc DEBUG Unlocking metadata tools Stream1 DEBUG Leaving incident handler for MetaDataStop PoolSvc DEBUG Disconnect request for contextId=0 PoolSvc DEBUG Disconnected PersistencySvc session PoolSvc DEBUG Disconnect request for contextId=1 -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=SimplePoolFile3.root -StorageSvc DEBUG Closing database: FID=???? +StorageSvc DEBUG Disconnect request for database: FID=A811B014-0297-AD47-AF4C-B75EF418982D PFN=SimplePoolFile3.root +StorageSvc DEBUG Closing database: FID=A811B014-0297-AD47-AF4C-B75EF418982D +Domain[ROOT_All] INFO -> Deaccess DbDatabase CREATE [ROOT_All] A811B014-0297-AD47-AF4C-B75EF418982D +Domain[ROOT_All] INFO > Deaccess DbDomain UPDATE [ROOT_All] PoolSvc DEBUG Disconnected PersistencySvc session ApplicationMgr INFO Application Manager Stopped successfully ReadData INFO in finalize() @@ -1965,11 +2114,23 @@ MagicWriteTag INFO in finalize() Stream1 DEBUG finalize: Optimize output PoolSvc DEBUG Disconnect request for contextId=1 Stream1 DEBUG finalize: end optimize output +IOVDbSvc INFO bytes in (( 0.00 ))s +IOVDbSvc INFO Connection sqlite://;schema=cooldummy.db;dbname=OFLP200 : nConnect: 0 nFolders: 0 ReadTime: (( 0.00 ))s +ReadData DEBUG Calling destructor +ReWriteData DEBUG Calling destructor +DecisionSvc INFO Finalized successfully. AthDictLoaderSvc INFO in finalize... ToolSvc INFO Removing all tools created by ToolSvc *****Chrono***** INFO **************************************************************************************************** *****Chrono***** INFO The Final CPU consumption ( Chrono ) Table (ordered) *****Chrono***** INFO **************************************************************************************************** +commitOutput INFO Time User : Tot= 0 [us] Ave/Min/Max= 0(+- 0)/ 0/ 0 [us] #= 21 +cRep_ALL INFO Time User : Tot= 0 [us] Ave/Min/Max= 0(+- 0)/ 0/ 0 [us] #= 66 +cObj_ALL INFO Time User : Tot= 10 [ms] Ave/Min/Max= 0.156(+- 1.24)/ 0/ 10 [ms] #= 64 +cObjR_ALL INFO Time User : Tot= 10 [ms] Ave/Min/Max= 0.152(+- 1.22)/ 0/ 10 [ms] #= 66 +cRepR_ALL INFO Time User : Tot= 10 [ms] Ave/Min/Max= 0.0676(+- 0.819)/ 0/ 10 [ms] #=148 +fRep_ALL INFO Time User : Tot= 30 [ms] Ave/Min/Max= 0.455(+- 2.08)/ 0/ 10 [ms] #= 66 +ChronoStatSvc INFO Time User : Tot= 340 [ms] #= 1 *****Chrono***** INFO **************************************************************************************************** ChronoStatSvc.f... INFO Service finalized successfully ApplicationMgr INFO Application Manager Finalized successfully diff --git a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_ReWriteAgain.ref b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_ReWriteAgain.ref index 68fab88d6c14ba5dd97e6d2022435e2cbf41473e..46687154f406b5426162973e8d858504dde2f85b 100644 --- a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_ReWriteAgain.ref +++ b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_ReWriteAgain.ref @@ -1,146 +1,203 @@ +Mon Oct 18 10:23:35 CDT 2021 +Preloading tcmalloc_minimal.so +Athena INFO including file "AthenaCommon/Preparation.py" +Athena INFO including file "AthenaCommon/Atlas.UnixStandardJob.py" Athena INFO executing ROOT6Setup +Athena INFO including file "AthenaCommon/Execution.py" +Athena INFO including file "AthenaPoolExampleAlgorithms/AthenaPoolExample_ReWriteAgainJobOptions.py" +Py:ConfigurableDb INFO Read module info for 5082 configurables from 58 genConfDb files +Py:ConfigurableDb INFO No duplicates have been found: that's good ! +Athena INFO including file "AthenaCommon/runbatch.py" +ApplicationMgr SUCCESS +==================================================================================================================================== + Welcome to ApplicationMgr (GaudiCoreSvc v36r0) + running on atlaslogin01.hep.anl.gov on Mon Oct 18 10:23:48 2021 +==================================================================================================================================== ApplicationMgr INFO Application Manager Configured successfully AthDictLoaderSvc INFO in initialize... AthDictLoaderSvc INFO acquired Dso-registry +ClassIDSvc INFO getRegistryEntries: read 3039 CLIDRegistry entries for module ALL AthenaEventLoopMgr INFO Initializing AthenaEventLoopMgr +ClassIDSvc INFO getRegistryEntries: read 722 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 593 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 350 CLIDRegistry entries for module ALL EventInfoCnvAlg INFO Initializing EventInfoCnvAlg +MetaDataSvc DEBUG Property update for OutputLevel : new value = 2 MetaDataSvc INFO Initializing MetaDataSvc +AthenaPoolCnvSvc DEBUG Property update for OutputLevel : new value = 2 +PoolSvc DEBUG Property update for OutputLevel : new value = 2 +PoolSvc DEBUG Service base class initialized successfully +PoolSvc INFO Set connectionsvc retry/timeout/IDLE timeout to 'ConnectionRetrialPeriod':300/ 'ConnectionRetrialTimeOut':3600/ 'ConnectionTimeOut':5 seconds with connection cleanup disabled +PoolSvc INFO Frontier compression level set to 5 +DBReplicaSvc INFO Frontier server at (serverurl=http://atlasfrontier-ai.cern.ch:8000/atlr)(serverurl=http://frontier-atlas.lcg.triumf.ca:3128/ATLAS_frontier)(serverurl=http://ccfrontier.in2p3.fr:23128/ccin2p3-AtlasFrontier)(proxyurl=http://atlasbpfrontier.cern.ch:3127)(proxyurl=http://atlasbpfrontier.fnal.gov:3127) will be considered for COOL data +DBReplicaSvc INFO Read replica configuration from /users/gemmeren/workarea/build/x86_64-centos7-gcc8-opt/share/dbreplica.config +DBReplicaSvc INFO Total of 1 servers found for host atlaslogin01.hep.anl.gov [ATLF ] +PoolSvc INFO Successfully setup replica sorting algorithm PoolSvc DEBUG OutputLevel is 2 +PoolSvc INFO Setting up APR FileCatalog and Streams PoolSvc DEBUG POOL ReadCatalog is file:Catalog.xml +PoolSvc INFO POOL WriteCatalog is file:Catalog1.xml +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain READ [ROOT_All] AthenaPoolCnvSvc DEBUG Registering all Tools in ToolHandleArray OutputStreamingTool +MetaDataSvc INFO Found MetaDataTools = PublicToolHandleArray(['IOVDbMetaDataTool']) +EventSelector DEBUG Property update for OutputLevel : new value = 2 EventSelector DEBUG Initializing EventSelector +EventSelector DEBUG Service base class initialized successfully EventSelector DEBUG reinitialization... EventSelector INFO EventSelection with query EventSelector DEBUG Try item: "SimplePoolReplica1.root" from the collection list. PoolSvc DEBUG createCollection() type=RootCollection, connection=PFN:SimplePoolReplica1.root, name=SimplePoolReplica1.root, contextID=0 -MetaDataSvc DEBUG handle() FirstInputFile for FID:???? -MetaDataSvc DEBUG initInputMetaDataStore: file name FID:???? +MetaDataSvc DEBUG handle() FirstInputFile for FID:095498FF-E805-B142-9948-BD2D4AC79975 +MetaDataSvc DEBUG initInputMetaDataStore: file name FID:095498FF-E805-B142-9948-BD2D4AC79975 +Domain[ROOT_All] INFO -> Access DbDatabase READ [ROOT_All] 095498FF-E805-B142-9948-BD2D4AC79975 +Domain[ROOT_All] INFO SimplePoolReplica1.root SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 ##Shapes DEBUG Opened container ##Shapes of type ROOT_Tree -SimplePoolRepli... DEBUG --->Reading Shape[0 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Reading Shape[0 , C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7]: [1 Column(s)] SimplePoolRepli... DEBUG ---->[0]:EventInfo_p4 Typ:EventInfo_p4 [21] Size:0 Offset:0 #Elements:1 -SimplePoolRepli... DEBUG --->Reading Shape[1 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Reading Shape[1 , 6BB89FA1-EB62-4641-97CA-3F8DB6588053]: [1 Column(s)] SimplePoolRepli... DEBUG ---->[0]:ExampleHitContainer_p1 Typ:ExampleHitContainer_p1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolRepli... DEBUG --->Reading Shape[2 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Reading Shape[2 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] SimplePoolRepli... DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolRepli... DEBUG --->Reading Shape[3 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Reading Shape[3 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] SimplePoolRepli... DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolRepli... DEBUG --->Reading Shape[4 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Reading Shape[4 , E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A]: [1 Column(s)] SimplePoolRepli... DEBUG ---->[0]:Token Typ:Token [18] Size:0 Offset:0 #Elements:1 -SimplePoolRepli... DEBUG --->Reading Shape[5 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Reading Shape[5 , 13FF06C5-AB4B-6EDD-68AB-3E6350E95305]: [1 Column(s)] SimplePoolRepli... DEBUG ---->[0]:bool Typ:bool [9] Size:0 Offset:0 #Elements:1 -SimplePoolRepli... DEBUG --->Reading Shape[6 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Reading Shape[6 , BBACA313-D7B0-3A4C-9161-089CACF4B1CC]: [1 Column(s)] SimplePoolRepli... DEBUG ---->[0]:unsigned int Typ:unsigned int [3] Size:0 Offset:0 #Elements:1 -SimplePoolRepli... DEBUG --->Reading Shape[7 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Reading Shape[7 , 388BE2E0-4452-7BB9-2563-DA3365C64623]: [1 Column(s)] SimplePoolRepli... DEBUG ---->[0]:unsigned long long Typ:unsigned long long [23] Size:0 Offset:0 #Elements:1 -SimplePoolRepli... DEBUG --->Reading Shape[8 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Reading Shape[8 , 64DE6A54-6E0B-BCDF-8A08-6EF31347E768]: [1 Column(s)] SimplePoolRepli... DEBUG ---->[0]:float Typ:float [10] Size:0 Offset:0 #Elements:1 -SimplePoolRepli... DEBUG --->Reading Shape[9 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Reading Shape[9 , BEE2BECF-A936-4078-9FDD-AD703C9ADF9F]: [1 Column(s)] SimplePoolRepli... DEBUG ---->[0]:xAOD::FileMetaDataAuxInfo_v1 Typ:xAOD::FileMetaDataAuxInfo_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolRepli... DEBUG --->Reading Shape[10 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Reading Shape[10 , 11DF1B8C-0DEE-4687-80D7-E74B520ACBB4]: [1 Column(s)] SimplePoolRepli... DEBUG ---->[0]:EventStreamInfo_p3 Typ:EventStreamInfo_p3 [21] Size:0 Offset:0 #Elements:1 -SimplePoolRepli... DEBUG --->Reading Shape[11 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Reading Shape[11 , C87E3828-4A7A-480A-95DE-0339539F6A0F]: [1 Column(s)] SimplePoolRepli... DEBUG ---->[0]:xAOD::FileMetaData_v1 Typ:xAOD::FileMetaData_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolRepli... DEBUG --->Reading Shape[12 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Reading Shape[12 , 0EFE2D2C-9E78-441D-9A87-9EE2B908AC81]: [1 Column(s)] SimplePoolRepli... DEBUG ---->[0]:xAOD::EventFormat_v1 Typ:xAOD::EventFormat_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolRepli... DEBUG --->Reading Shape[13 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Reading Shape[13 , 6C2DE6DF-6D52-43F6-B435-9F29812F40C0]: [1 Column(s)] SimplePoolRepli... DEBUG ---->[0]:IOVMetaDataContainer_p1 Typ:IOVMetaDataContainer_p1 [21] Size:0 Offset:0 #Elements:1 ##Shapes DEBUG No objects passing selection criteria... Container has 14 Entries in total. SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_All] ##Links ##Links DEBUG Opening ##Links DEBUG attributes# = 1 ##Links DEBUG Opened container ##Links of type ROOT_Tree -SimplePoolRepli... DEBUG --->Reading Assoc:????/##Params [200] (2 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/CollectionTree(ExampleHitContainer_p1/MyHits) [203] (4 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/POOLContainer(DataHeader) [203] (5 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/POOLCollectionTree(Token) [202] (7 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/POOLCollectionTree(IsSimulation) [202] (8 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/POOLCollectionTree(IsCalibration) [202] (9 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/POOLCollectionTree(IsTestBeam) [202] (a , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/POOLCollectionTree(McChannel) [202] (b , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/POOLCollectionTree(RunNumber) [202] (c , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventNumber) [202] (d , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/POOLCollectionTree(LumiBlockN) [202] (e , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/POOLCollectionTree(ConditionsRun) [202] (f , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventTime) [202] (10 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventTimeNanoSec) [202] (11 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/POOLCollectionTree(BunchId) [202] (12 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventWeight) [202] (13 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (14 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/MetaData(EventStreamInfo_p3/Stream1) [203] (15 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (16 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [203] (17 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (18 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/MetaDataHdr(DataHeader) [203] (19 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/MetaDataHdrForm(DataHeaderForm) [203] (1a , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/##Params [200] (2 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7 +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/CollectionTree(ExampleHitContainer_p1/MyHits) [203] (4 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:6BB89FA1-EB62-4641-97CA-3F8DB6588053 +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/POOLContainer(DataHeader) [203] (5 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(Token) [202] (7 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(IsSimulation) [202] (8 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:13FF06C5-AB4B-6EDD-68AB-3E6350E95305 +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(IsCalibration) [202] (9 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:13FF06C5-AB4B-6EDD-68AB-3E6350E95305 +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(IsTestBeam) [202] (a , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:13FF06C5-AB4B-6EDD-68AB-3E6350E95305 +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(McChannel) [202] (b , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(RunNumber) [202] (c , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(EventNumber) [202] (d , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:388BE2E0-4452-7BB9-2563-DA3365C64623 +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(LumiBlockN) [202] (e , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(ConditionsRun) [202] (f , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(EventTime) [202] (10 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(EventTimeNanoSec) [202] (11 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(BunchId) [202] (12 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(EventWeight) [202] (13 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:64DE6A54-6E0B-BCDF-8A08-6EF31347E768 +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (14 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:BEE2BECF-A936-4078-9FDD-AD703C9ADF9F +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/MetaData(EventStreamInfo_p3/Stream1) [203] (15 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:11DF1B8C-0DEE-4687-80D7-E74B520ACBB4 +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (16 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:C87E3828-4A7A-480A-95DE-0339539F6A0F +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [203] (17 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:0EFE2D2C-9E78-441D-9A87-9EE2B908AC81 +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (18 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:6C2DE6DF-6D52-43F6-B435-9F29812F40C0 +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/MetaDataHdr(DataHeader) [203] (19 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/MetaDataHdrForm(DataHeaderForm) [203] (1a , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD ##Links DEBUG No objects passing selection criteria... Container has 25 Entries in total. SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_All] ##Params ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -SimplePoolRepli... DEBUG --->Reading Param:FID=[????] +SimplePoolRepli... DEBUG --->Reading Param:FID=[095498FF-E805-B142-9948-BD2D4AC79975] SimplePoolRepli... DEBUG --->Reading Param:PFN=[SimplePoolReplica1.root] SimplePoolRepli... DEBUG --->Reading Param:POOL_VSN=[1.1] SimplePoolRepli... DEBUG --->Reading Param:FORMAT_VSN=[1.1] ##Params DEBUG No objects passing selection criteria... Container has 4 Entries in total. -SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdr(DataHeader) +SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdr(DataHeader) MetaDataHdr(Dat... DEBUG Opening MetaDataHdr(Dat... DEBUG attributes# = 1 MetaDataHdr(Dat... DEBUG Branch container 'DataHeader' MetaDataHdr(Dat... DEBUG Opened container MetaDataHdr(DataHeader) of type ROOT_Tree -SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdrForm(DataHeaderForm) +ClassIDSvc INFO getRegistryEntries: read 1725 CLIDRegistry entries for module ALL +EventPersistenc... INFO Added successfully Conversion service:AthenaPoolCnvSvc +SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdrForm(DataHeaderForm) MetaDataHdrForm... DEBUG Opening MetaDataHdrForm... DEBUG attributes# = 1 MetaDataHdrForm... DEBUG Branch container 'DataHeaderForm' MetaDataHdrForm... DEBUG Opened container MetaDataHdrForm(DataHeaderForm) of type ROOT_Tree MetaDataSvc DEBUG Loaded input meta data store proxies -SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaData(IOVMetaDataContainer_p1//TagInfo) +SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaData(IOVMetaDataContainer_p1//TagInfo) MetaData(IOVMet... DEBUG Opening MetaData(IOVMet... DEBUG attributes# = 1 MetaData(IOVMet... DEBUG Branch container 'IOVMetaDataContainer_p1__TagInfo' MetaData(IOVMet... DEBUG Opened container MetaData(IOVMetaDataContainer_p1//TagInfo) of type ROOT_Tree +ClassIDSvc INFO getRegistryEntries: read 8 CLIDRegistry entries for module ALL MetaDataSvc DEBUG Registering all Tools in ToolHandleArray MetaDataTools MetaDataSvc DEBUG Adding public ToolHandle tool ToolSvc.IOVDbMetaDataTool (IOVDbMetaDataTool) +MetaDataSvc INFO AlgTool: ToolSvc.IOVDbMetaDataTool +AthenaPoolAddre... DEBUG Property update for OutputLevel : new value = 2 +AthenaPoolAddre... DEBUG Service base class initialized successfully AthenaPoolAddre... DEBUG Cannot retrieve DataHeader from DetectorStore. EventInfoCnvAlg... INFO Beam conditions service not available EventInfoCnvAlg... INFO Will not fill beam spot information into xAOD::EventInfo +ReadData DEBUG Property update for OutputLevel : new value = 2 ReadData INFO in initialize() +ReadData DEBUG input handles: 3 +ReadData DEBUG output handles: 0 +ReadData DEBUG Data Deps for ReadData + + INPUT ( 'DataHeader' , 'StoreGateSvc+EventSelector' ) + INPUT ( 'ExampleHitContainer' , 'StoreGateSvc+MyHits' ) + INPUT ( 'ExampleTrackContainer' , 'StoreGateSvc+MyTracks' ) +ReWriteData DEBUG Property update for OutputLevel : new value = 2 ReWriteData INFO in initialize() +ReWriteData DEBUG input handles: 1 +ReWriteData DEBUG output handles: 1 +ReWriteData DEBUG Data Deps for ReWriteData + INPUT ( 'ExampleHitContainer' , 'StoreGateSvc+MyHits' ) + OUTPUT ( 'ExampleTrackContainer' , 'StoreGateSvc+MyTracks' ) WriteTag INFO in initialize() MagicWriteTag INFO in initialize() +Stream1 DEBUG Property update for OutputLevel : new value = 2 +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 Stream1 DEBUG In initialize Stream1 DEBUG Found IDecisionSvc. DecisionSvc INFO Inserting stream: Stream1 with no Algs @@ -148,16 +205,32 @@ Stream1 DEBUG End initialize Stream1 DEBUG In initialize Stream1 DEBUG Found StoreGateSvc store. Stream1 DEBUG Found MetaDataStore store. +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 Stream1.Stream1... INFO Initializing Stream1.Stream1Tool +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +Stream1.FileMet... DEBUG Property update for OutputLevel : new value = 2 +TagInfoMgr INFO AlgTool: TagInfoMgr.IOVDbMetaDataTool Stream1.FileMet... DEBUG Creating new xAOD::FileMetaData object to fill +Stream1.Thinnin... DEBUG Property update for OutputLevel : new value = 2 +Stream1 INFO Found HelperTools = PrivateToolHandleArray(['MakeEventStreamInfo/Stream1_MakeEventStreamInfo','xAODMaker::EventFormatStreamHelperTool/Stream1_MakeEventFormat','xAODMaker::FileMetaDataCreatorTool/FileMetaDataCreatorTool','Athena::ThinningCacheTool/ThinningCacheTool_Stream1']) Stream1 INFO Data output: SimplePoolFile3.root -Stream1 INFO ../O reinitialization... +Stream1 INFO I/O reinitialization... +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +ClassIDSvc INFO getRegistryEntries: read 755 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 6 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 68 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 6 CLIDRegistry entries for module ALL Stream1 DEBUG End initialize +Stream1 DEBUG input handles: 0 +Stream1 DEBUG output handles: 2 Stream1 DEBUG Registering all Tools in ToolHandleArray HelperTools Stream1 DEBUG Adding private ToolHandle tool Stream1.Stream1_MakeEventStreamInfo (MakeEventStreamInfo) Stream1 DEBUG Adding private ToolHandle tool Stream1.Stream1_MakeEventFormat (xAODMaker::EventFormatStreamHelperTool) Stream1 DEBUG Adding private ToolHandle tool Stream1.FileMetaDataCreatorTool (xAODMaker::FileMetaDataCreatorTool) +Stream1 DEBUG Adding private ToolHandle tool Stream1.ThinningCacheTool_Stream1 (Athena::ThinningCacheTool) Stream1 DEBUG Adding private ToolHandle tool Stream1.Stream1Tool (AthenaOutputStreamTool) +Stream1 DEBUG Data Deps for Stream1 + INPUT ( 'AthenaAttributeList' , 'StoreGateSvc+MagicTag' ) + OUTPUT ( 'DataHeader' , 'StoreGateSvc+Stream1' ) + OUTPUT ( 'SG::CompressionInfo' , 'StoreGateSvc+CompressionInfo_Stream1' ) @@ -178,15 +251,15 @@ MetaDataSvc DEBUG Loaded input meta data store proxies MetaDataSvc DEBUG calling beginInputFile for ToolSvc.IOVDbMetaDataTool EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000000]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000000]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000000] -SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_Tree] POOLContainer(DataHeader) +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000] +SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] POOLContainer(DataHeader) POOLContainer(D... DEBUG Opening POOLContainer(D... DEBUG attributes# = 1 POOLContainer(D... DEBUG Branch container 'DataHeader' POOLContainer(D... DEBUG Opened container POOLContainer(DataHeader) of type ROOT_Tree -SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_Tree] POOLContainerForm(DataHeaderForm) +SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] POOLContainerForm(DataHeaderForm) POOLContainerFo... DEBUG Opening POOLContainerFo... DEBUG attributes# = 1 POOLContainerFo... DEBUG Branch container 'DataHeaderForm' @@ -194,18 +267,21 @@ POOLContainerFo... DEBUG Opened container POOLContainerForm(DataHeaderForm) of AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits +AlgResourcePool INFO TopAlg list empty. Recovering the one of Application Manager AthenaEventLoopMgr INFO ===>>> start of run 1 <<<=== IOVDbSvc INFO Only 5 POOL conditions files will be open at once IOVDbSvc INFO Initialised with 1 connections and 0 folders IOVDbSvc INFO Service IOVDbSvc initialised successfully -SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_Tree] CollectionTree(EventInfo_p4/McEventInfo) +IOVDbSvc INFO AlgTool: ToolSvc.IOVDbMetaDataTool +SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] CollectionTree(EventInfo_p4/McEventInfo) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'EventInfo_p4_McEventInfo' CollectionTree(... DEBUG Opened container CollectionTree(EventInfo_p4/McEventInfo) of type ROOT_Tree +AthenaPoolConve... INFO massageEventInfo: unable to get OverrideRunNumberFromInput property from EventSelector AthenaEventLoopMgr INFO ===>>> start processing event #0, run #1 0 events processed so far <<<=== ReadData DEBUG in execute() -SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaData(EventStreamInfo_p3/Stream1) +SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaData(EventStreamInfo_p3/Stream1) MetaData(EventS... DEBUG Opening MetaData(EventS... DEBUG attributes# = 1 MetaData(EventS... DEBUG Branch container 'EventStreamInfo_p3_Stream1' @@ -214,13 +290,16 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000000] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000000] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000] ReadData INFO EventInfo event: 0 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks -SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_Tree] CollectionTree(ExampleHitContainer_p1/MyHits) +SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] CollectionTree(ExampleHitContainer_p1/MyHits) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'ExampleHitContainer_p1_MyHits' @@ -265,6 +344,7 @@ WriteTag INFO EventInfo event: 0 run: 1 WriteTag INFO registered all data MagicWriteTag INFO EventInfo event: 0 run: 1 MagicWriteTag INFO registered all data +ClassIDSvc INFO getRegistryEntries: read 253 CLIDRegistry entries for module ALL Stream1 DEBUG addItemObjects(2101,"*") called Stream1 DEBUG Key:* Stream1 DEBUG Comp Attr 0 with 7 mantissa bits. @@ -280,10 +360,15 @@ Stream1 DEBUG Added object 9103,"MyTracks" Stream1 DEBUG Collected objects: Stream1 DEBUG Object/count: EventInfo_McEventInfo, 1 Stream1 DEBUG Object/count: ExampleTrackContainer_MyTracks, 1 +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain UPDATE [ROOT_All] AthenaPoolCnvSvc DEBUG setAttribute TREE_MAX_SIZE to 1099511627776L AthenaPoolCnvSvc DEBUG setAttribute DEFAULT_SPLITLEVEL to 0 AthenaPoolCnvSvc DEBUG setAttribute STREAM_MEMBER_WISE to 1 AthenaPoolCnvSvc DEBUG setAttribute DEFAULT_BUFFERSIZE to 32000 +PersistencySvc:... DEBUG lookupPFN: SimplePoolFile3.root returned FID: 'A811B014-0297-AD47-AF4C-B75EF418982D' tech=ROOT_All +Domain[ROOT_All] INFO -> Access DbDatabase CREATE [ROOT_All] A811B014-0297-AD47-AF4C-B75EF418982D +Domain[ROOT_All] INFO SimplePoolFile3.root SimplePoolFile3... DEBUG --> Access DbContainer CREATE [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 @@ -298,51 +383,51 @@ SimplePoolFile3... DEBUG --> Access DbContainer CREATE [ROOT_All] ##Param ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/##Params [200] (2 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/##Params [200] (2 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B ##Params DEBUG No objects passing selection criteria... Container has 0 Entries in total. AthenaPoolCnvSvc DEBUG setAttribute CONTAINER_SPLITLEVEL to 0 for db: SimplePoolFile3.root and cont: TTree=POOLContainerForm(DataHeaderForm) Stream1 DEBUG connectOutput done for SimplePoolFile3.root -SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] CollectionTree(EventInfo_p4/McEventInfo) +SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] CollectionTree(EventInfo_p4/McEventInfo) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'EventInfo_p4_McEventInfo' CollectionTree(... DEBUG Opened container CollectionTree(EventInfo_p4/McEventInfo) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[0 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7 +SimplePoolFile3... DEBUG --->Adding Shape[0 , C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:EventInfo_p4 SimplePoolFile3... DEBUG ---->[0]:EventInfo_p4 Typ:EventInfo_p4 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO ExampleTrackContainer_p1 [????] -SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] CollectionTree(ExampleTrackContainer_p1/MyTracks) +StorageSvc INFO ExampleTrackContainer_p1 [FF777FDA-721C-4756-BBF3-4CE28C2A3AF5] +SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] CollectionTree(ExampleTrackContainer_p1/MyTracks) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'ExampleTrackContainer_p1_MyTracks' CollectionTree(... DEBUG Opened container CollectionTree(ExampleTrackContainer_p1/MyTracks) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/CollectionTree(ExampleTrackContainer_p1/MyTracks) [203] (4 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[1 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/CollectionTree(ExampleTrackContainer_p1/MyTracks) [203] (4 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:FF777FDA-721C-4756-BBF3-4CE28C2A3AF5 +SimplePoolFile3... DEBUG --->Adding Shape[1 , FF777FDA-721C-4756-BBF3-4CE28C2A3AF5]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:ExampleTrackContainer_p1 SimplePoolFile3... DEBUG ---->[0]:ExampleTrackContainer_p1 Typ:ExampleTrackContainer_p1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLContainer(DataHeader) +SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] POOLContainer(DataHeader) POOLContainer(D... DEBUG Opening POOLContainer(D... DEBUG attributes# = 1 POOLContainer(D... DEBUG Branch container 'DataHeader' POOLContainer(D... DEBUG Opened container POOLContainer(DataHeader) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/POOLContainer(DataHeader) [203] (5 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[2 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/POOLContainer(DataHeader) [203] (5 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile3... DEBUG --->Adding Shape[2 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:DataHeader_p6 SimplePoolFile3... DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLContainerForm(DataHeaderForm) +SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] POOLContainerForm(DataHeaderForm) POOLContainerFo... DEBUG Opening POOLContainerFo... DEBUG attributes# = 1 POOLContainerFo... DEBUG Branch container 'DataHeaderForm' POOLContainerFo... DEBUG Opened container POOLContainerForm(DataHeaderForm) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[3 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD +SimplePoolFile3... DEBUG --->Adding Shape[3 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:DataHeaderForm_p6 SimplePoolFile3... DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(Token) @@ -350,9 +435,9 @@ POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'Token' POOLCollectionT... DEBUG Opened container POOLCollectionTree(Token) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/POOLCollectionTree(Token) [202] (7 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[4 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(Token) [202] (7 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A +SimplePoolFile3... DEBUG --->Adding Shape[4 , E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:Token SimplePoolFile3... DEBUG ---->[0]:Token Typ:Token [18] Size:0 Offset:0 #Elements:1 SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(RunNumber) @@ -360,9 +445,9 @@ POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'RunNumber' POOLCollectionT... DEBUG Opened container POOLCollectionTree(RunNumber) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/POOLCollectionTree(RunNumber) [202] (8 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[5 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(RunNumber) [202] (8 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile3... DEBUG --->Adding Shape[5 , BBACA313-D7B0-3A4C-9161-089CACF4B1CC]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:unsigned int SimplePoolFile3... DEBUG ---->[0]:unsigned int Typ:unsigned int [3] Size:0 Offset:0 #Elements:1 SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(EventNumber) @@ -370,15 +455,15 @@ POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'EventNumber' POOLCollectionT... DEBUG Opened container POOLCollectionTree(EventNumber) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/POOLCollectionTree(EventNumber) [202] (9 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(EventNumber) [202] (9 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(MagicNumber) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'MagicNumber' POOLCollectionT... DEBUG Opened container POOLCollectionTree(MagicNumber) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/POOLCollectionTree(MagicNumber) [202] (a , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(MagicNumber) [202] (a , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC MetaDataSvc DEBUG MetaDataSvc will handle EventStreamInfo ClassID: 167728019 MetaDataSvc DEBUG MetaDataSvc will handle xAOD::EventFormat_v1 ClassID: 243004407 Stream1.FileMet... DEBUG beam energy "" tag could not be converted to float @@ -390,9 +475,9 @@ Stream1.FileMet... DEBUG set xAOD::FileMetaData::dataType to Stream1 AthenaEventLoopMgr INFO ===>>> done processing event #0, run #1 1 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000001]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000001]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000001] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -402,9 +487,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000001] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000001] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001] ReadData INFO EventInfo event: 1 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -467,9 +555,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #1, run #1 2 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000002]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000002]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000002] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -479,9 +567,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000002] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000002] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002] ReadData INFO EventInfo event: 2 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -544,9 +635,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #2, run #1 3 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000003]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000003]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000003] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -556,9 +647,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000003] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000003] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003] ReadData INFO EventInfo event: 3 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -621,9 +715,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #3, run #1 4 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000004]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000004]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000004] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -633,9 +727,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000004] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000004] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004] ReadData INFO EventInfo event: 4 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -698,9 +795,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #4, run #1 5 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000005]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000005]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000005] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -710,9 +807,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000005] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000005] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005] ReadData INFO EventInfo event: 5 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -775,9 +875,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #5, run #1 6 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000006]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000006]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000006] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -787,9 +887,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000006] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000006] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006] ReadData INFO EventInfo event: 6 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -852,9 +955,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #6, run #1 7 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000007]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000007]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000007] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -864,9 +967,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000007] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000007] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007] ReadData INFO EventInfo event: 7 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -929,9 +1035,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #7, run #1 8 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000008]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000008]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000008] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -941,9 +1047,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000008] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000008] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008] ReadData INFO EventInfo event: 8 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -1006,9 +1115,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #8, run #1 9 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000009]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000009]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000009] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -1018,9 +1127,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000009] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000009] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009] ReadData INFO EventInfo event: 9 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -1083,9 +1195,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #9, run #1 10 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -1095,9 +1207,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000A] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000A] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A] ReadData INFO EventInfo event: 10 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -1160,9 +1275,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #10, run #1 11 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -1172,9 +1287,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000B] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000B] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B] ReadData INFO EventInfo event: 11 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -1237,9 +1355,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #11, run #1 12 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -1249,9 +1367,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000C] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000C] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C] ReadData INFO EventInfo event: 12 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -1314,9 +1435,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #12, run #1 13 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -1326,9 +1447,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000D] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000D] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D] ReadData INFO EventInfo event: 13 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -1391,9 +1515,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #13, run #1 14 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -1403,9 +1527,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000E] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000E] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E] ReadData INFO EventInfo event: 14 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -1468,9 +1595,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #14, run #1 15 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -1480,9 +1607,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000F] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000F] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F] ReadData INFO EventInfo event: 15 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -1545,9 +1675,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #15, run #1 16 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -1557,9 +1687,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000010] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000010] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010] ReadData INFO EventInfo event: 16 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -1622,9 +1755,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #16, run #1 17 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -1634,9 +1767,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000011] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000011] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011] ReadData INFO EventInfo event: 17 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -1699,9 +1835,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #17, run #1 18 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -1711,9 +1847,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000012] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000012] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012] ReadData INFO EventInfo event: 18 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -1776,9 +1915,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #18, run #1 19 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -1788,9 +1927,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000013] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000013] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013] ReadData INFO EventInfo event: 19 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -1851,10 +1993,13 @@ Stream1 DEBUG Object/count: EventInfo_McEventInfo, 20 Stream1 DEBUG Object/count: ExampleTrackContainer_MyTracks, 20 Stream1 DEBUG connectOutput done for SimplePoolFile3.root AthenaEventLoopMgr INFO ===>>> done processing event #19, run #1 20 events processed so far <<<=== -MetaDataSvc DEBUG handle() EndInputFile for FID:???? -MetaDataSvc DEBUG retireMetadataSource: FID:???? -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=SimplePoolReplica1.root -StorageSvc DEBUG Closing database: FID=???? +MetaDataSvc DEBUG handle() EndInputFile for FID:095498FF-E805-B142-9948-BD2D4AC79975 +MetaDataSvc DEBUG retireMetadataSource: FID:095498FF-E805-B142-9948-BD2D4AC79975 +EventSelector INFO Disconnecting input sourceID: 095498FF-E805-B142-9948-BD2D4AC79975 +StorageSvc DEBUG Disconnect request for database: FID=095498FF-E805-B142-9948-BD2D4AC79975 PFN=SimplePoolReplica1.root +StorageSvc DEBUG Closing database: FID=095498FF-E805-B142-9948-BD2D4AC79975 +Domain[ROOT_All] INFO -> Deaccess DbDatabase READ [ROOT_All] 095498FF-E805-B142-9948-BD2D4AC79975 +Domain[ROOT_All] INFO > Deaccess DbDomain READ [ROOT_All] AthenaEventLoopMgr INFO No more events in event selection Stream1 DEBUG AthenaOutputStream Stream1 ::stop() MetaDataSvc DEBUG MetaDataSvc::stop() @@ -1863,6 +2008,7 @@ MetaDataSvc DEBUG MetaDataSvc will handle xAOD::FileMetaData_v1 ClassID: MetaDataSvc DEBUG MetaDataSvc will handle xAOD::FileMetaDataAuxInfo_v1 ClassID: 73252552 MetaDataSvc DEBUG calling metaDataStop for ToolSvc.IOVDbMetaDataTool MetaDataSvc DEBUG Locking metadata tools +Stream1 DEBUG metadataItemList: [EventStreamInfo#Stream1, IOVMetaDataContainer#*, xAOD::EventFormat#EventFormatStream1, xAOD::FileMetaData#FileMetaData, xAOD::FileMetaDataAuxInfo#FileMetaDataAux.] Stream1 DEBUG addItemObjects(73252552,"FileMetaDataAux.") called Stream1 DEBUG Key:FileMetaDataAux. Stream1 DEBUG Comp Attr 0 with 7 mantissa bits. @@ -1895,91 +2041,94 @@ MetaDataSvc DEBUG Not translating metadata item ID #1316383046 Stream1 DEBUG Added object 1316383046,"/TagInfo" Stream1 DEBUG connectOutput done for SimplePoolFile3.root StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO xAOD::FileMetaDataAuxInfo_v1 [????] -SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) +StorageSvc INFO xAOD::FileMetaDataAuxInfo_v1 [BEE2BECF-A936-4078-9FDD-AD703C9ADF9F] +SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) MetaData(xAOD::... DEBUG Opening MetaData(xAOD::... DEBUG attributes# = 1 MetaData(xAOD::... DEBUG Branch container 'xAOD::FileMetaDataAuxInfo_v1_FileMetaDataAux.' MetaData(xAOD::... DEBUG Opened container MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (b , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[6 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (b , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:BEE2BECF-A936-4078-9FDD-AD703C9ADF9F +SimplePoolFile3... DEBUG --->Adding Shape[6 , BEE2BECF-A936-4078-9FDD-AD703C9ADF9F]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:xAOD::FileMetaDataAuxInfo_v1 SimplePoolFile3... DEBUG ---->[0]:xAOD::FileMetaDataAuxInfo_v1 Typ:xAOD::FileMetaDataAuxInfo_v1 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO EventStreamInfo_p3 [????] -SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(EventStreamInfo_p3/Stream1) +StorageSvc INFO EventStreamInfo_p3 [11DF1B8C-0DEE-4687-80D7-E74B520ACBB4] +SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(EventStreamInfo_p3/Stream1) MetaData(EventS... DEBUG Opening MetaData(EventS... DEBUG attributes# = 1 MetaData(EventS... DEBUG Branch container 'EventStreamInfo_p3_Stream1' MetaData(EventS... DEBUG Opened container MetaData(EventStreamInfo_p3/Stream1) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/MetaData(EventStreamInfo_p3/Stream1) [203] (c , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[7 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/MetaData(EventStreamInfo_p3/Stream1) [203] (c , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:11DF1B8C-0DEE-4687-80D7-E74B520ACBB4 +SimplePoolFile3... DEBUG --->Adding Shape[7 , 11DF1B8C-0DEE-4687-80D7-E74B520ACBB4]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:EventStreamInfo_p3 SimplePoolFile3... DEBUG ---->[0]:EventStreamInfo_p3 Typ:EventStreamInfo_p3 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO xAOD::FileMetaData_v1 [????] -SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(xAOD::FileMetaData_v1/FileMetaData) +StorageSvc INFO xAOD::FileMetaData_v1 [C87E3828-4A7A-480A-95DE-0339539F6A0F] +SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(xAOD::FileMetaData_v1/FileMetaData) MetaData(xAOD::... DEBUG Opening MetaData(xAOD::... DEBUG attributes# = 1 MetaData(xAOD::... DEBUG Branch container 'xAOD::FileMetaData_v1_FileMetaData' MetaData(xAOD::... DEBUG Opened container MetaData(xAOD::FileMetaData_v1/FileMetaData) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (d , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[8 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (d , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:C87E3828-4A7A-480A-95DE-0339539F6A0F +SimplePoolFile3... DEBUG --->Adding Shape[8 , C87E3828-4A7A-480A-95DE-0339539F6A0F]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:xAOD::FileMetaData_v1 SimplePoolFile3... DEBUG ---->[0]:xAOD::FileMetaData_v1 Typ:xAOD::FileMetaData_v1 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO xAOD::EventFormat_v1 [????] -SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(xAOD::EventFormat_v1/EventFormatStream1) +StorageSvc INFO xAOD::EventFormat_v1 [0EFE2D2C-9E78-441D-9A87-9EE2B908AC81] +SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(xAOD::EventFormat_v1/EventFormatStream1) MetaData(xAOD::... DEBUG Opening MetaData(xAOD::... DEBUG attributes# = 1 MetaData(xAOD::... DEBUG Branch container 'xAOD::EventFormat_v1_EventFormatStream1' MetaData(xAOD::... DEBUG Opened container MetaData(xAOD::EventFormat_v1/EventFormatStream1) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [203] (e , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[9 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [203] (e , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:0EFE2D2C-9E78-441D-9A87-9EE2B908AC81 +SimplePoolFile3... DEBUG --->Adding Shape[9 , 0EFE2D2C-9E78-441D-9A87-9EE2B908AC81]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:xAOD::EventFormat_v1 SimplePoolFile3... DEBUG ---->[0]:xAOD::EventFormat_v1 Typ:xAOD::EventFormat_v1 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO IOVMetaDataContainer_p1 [????] -SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(IOVMetaDataContainer_p1//TagInfo) +StorageSvc INFO IOVMetaDataContainer_p1 [6C2DE6DF-6D52-43F6-B435-9F29812F40C0] +SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(IOVMetaDataContainer_p1//TagInfo) MetaData(IOVMet... DEBUG Opening MetaData(IOVMet... DEBUG attributes# = 1 MetaData(IOVMet... DEBUG Branch container 'IOVMetaDataContainer_p1__TagInfo' MetaData(IOVMet... DEBUG Opened container MetaData(IOVMetaDataContainer_p1//TagInfo) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (f , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Adding Shape[10 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (f , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:6C2DE6DF-6D52-43F6-B435-9F29812F40C0 +SimplePoolFile3... DEBUG --->Adding Shape[10 , 6C2DE6DF-6D52-43F6-B435-9F29812F40C0]: [1 Column(s)] SimplePoolFile3... DEBUG ---->Class:IOVMetaDataContainer_p1 SimplePoolFile3... DEBUG ---->[0]:IOVMetaDataContainer_p1 Typ:IOVMetaDataContainer_p1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaDataHdr(DataHeader) +SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaDataHdr(DataHeader) MetaDataHdr(Dat... DEBUG Opening MetaDataHdr(Dat... DEBUG attributes# = 1 MetaDataHdr(Dat... DEBUG Branch container 'DataHeader' MetaDataHdr(Dat... DEBUG Opened container MetaDataHdr(DataHeader) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/MetaDataHdr(DataHeader) [203] (10 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaDataHdrForm(DataHeaderForm) +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/MetaDataHdr(DataHeader) [203] (10 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile3... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaDataHdrForm(DataHeaderForm) MetaDataHdrForm... DEBUG Opening MetaDataHdrForm... DEBUG attributes# = 1 MetaDataHdrForm... DEBUG Branch container 'DataHeaderForm' MetaDataHdrForm... DEBUG Opened container MetaDataHdrForm(DataHeaderForm) of type ROOT_Tree -SimplePoolFile3... DEBUG --->Adding Assoc :????/MetaDataHdrForm(DataHeaderForm) [203] (11 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? +SimplePoolFile3... DEBUG --->Adding Assoc :A811B014-0297-AD47-AF4C-B75EF418982D/MetaDataHdrForm(DataHeaderForm) [203] (11 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD MetaData(xAOD::... DEBUG SG::IAuxStoreIO* detected in xAOD::FileMetaDataAuxInfo_v1_FileMetaDataAux. MetaData(xAOD::... DEBUG Attributes= 1 MetaData(xAOD::... DEBUG Creating branch for new dynamic attribute, Id=52: type=float, mcProcID MetaData(xAOD::... DEBUG createBasicAuxBranch: xAOD::FileMetaDataAuxInfo_v1_FileMetaDataAuxDyn.mcProcID, leaf:mcProcID/F +ClassIDSvc INFO getRegistryEntries: read 18 CLIDRegistry entries for module ALL Stream1 INFO Metadata records written: 21 MetaDataSvc DEBUG Unlocking metadata tools Stream1 DEBUG Leaving incident handler for MetaDataStop PoolSvc DEBUG Disconnect request for contextId=0 PoolSvc DEBUG Disconnected PersistencySvc session PoolSvc DEBUG Disconnect request for contextId=1 -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=SimplePoolFile3.root -StorageSvc DEBUG Closing database: FID=???? +StorageSvc DEBUG Disconnect request for database: FID=A811B014-0297-AD47-AF4C-B75EF418982D PFN=SimplePoolFile3.root +StorageSvc DEBUG Closing database: FID=A811B014-0297-AD47-AF4C-B75EF418982D +Domain[ROOT_All] INFO -> Deaccess DbDatabase CREATE [ROOT_All] A811B014-0297-AD47-AF4C-B75EF418982D +Domain[ROOT_All] INFO > Deaccess DbDomain UPDATE [ROOT_All] PoolSvc DEBUG Disconnected PersistencySvc session ApplicationMgr INFO Application Manager Stopped successfully ReadData INFO in finalize() @@ -1989,11 +2138,23 @@ MagicWriteTag INFO in finalize() Stream1 DEBUG finalize: Optimize output PoolSvc DEBUG Disconnect request for contextId=1 Stream1 DEBUG finalize: end optimize output +IOVDbSvc INFO bytes in (( 0.00 ))s +IOVDbSvc INFO Connection sqlite://;schema=cooldummy.db;dbname=OFLP200 : nConnect: 0 nFolders: 0 ReadTime: (( 0.00 ))s +ReadData DEBUG Calling destructor +ReWriteData DEBUG Calling destructor +DecisionSvc INFO Finalized successfully. AthDictLoaderSvc INFO in finalize... ToolSvc INFO Removing all tools created by ToolSvc *****Chrono***** INFO **************************************************************************************************** *****Chrono***** INFO The Final CPU consumption ( Chrono ) Table (ordered) *****Chrono***** INFO **************************************************************************************************** +commitOutput INFO Time User : Tot= 0 [us] Ave/Min/Max= 0(+- 0)/ 0/ 0 [us] #= 21 +cObjR_ALL INFO Time User : Tot= 0 [us] Ave/Min/Max= 0(+- 0)/ 0/ 0 [us] #= 66 +cRepR_ALL INFO Time User : Tot= 10 [ms] Ave/Min/Max= 0.0676(+- 0.819)/ 0/ 10 [ms] #=148 +cRep_ALL INFO Time User : Tot= 10 [ms] Ave/Min/Max= 0.152(+- 1.22)/ 0/ 10 [ms] #= 66 +fRep_ALL INFO Time User : Tot= 20 [ms] Ave/Min/Max= 0.303(+- 1.71)/ 0/ 10 [ms] #= 66 +cObj_ALL INFO Time User : Tot= 30 [ms] Ave/Min/Max= 0.469(+- 2.76)/ 0/ 20 [ms] #= 64 +ChronoStatSvc INFO Time User : Tot= 360 [ms] #= 1 *****Chrono***** INFO **************************************************************************************************** ChronoStatSvc.f... INFO Service finalized successfully ApplicationMgr INFO Application Manager Finalized successfully diff --git a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_ReWriteNext.ref b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_ReWriteNext.ref index d6984dd6eb53a658504b56b6a768e1be3c9e4cf4..5552991fab13de763eb22c31b0b6d2eabeabbc9e 100644 --- a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_ReWriteNext.ref +++ b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_ReWriteNext.ref @@ -1,122 +1,179 @@ +Mon Oct 18 10:23:53 CDT 2021 +Preloading tcmalloc_minimal.so +Athena INFO including file "AthenaCommon/Preparation.py" +Athena INFO including file "AthenaCommon/Atlas.UnixStandardJob.py" Athena INFO executing ROOT6Setup +Athena INFO including file "AthenaCommon/Execution.py" +Athena INFO including file "AthenaPoolExampleAlgorithms/AthenaPoolExample_ReWriteNextJobOptions.py" +Py:ConfigurableDb INFO Read module info for 5082 configurables from 58 genConfDb files +Py:ConfigurableDb INFO No duplicates have been found: that's good ! +Athena INFO including file "AthenaCommon/runbatch.py" +ApplicationMgr SUCCESS +==================================================================================================================================== + Welcome to ApplicationMgr (GaudiCoreSvc v36r0) + running on atlaslogin01.hep.anl.gov on Mon Oct 18 10:24:04 2021 +==================================================================================================================================== ApplicationMgr INFO Application Manager Configured successfully AthDictLoaderSvc INFO in initialize... AthDictLoaderSvc INFO acquired Dso-registry +ClassIDSvc INFO getRegistryEntries: read 3039 CLIDRegistry entries for module ALL AthenaEventLoopMgr INFO Initializing AthenaEventLoopMgr +ClassIDSvc INFO getRegistryEntries: read 722 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 593 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 350 CLIDRegistry entries for module ALL EventInfoCnvAlg INFO Initializing EventInfoCnvAlg +MetaDataSvc DEBUG Property update for OutputLevel : new value = 2 MetaDataSvc INFO Initializing MetaDataSvc +AthenaPoolCnvSvc DEBUG Property update for OutputLevel : new value = 2 +PoolSvc DEBUG Property update for OutputLevel : new value = 2 +PoolSvc DEBUG Service base class initialized successfully +PoolSvc INFO Set connectionsvc retry/timeout/IDLE timeout to 'ConnectionRetrialPeriod':300/ 'ConnectionRetrialTimeOut':3600/ 'ConnectionTimeOut':5 seconds with connection cleanup disabled +PoolSvc INFO Frontier compression level set to 5 +DBReplicaSvc INFO Frontier server at (serverurl=http://atlasfrontier-ai.cern.ch:8000/atlr)(serverurl=http://frontier-atlas.lcg.triumf.ca:3128/ATLAS_frontier)(serverurl=http://ccfrontier.in2p3.fr:23128/ccin2p3-AtlasFrontier)(proxyurl=http://atlasbpfrontier.cern.ch:3127)(proxyurl=http://atlasbpfrontier.fnal.gov:3127) will be considered for COOL data +DBReplicaSvc INFO Read replica configuration from /users/gemmeren/workarea/build/x86_64-centos7-gcc8-opt/share/dbreplica.config +DBReplicaSvc INFO Total of 1 servers found for host atlaslogin01.hep.anl.gov [ATLF ] +PoolSvc INFO Successfully setup replica sorting algorithm PoolSvc DEBUG OutputLevel is 2 +PoolSvc INFO Setting up APR FileCatalog and Streams PoolSvc DEBUG POOL ReadCatalog is file:Catalog.xml +PoolSvc INFO POOL WriteCatalog is file:Catalog1.xml +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain READ [ROOT_All] AthenaPoolCnvSvc DEBUG Registering all Tools in ToolHandleArray OutputStreamingTool +MetaDataSvc INFO Found MetaDataTools = PublicToolHandleArray(['IOVDbMetaDataTool']) +EventSelector DEBUG Property update for OutputLevel : new value = 2 EventSelector DEBUG Initializing EventSelector +EventSelector DEBUG Service base class initialized successfully EventSelector DEBUG reinitialization... EventSelector INFO EventSelection with query EventSelector DEBUG Try item: "SimplePoolFile3.root" from the collection list. PoolSvc DEBUG createCollection() type=RootCollection, connection=PFN:SimplePoolFile3.root, name=SimplePoolFile3.root, contextID=0 -MetaDataSvc DEBUG handle() FirstInputFile for FID:???? -MetaDataSvc DEBUG initInputMetaDataStore: file name FID:???? +MetaDataSvc DEBUG handle() FirstInputFile for FID:A811B014-0297-AD47-AF4C-B75EF418982D +MetaDataSvc DEBUG initInputMetaDataStore: file name FID:A811B014-0297-AD47-AF4C-B75EF418982D +Domain[ROOT_All] INFO -> Access DbDatabase READ [ROOT_All] A811B014-0297-AD47-AF4C-B75EF418982D +Domain[ROOT_All] INFO SimplePoolFile3.root SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 ##Shapes DEBUG Opened container ##Shapes of type ROOT_Tree -SimplePoolFile3... DEBUG --->Reading Shape[0 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[0 , C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:EventInfo_p4 Typ:EventInfo_p4 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --->Reading Shape[1 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[1 , FF777FDA-721C-4756-BBF3-4CE28C2A3AF5]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:ExampleTrackContainer_p1 Typ:ExampleTrackContainer_p1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --->Reading Shape[2 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[2 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --->Reading Shape[3 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[3 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --->Reading Shape[4 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[4 , E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:Token Typ:Token [18] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --->Reading Shape[5 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[5 , BBACA313-D7B0-3A4C-9161-089CACF4B1CC]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:unsigned int Typ:unsigned int [3] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --->Reading Shape[6 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[6 , BEE2BECF-A936-4078-9FDD-AD703C9ADF9F]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:xAOD::FileMetaDataAuxInfo_v1 Typ:xAOD::FileMetaDataAuxInfo_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --->Reading Shape[7 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[7 , 11DF1B8C-0DEE-4687-80D7-E74B520ACBB4]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:EventStreamInfo_p3 Typ:EventStreamInfo_p3 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --->Reading Shape[8 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[8 , C87E3828-4A7A-480A-95DE-0339539F6A0F]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:xAOD::FileMetaData_v1 Typ:xAOD::FileMetaData_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --->Reading Shape[9 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[9 , 0EFE2D2C-9E78-441D-9A87-9EE2B908AC81]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:xAOD::EventFormat_v1 Typ:xAOD::EventFormat_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --->Reading Shape[10 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[10 , 6C2DE6DF-6D52-43F6-B435-9F29812F40C0]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:IOVMetaDataContainer_p1 Typ:IOVMetaDataContainer_p1 [21] Size:0 Offset:0 #Elements:1 ##Shapes DEBUG No objects passing selection criteria... Container has 11 Entries in total. SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_All] ##Links ##Links DEBUG Opening ##Links DEBUG attributes# = 1 ##Links DEBUG Opened container ##Links of type ROOT_Tree -SimplePoolFile3... DEBUG --->Reading Assoc:????/##Params [200] (2 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/CollectionTree(ExampleTrackContainer_p1/MyTracks) [203] (4 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/POOLContainer(DataHeader) [203] (5 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/POOLCollectionTree(Token) [202] (7 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/POOLCollectionTree(RunNumber) [202] (8 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventNumber) [202] (9 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/POOLCollectionTree(MagicNumber) [202] (a , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (b , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/MetaData(EventStreamInfo_p3/Stream1) [203] (c , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (d , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [203] (e , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (f , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/MetaDataHdr(DataHeader) [203] (10 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/MetaDataHdrForm(DataHeaderForm) [203] (11 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/##Params [200] (2 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7 +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/CollectionTree(ExampleTrackContainer_p1/MyTracks) [203] (4 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:FF777FDA-721C-4756-BBF3-4CE28C2A3AF5 +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/POOLContainer(DataHeader) [203] (5 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(Token) [202] (7 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(RunNumber) [202] (8 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(EventNumber) [202] (9 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(MagicNumber) [202] (a , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (b , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:BEE2BECF-A936-4078-9FDD-AD703C9ADF9F +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/MetaData(EventStreamInfo_p3/Stream1) [203] (c , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:11DF1B8C-0DEE-4687-80D7-E74B520ACBB4 +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (d , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:C87E3828-4A7A-480A-95DE-0339539F6A0F +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [203] (e , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:0EFE2D2C-9E78-441D-9A87-9EE2B908AC81 +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (f , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:6C2DE6DF-6D52-43F6-B435-9F29812F40C0 +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/MetaDataHdr(DataHeader) [203] (10 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/MetaDataHdrForm(DataHeaderForm) [203] (11 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD ##Links DEBUG No objects passing selection criteria... Container has 16 Entries in total. SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_All] ##Params ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -SimplePoolFile3... DEBUG --->Reading Param:FID=[????] +SimplePoolFile3... DEBUG --->Reading Param:FID=[A811B014-0297-AD47-AF4C-B75EF418982D] SimplePoolFile3... DEBUG --->Reading Param:PFN=[SimplePoolFile3.root] SimplePoolFile3... DEBUG --->Reading Param:POOL_VSN=[1.1] SimplePoolFile3... DEBUG --->Reading Param:FORMAT_VSN=[1.1] ##Params DEBUG No objects passing selection criteria... Container has 4 Entries in total. -SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdr(DataHeader) +SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdr(DataHeader) MetaDataHdr(Dat... DEBUG Opening MetaDataHdr(Dat... DEBUG attributes# = 1 MetaDataHdr(Dat... DEBUG Branch container 'DataHeader' MetaDataHdr(Dat... DEBUG Opened container MetaDataHdr(DataHeader) of type ROOT_Tree -SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdrForm(DataHeaderForm) +ClassIDSvc INFO getRegistryEntries: read 1725 CLIDRegistry entries for module ALL +EventPersistenc... INFO Added successfully Conversion service:AthenaPoolCnvSvc +SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdrForm(DataHeaderForm) MetaDataHdrForm... DEBUG Opening MetaDataHdrForm... DEBUG attributes# = 1 MetaDataHdrForm... DEBUG Branch container 'DataHeaderForm' MetaDataHdrForm... DEBUG Opened container MetaDataHdrForm(DataHeaderForm) of type ROOT_Tree MetaDataSvc DEBUG Loaded input meta data store proxies -SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaData(IOVMetaDataContainer_p1//TagInfo) +SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaData(IOVMetaDataContainer_p1//TagInfo) MetaData(IOVMet... DEBUG Opening MetaData(IOVMet... DEBUG attributes# = 1 MetaData(IOVMet... DEBUG Branch container 'IOVMetaDataContainer_p1__TagInfo' MetaData(IOVMet... DEBUG Opened container MetaData(IOVMetaDataContainer_p1//TagInfo) of type ROOT_Tree +ClassIDSvc INFO getRegistryEntries: read 8 CLIDRegistry entries for module ALL MetaDataSvc DEBUG Registering all Tools in ToolHandleArray MetaDataTools MetaDataSvc DEBUG Adding public ToolHandle tool ToolSvc.IOVDbMetaDataTool (IOVDbMetaDataTool) +MetaDataSvc INFO AlgTool: ToolSvc.IOVDbMetaDataTool +AthenaPoolAddre... DEBUG Property update for OutputLevel : new value = 2 +AthenaPoolAddre... DEBUG Service base class initialized successfully AthenaPoolAddre... DEBUG Cannot retrieve DataHeader from DetectorStore. EventInfoCnvAlg... INFO Beam conditions service not available EventInfoCnvAlg... INFO Will not fill beam spot information into xAOD::EventInfo +ReadData DEBUG Property update for OutputLevel : new value = 2 ReadData INFO in initialize() +ReadData DEBUG input handles: 3 +ReadData DEBUG output handles: 0 +ReadData DEBUG Data Deps for ReadData + + INPUT ( 'DataHeader' , 'StoreGateSvc+EventSelector' ) + INPUT ( 'ExampleHitContainer' , 'StoreGateSvc+MyHits' ) + INPUT ( 'ExampleTrackContainer' , 'StoreGateSvc+MyTracks' ) +ReWriteData DEBUG Property update for OutputLevel : new value = 2 ReWriteData INFO in initialize() +ReWriteData DEBUG input handles: 1 +ReWriteData DEBUG output handles: 1 +ReWriteData DEBUG Data Deps for ReWriteData + INPUT IGNORED ( 'ExampleHitContainer' , '' ) + OUTPUT IGNORED ( 'ExampleTrackContainer' , '' ) WriteTag INFO in initialize() MagicWriteTag INFO in initialize() +Stream1 DEBUG Property update for OutputLevel : new value = 2 +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 Stream1 DEBUG In initialize Stream1 DEBUG Found IDecisionSvc. DecisionSvc INFO Inserting stream: Stream1 with no Algs @@ -124,16 +181,32 @@ Stream1 DEBUG End initialize Stream1 DEBUG In initialize Stream1 DEBUG Found StoreGateSvc store. Stream1 DEBUG Found MetaDataStore store. +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 Stream1.Stream1... INFO Initializing Stream1.Stream1Tool +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +Stream1.FileMet... DEBUG Property update for OutputLevel : new value = 2 +TagInfoMgr INFO AlgTool: TagInfoMgr.IOVDbMetaDataTool Stream1.FileMet... DEBUG Creating new xAOD::FileMetaData object to fill +Stream1.Thinnin... DEBUG Property update for OutputLevel : new value = 2 +Stream1 INFO Found HelperTools = PrivateToolHandleArray(['MakeEventStreamInfo/Stream1_MakeEventStreamInfo','xAODMaker::EventFormatStreamHelperTool/Stream1_MakeEventFormat','xAODMaker::FileMetaDataCreatorTool/FileMetaDataCreatorTool','Athena::ThinningCacheTool/ThinningCacheTool_Stream1']) Stream1 INFO Data output: SimplePoolFile4.root -Stream1 INFO ../O reinitialization... +Stream1 INFO I/O reinitialization... +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +ClassIDSvc INFO getRegistryEntries: read 755 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 6 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 68 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 6 CLIDRegistry entries for module ALL Stream1 DEBUG End initialize +Stream1 DEBUG input handles: 0 +Stream1 DEBUG output handles: 2 Stream1 DEBUG Registering all Tools in ToolHandleArray HelperTools Stream1 DEBUG Adding private ToolHandle tool Stream1.Stream1_MakeEventStreamInfo (MakeEventStreamInfo) Stream1 DEBUG Adding private ToolHandle tool Stream1.Stream1_MakeEventFormat (xAODMaker::EventFormatStreamHelperTool) Stream1 DEBUG Adding private ToolHandle tool Stream1.FileMetaDataCreatorTool (xAODMaker::FileMetaDataCreatorTool) +Stream1 DEBUG Adding private ToolHandle tool Stream1.ThinningCacheTool_Stream1 (Athena::ThinningCacheTool) Stream1 DEBUG Adding private ToolHandle tool Stream1.Stream1Tool (AthenaOutputStreamTool) +Stream1 DEBUG Data Deps for Stream1 + INPUT ( 'AthenaAttributeList' , 'StoreGateSvc+MagicTag' ) + OUTPUT ( 'DataHeader' , 'StoreGateSvc+Stream1' ) + OUTPUT ( 'SG::CompressionInfo' , 'StoreGateSvc+CompressionInfo_Stream1' ) @@ -154,15 +227,15 @@ MetaDataSvc DEBUG Loaded input meta data store proxies MetaDataSvc DEBUG calling beginInputFile for ToolSvc.IOVDbMetaDataTool EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000000]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000000]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000000] -SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_Tree] POOLContainer(DataHeader) +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000] +SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] POOLContainer(DataHeader) POOLContainer(D... DEBUG Opening POOLContainer(D... DEBUG attributes# = 1 POOLContainer(D... DEBUG Branch container 'DataHeader' POOLContainer(D... DEBUG Opened container POOLContainer(DataHeader) of type ROOT_Tree -SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_Tree] POOLContainerForm(DataHeaderForm) +SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] POOLContainerForm(DataHeaderForm) POOLContainerFo... DEBUG Opening POOLContainerFo... DEBUG attributes# = 1 POOLContainerFo... DEBUG Branch container 'DataHeaderForm' @@ -170,18 +243,21 @@ POOLContainerFo... DEBUG Opened container POOLContainerForm(DataHeaderForm) of AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks -SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_Tree] CollectionTree(EventInfo_p4/McEventInfo) +AlgResourcePool INFO TopAlg list empty. Recovering the one of Application Manager +SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] CollectionTree(EventInfo_p4/McEventInfo) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'EventInfo_p4_McEventInfo' CollectionTree(... DEBUG Opened container CollectionTree(EventInfo_p4/McEventInfo) of type ROOT_Tree +AthenaPoolConve... INFO massageEventInfo: unable to get OverrideRunNumberFromInput property from EventSelector AthenaEventLoopMgr INFO ===>>> start of run 1 <<<=== IOVDbSvc INFO Only 5 POOL conditions files will be open at once IOVDbSvc INFO Initialised with 1 connections and 0 folders IOVDbSvc INFO Service IOVDbSvc initialised successfully +IOVDbSvc INFO AlgTool: ToolSvc.IOVDbMetaDataTool AthenaEventLoopMgr INFO ===>>> start processing event #0, run #1 0 events processed so far <<<=== ReadData DEBUG in execute() -SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaData(EventStreamInfo_p3/Stream1) +SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaData(EventStreamInfo_p3/Stream1) MetaData(EventS... DEBUG Opening MetaData(EventS... DEBUG attributes# = 1 MetaData(EventS... DEBUG Branch container 'EventStreamInfo_p3_Stream1' @@ -190,12 +266,16 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000000] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000000] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000] ReadData INFO EventInfo event: 0 run: 1 ReadData INFO Get Smart data ptr 1 -SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_Tree] CollectionTree(ExampleTrackContainer_p1/MyTracks) +SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] CollectionTree(ExampleTrackContainer_p1/MyTracks) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'ExampleTrackContainer_p1_MyTracks' @@ -209,6 +289,7 @@ WriteTag INFO EventInfo event: 0 run: 1 WriteTag INFO registered all data MagicWriteTag INFO EventInfo event: 0 run: 1 MagicWriteTag INFO registered all data +ClassIDSvc INFO getRegistryEntries: read 253 CLIDRegistry entries for module ALL Stream1 DEBUG addItemObjects(2101,"*") called Stream1 DEBUG Key:* Stream1 DEBUG Comp Attr 0 with 7 mantissa bits. @@ -224,10 +305,15 @@ Stream1 DEBUG Added object 9103,"MyTracks" Stream1 DEBUG Collected objects: Stream1 DEBUG Object/count: EventInfo_McEventInfo, 1 Stream1 DEBUG Object/count: ExampleTrackContainer_MyTracks, 1 +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain UPDATE [ROOT_All] AthenaPoolCnvSvc DEBUG setAttribute TREE_MAX_SIZE to 1099511627776L AthenaPoolCnvSvc DEBUG setAttribute DEFAULT_SPLITLEVEL to 0 AthenaPoolCnvSvc DEBUG setAttribute STREAM_MEMBER_WISE to 1 AthenaPoolCnvSvc DEBUG setAttribute DEFAULT_BUFFERSIZE to 32000 +PersistencySvc:... DEBUG lookupPFN: SimplePoolFile4.root returned FID: '298DE14D-49CF-674A-9171-CEBBD9BEC6F8' tech=ROOT_All +Domain[ROOT_All] INFO -> Access DbDatabase CREATE [ROOT_All] 298DE14D-49CF-674A-9171-CEBBD9BEC6F8 +Domain[ROOT_All] INFO SimplePoolFile4.root SimplePoolFile4... DEBUG --> Access DbContainer CREATE [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 @@ -242,49 +328,49 @@ SimplePoolFile4... DEBUG --> Access DbContainer CREATE [ROOT_All] ##Param ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -SimplePoolFile4... DEBUG --->Adding Assoc :????/##Params [200] (2 , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? +SimplePoolFile4... DEBUG --->Adding Assoc :298DE14D-49CF-674A-9171-CEBBD9BEC6F8/##Params [200] (2 , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B ##Params DEBUG No objects passing selection criteria... Container has 0 Entries in total. AthenaPoolCnvSvc DEBUG setAttribute CONTAINER_SPLITLEVEL to 0 for db: SimplePoolFile4.root and cont: TTree=POOLContainerForm(DataHeaderForm) Stream1 DEBUG connectOutput done for SimplePoolFile4.root -SimplePoolFile4... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] CollectionTree(EventInfo_p4/McEventInfo) +SimplePoolFile4... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] CollectionTree(EventInfo_p4/McEventInfo) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'EventInfo_p4_McEventInfo' CollectionTree(... DEBUG Opened container CollectionTree(EventInfo_p4/McEventInfo) of type ROOT_Tree -SimplePoolFile4... DEBUG --->Adding Assoc :????/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --->Adding Shape[0 , ????]: [1 Column(s)] +SimplePoolFile4... DEBUG --->Adding Assoc :298DE14D-49CF-674A-9171-CEBBD9BEC6F8/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7 +SimplePoolFile4... DEBUG --->Adding Shape[0 , C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7]: [1 Column(s)] SimplePoolFile4... DEBUG ---->Class:EventInfo_p4 SimplePoolFile4... DEBUG ---->[0]:EventInfo_p4 Typ:EventInfo_p4 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile4... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] CollectionTree(ExampleTrackContainer_p1/MyTracks) +SimplePoolFile4... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] CollectionTree(ExampleTrackContainer_p1/MyTracks) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'ExampleTrackContainer_p1_MyTracks' CollectionTree(... DEBUG Opened container CollectionTree(ExampleTrackContainer_p1/MyTracks) of type ROOT_Tree -SimplePoolFile4... DEBUG --->Adding Assoc :????/CollectionTree(ExampleTrackContainer_p1/MyTracks) [203] (4 , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --->Adding Shape[1 , ????]: [1 Column(s)] +SimplePoolFile4... DEBUG --->Adding Assoc :298DE14D-49CF-674A-9171-CEBBD9BEC6F8/CollectionTree(ExampleTrackContainer_p1/MyTracks) [203] (4 , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:FF777FDA-721C-4756-BBF3-4CE28C2A3AF5 +SimplePoolFile4... DEBUG --->Adding Shape[1 , FF777FDA-721C-4756-BBF3-4CE28C2A3AF5]: [1 Column(s)] SimplePoolFile4... DEBUG ---->Class:ExampleTrackContainer_p1 SimplePoolFile4... DEBUG ---->[0]:ExampleTrackContainer_p1 Typ:ExampleTrackContainer_p1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile4... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLContainer(DataHeader) +SimplePoolFile4... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] POOLContainer(DataHeader) POOLContainer(D... DEBUG Opening POOLContainer(D... DEBUG attributes# = 1 POOLContainer(D... DEBUG Branch container 'DataHeader' POOLContainer(D... DEBUG Opened container POOLContainer(DataHeader) of type ROOT_Tree -SimplePoolFile4... DEBUG --->Adding Assoc :????/POOLContainer(DataHeader) [203] (5 , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --->Adding Shape[2 , ????]: [1 Column(s)] +SimplePoolFile4... DEBUG --->Adding Assoc :298DE14D-49CF-674A-9171-CEBBD9BEC6F8/POOLContainer(DataHeader) [203] (5 , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile4... DEBUG --->Adding Shape[2 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] SimplePoolFile4... DEBUG ---->Class:DataHeader_p6 SimplePoolFile4... DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile4... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLContainerForm(DataHeaderForm) +SimplePoolFile4... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] POOLContainerForm(DataHeaderForm) POOLContainerFo... DEBUG Opening POOLContainerFo... DEBUG attributes# = 1 POOLContainerFo... DEBUG Branch container 'DataHeaderForm' POOLContainerFo... DEBUG Opened container POOLContainerForm(DataHeaderForm) of type ROOT_Tree -SimplePoolFile4... DEBUG --->Adding Assoc :????/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --->Adding Shape[3 , ????]: [1 Column(s)] +SimplePoolFile4... DEBUG --->Adding Assoc :298DE14D-49CF-674A-9171-CEBBD9BEC6F8/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD +SimplePoolFile4... DEBUG --->Adding Shape[3 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] SimplePoolFile4... DEBUG ---->Class:DataHeaderForm_p6 SimplePoolFile4... DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 SimplePoolFile4... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(Token) @@ -292,9 +378,9 @@ POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'Token' POOLCollectionT... DEBUG Opened container POOLCollectionTree(Token) of type ROOT_Tree -SimplePoolFile4... DEBUG --->Adding Assoc :????/POOLCollectionTree(Token) [202] (7 , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --->Adding Shape[4 , ????]: [1 Column(s)] +SimplePoolFile4... DEBUG --->Adding Assoc :298DE14D-49CF-674A-9171-CEBBD9BEC6F8/POOLCollectionTree(Token) [202] (7 , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A +SimplePoolFile4... DEBUG --->Adding Shape[4 , E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A]: [1 Column(s)] SimplePoolFile4... DEBUG ---->Class:Token SimplePoolFile4... DEBUG ---->[0]:Token Typ:Token [18] Size:0 Offset:0 #Elements:1 SimplePoolFile4... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(RunNumber) @@ -302,9 +388,9 @@ POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'RunNumber' POOLCollectionT... DEBUG Opened container POOLCollectionTree(RunNumber) of type ROOT_Tree -SimplePoolFile4... DEBUG --->Adding Assoc :????/POOLCollectionTree(RunNumber) [202] (8 , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --->Adding Shape[5 , ????]: [1 Column(s)] +SimplePoolFile4... DEBUG --->Adding Assoc :298DE14D-49CF-674A-9171-CEBBD9BEC6F8/POOLCollectionTree(RunNumber) [202] (8 , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile4... DEBUG --->Adding Shape[5 , BBACA313-D7B0-3A4C-9161-089CACF4B1CC]: [1 Column(s)] SimplePoolFile4... DEBUG ---->Class:unsigned int SimplePoolFile4... DEBUG ---->[0]:unsigned int Typ:unsigned int [3] Size:0 Offset:0 #Elements:1 SimplePoolFile4... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(EventNumber) @@ -312,15 +398,15 @@ POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'EventNumber' POOLCollectionT... DEBUG Opened container POOLCollectionTree(EventNumber) of type ROOT_Tree -SimplePoolFile4... DEBUG --->Adding Assoc :????/POOLCollectionTree(EventNumber) [202] (9 , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? +SimplePoolFile4... DEBUG --->Adding Assoc :298DE14D-49CF-674A-9171-CEBBD9BEC6F8/POOLCollectionTree(EventNumber) [202] (9 , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC SimplePoolFile4... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(MagicNumber) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'MagicNumber' POOLCollectionT... DEBUG Opened container POOLCollectionTree(MagicNumber) of type ROOT_Tree -SimplePoolFile4... DEBUG --->Adding Assoc :????/POOLCollectionTree(MagicNumber) [202] (a , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? +SimplePoolFile4... DEBUG --->Adding Assoc :298DE14D-49CF-674A-9171-CEBBD9BEC6F8/POOLCollectionTree(MagicNumber) [202] (a , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC MetaDataSvc DEBUG MetaDataSvc will handle EventStreamInfo ClassID: 167728019 MetaDataSvc DEBUG MetaDataSvc will handle xAOD::EventFormat_v1 ClassID: 243004407 Stream1.FileMet... DEBUG beam energy "" tag could not be converted to float @@ -332,9 +418,9 @@ Stream1.FileMet... DEBUG set xAOD::FileMetaData::dataType to Stream1 AthenaEventLoopMgr INFO ===>>> done processing event #0, run #1 1 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000001]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000001]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000001] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -344,9 +430,13 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000001] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000001] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001] ReadData INFO EventInfo event: 1 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 137.584 eta = -39.525 phi = 17.2679 detector = Track made in: DummyHitDetector @@ -377,9 +467,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile4.root AthenaEventLoopMgr INFO ===>>> done processing event #1, run #1 2 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000002]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000002]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000002] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -389,9 +479,13 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000002] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000002] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002] ReadData INFO EventInfo event: 2 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 228.154 eta = -6.2704 phi = 31.9197 detector = Track made in: DummyHitDetector @@ -422,9 +516,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile4.root AthenaEventLoopMgr INFO ===>>> done processing event #2, run #1 3 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000003]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000003]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000003] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -434,9 +528,13 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000003] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000003] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003] ReadData INFO EventInfo event: 3 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 324.306 eta = -15.8941 phi = 46.5715 detector = Track made in: DummyHitDetector @@ -467,9 +565,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile4.root AthenaEventLoopMgr INFO ===>>> done processing event #3, run #1 4 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000004]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000004]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000004] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -479,9 +577,13 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000004] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000004] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004] ReadData INFO EventInfo event: 4 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 422.255 eta = -13.279 phi = 61.2233 detector = Track made in: DummyHitDetector @@ -512,9 +614,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile4.root AthenaEventLoopMgr INFO ===>>> done processing event #4, run #1 5 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000005]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000005]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000005] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -524,9 +626,13 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000005] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000005] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005] ReadData INFO EventInfo event: 5 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 520.987 eta = -12.3511 phi = 75.8751 detector = Track made in: DummyHitDetector @@ -557,9 +663,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile4.root AthenaEventLoopMgr INFO ===>>> done processing event #5, run #1 6 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000006]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000006]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000006] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -569,9 +675,13 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000006] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000006] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006] ReadData INFO EventInfo event: 6 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 620.127 eta = -11.8468 phi = 90.5269 detector = Track made in: DummyHitDetector @@ -602,9 +712,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile4.root AthenaEventLoopMgr INFO ===>>> done processing event #6, run #1 7 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000007]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000007]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000007] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -614,9 +724,13 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000007] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000007] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007] ReadData INFO EventInfo event: 7 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 719.507 eta = -11.5247 phi = 105.179 detector = Track made in: DummyHitDetector @@ -647,9 +761,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile4.root AthenaEventLoopMgr INFO ===>>> done processing event #7, run #1 8 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000008]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000008]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000008] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -659,9 +773,13 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000008] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000008] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008] ReadData INFO EventInfo event: 8 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 819.038 eta = -11.2998 phi = 119.831 detector = Track made in: DummyHitDetector @@ -692,9 +810,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile4.root AthenaEventLoopMgr INFO ===>>> done processing event #8, run #1 9 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000009]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000009]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000009] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -704,9 +822,13 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000009] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000009] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009] ReadData INFO EventInfo event: 9 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 918.671 eta = -11.1334 phi = 134.482 detector = Track made in: DummyHitDetector @@ -737,9 +859,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile4.root AthenaEventLoopMgr INFO ===>>> done processing event #9, run #1 10 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -749,9 +871,13 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000A] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-0000000A] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A] ReadData INFO EventInfo event: 10 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1018.38 eta = -11.0052 phi = 149.134 detector = Track made in: DummyHitDetector @@ -782,9 +908,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile4.root AthenaEventLoopMgr INFO ===>>> done processing event #10, run #1 11 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -794,9 +920,13 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000B] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-0000000B] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B] ReadData INFO EventInfo event: 11 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1118.13 eta = -10.9031 phi = 163.786 detector = Track made in: DummyHitDetector @@ -827,9 +957,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile4.root AthenaEventLoopMgr INFO ===>>> done processing event #11, run #1 12 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -839,9 +969,13 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000C] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-0000000C] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C] ReadData INFO EventInfo event: 12 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1217.93 eta = -10.82 phi = 178.438 detector = Track made in: DummyHitDetector @@ -872,9 +1006,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile4.root AthenaEventLoopMgr INFO ===>>> done processing event #12, run #1 13 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -884,9 +1018,13 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000D] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-0000000D] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D] ReadData INFO EventInfo event: 13 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1317.76 eta = -10.751 phi = 193.09 detector = Track made in: DummyHitDetector @@ -917,9 +1055,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile4.root AthenaEventLoopMgr INFO ===>>> done processing event #13, run #1 14 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -929,9 +1067,13 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000E] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-0000000E] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E] ReadData INFO EventInfo event: 14 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1417.61 eta = -10.6927 phi = 207.741 detector = Track made in: DummyHitDetector @@ -962,9 +1104,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile4.root AthenaEventLoopMgr INFO ===>>> done processing event #14, run #1 15 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -974,9 +1116,13 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000F] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-0000000F] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F] ReadData INFO EventInfo event: 15 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1517.49 eta = -10.6429 phi = 222.393 detector = Track made in: DummyHitDetector @@ -1007,9 +1153,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile4.root AthenaEventLoopMgr INFO ===>>> done processing event #15, run #1 16 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1019,9 +1165,13 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000010] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000010] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010] ReadData INFO EventInfo event: 16 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1617.37 eta = -10.5997 phi = 237.045 detector = Track made in: DummyHitDetector @@ -1052,9 +1202,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile4.root AthenaEventLoopMgr INFO ===>>> done processing event #16, run #1 17 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1064,9 +1214,13 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000011] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000011] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011] ReadData INFO EventInfo event: 17 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1717.27 eta = -10.562 phi = 251.697 detector = Track made in: DummyHitDetector @@ -1097,9 +1251,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile4.root AthenaEventLoopMgr INFO ===>>> done processing event #17, run #1 18 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1109,9 +1263,13 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000012] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000012] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012] ReadData INFO EventInfo event: 18 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1817.19 eta = -10.5288 phi = 266.349 detector = Track made in: DummyHitDetector @@ -1142,9 +1300,9 @@ Stream1 DEBUG connectOutput done for SimplePoolFile4.root AthenaEventLoopMgr INFO ===>>> done processing event #18, run #1 19 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1154,9 +1312,13 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000013] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000013] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013] ReadData INFO EventInfo event: 19 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1917.11 eta = -10.4993 phi = 281 detector = Track made in: DummyHitDetector @@ -1185,10 +1347,13 @@ Stream1 DEBUG Object/count: EventInfo_McEventInfo, 20 Stream1 DEBUG Object/count: ExampleTrackContainer_MyTracks, 20 Stream1 DEBUG connectOutput done for SimplePoolFile4.root AthenaEventLoopMgr INFO ===>>> done processing event #19, run #1 20 events processed so far <<<=== -MetaDataSvc DEBUG handle() EndInputFile for FID:???? -MetaDataSvc DEBUG retireMetadataSource: FID:???? -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=SimplePoolFile3.root -StorageSvc DEBUG Closing database: FID=???? +MetaDataSvc DEBUG handle() EndInputFile for FID:A811B014-0297-AD47-AF4C-B75EF418982D +MetaDataSvc DEBUG retireMetadataSource: FID:A811B014-0297-AD47-AF4C-B75EF418982D +EventSelector INFO Disconnecting input sourceID: A811B014-0297-AD47-AF4C-B75EF418982D +StorageSvc DEBUG Disconnect request for database: FID=A811B014-0297-AD47-AF4C-B75EF418982D PFN=SimplePoolFile3.root +StorageSvc DEBUG Closing database: FID=A811B014-0297-AD47-AF4C-B75EF418982D +Domain[ROOT_All] INFO -> Deaccess DbDatabase READ [ROOT_All] A811B014-0297-AD47-AF4C-B75EF418982D +Domain[ROOT_All] INFO > Deaccess DbDomain READ [ROOT_All] AthenaEventLoopMgr INFO No more events in event selection Stream1 DEBUG AthenaOutputStream Stream1 ::stop() MetaDataSvc DEBUG MetaDataSvc::stop() @@ -1197,6 +1362,7 @@ MetaDataSvc DEBUG MetaDataSvc will handle xAOD::FileMetaData_v1 ClassID: MetaDataSvc DEBUG MetaDataSvc will handle xAOD::FileMetaDataAuxInfo_v1 ClassID: 73252552 MetaDataSvc DEBUG calling metaDataStop for ToolSvc.IOVDbMetaDataTool MetaDataSvc DEBUG Locking metadata tools +Stream1 DEBUG metadataItemList: [EventStreamInfo#Stream1, IOVMetaDataContainer#*, xAOD::EventFormat#EventFormatStream1, xAOD::FileMetaData#FileMetaData, xAOD::FileMetaDataAuxInfo#FileMetaDataAux.] Stream1 DEBUG addItemObjects(73252552,"FileMetaDataAux.") called Stream1 DEBUG Key:FileMetaDataAux. Stream1 DEBUG Comp Attr 0 with 7 mantissa bits. @@ -1229,91 +1395,94 @@ MetaDataSvc DEBUG Not translating metadata item ID #1316383046 Stream1 DEBUG Added object 1316383046,"/TagInfo" Stream1 DEBUG connectOutput done for SimplePoolFile4.root StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO xAOD::FileMetaDataAuxInfo_v1 [????] -SimplePoolFile4... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) +StorageSvc INFO xAOD::FileMetaDataAuxInfo_v1 [BEE2BECF-A936-4078-9FDD-AD703C9ADF9F] +SimplePoolFile4... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) MetaData(xAOD::... DEBUG Opening MetaData(xAOD::... DEBUG attributes# = 1 MetaData(xAOD::... DEBUG Branch container 'xAOD::FileMetaDataAuxInfo_v1_FileMetaDataAux.' MetaData(xAOD::... DEBUG Opened container MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) of type ROOT_Tree -SimplePoolFile4... DEBUG --->Adding Assoc :????/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (b , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --->Adding Shape[6 , ????]: [1 Column(s)] +SimplePoolFile4... DEBUG --->Adding Assoc :298DE14D-49CF-674A-9171-CEBBD9BEC6F8/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (b , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:BEE2BECF-A936-4078-9FDD-AD703C9ADF9F +SimplePoolFile4... DEBUG --->Adding Shape[6 , BEE2BECF-A936-4078-9FDD-AD703C9ADF9F]: [1 Column(s)] SimplePoolFile4... DEBUG ---->Class:xAOD::FileMetaDataAuxInfo_v1 SimplePoolFile4... DEBUG ---->[0]:xAOD::FileMetaDataAuxInfo_v1 Typ:xAOD::FileMetaDataAuxInfo_v1 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO EventStreamInfo_p3 [????] -SimplePoolFile4... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(EventStreamInfo_p3/Stream1) +StorageSvc INFO EventStreamInfo_p3 [11DF1B8C-0DEE-4687-80D7-E74B520ACBB4] +SimplePoolFile4... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(EventStreamInfo_p3/Stream1) MetaData(EventS... DEBUG Opening MetaData(EventS... DEBUG attributes# = 1 MetaData(EventS... DEBUG Branch container 'EventStreamInfo_p3_Stream1' MetaData(EventS... DEBUG Opened container MetaData(EventStreamInfo_p3/Stream1) of type ROOT_Tree -SimplePoolFile4... DEBUG --->Adding Assoc :????/MetaData(EventStreamInfo_p3/Stream1) [203] (c , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --->Adding Shape[7 , ????]: [1 Column(s)] +SimplePoolFile4... DEBUG --->Adding Assoc :298DE14D-49CF-674A-9171-CEBBD9BEC6F8/MetaData(EventStreamInfo_p3/Stream1) [203] (c , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:11DF1B8C-0DEE-4687-80D7-E74B520ACBB4 +SimplePoolFile4... DEBUG --->Adding Shape[7 , 11DF1B8C-0DEE-4687-80D7-E74B520ACBB4]: [1 Column(s)] SimplePoolFile4... DEBUG ---->Class:EventStreamInfo_p3 SimplePoolFile4... DEBUG ---->[0]:EventStreamInfo_p3 Typ:EventStreamInfo_p3 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO xAOD::FileMetaData_v1 [????] -SimplePoolFile4... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(xAOD::FileMetaData_v1/FileMetaData) +StorageSvc INFO xAOD::FileMetaData_v1 [C87E3828-4A7A-480A-95DE-0339539F6A0F] +SimplePoolFile4... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(xAOD::FileMetaData_v1/FileMetaData) MetaData(xAOD::... DEBUG Opening MetaData(xAOD::... DEBUG attributes# = 1 MetaData(xAOD::... DEBUG Branch container 'xAOD::FileMetaData_v1_FileMetaData' MetaData(xAOD::... DEBUG Opened container MetaData(xAOD::FileMetaData_v1/FileMetaData) of type ROOT_Tree -SimplePoolFile4... DEBUG --->Adding Assoc :????/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (d , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --->Adding Shape[8 , ????]: [1 Column(s)] +SimplePoolFile4... DEBUG --->Adding Assoc :298DE14D-49CF-674A-9171-CEBBD9BEC6F8/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (d , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:C87E3828-4A7A-480A-95DE-0339539F6A0F +SimplePoolFile4... DEBUG --->Adding Shape[8 , C87E3828-4A7A-480A-95DE-0339539F6A0F]: [1 Column(s)] SimplePoolFile4... DEBUG ---->Class:xAOD::FileMetaData_v1 SimplePoolFile4... DEBUG ---->[0]:xAOD::FileMetaData_v1 Typ:xAOD::FileMetaData_v1 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO xAOD::EventFormat_v1 [????] -SimplePoolFile4... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(xAOD::EventFormat_v1/EventFormatStream1) +StorageSvc INFO xAOD::EventFormat_v1 [0EFE2D2C-9E78-441D-9A87-9EE2B908AC81] +SimplePoolFile4... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(xAOD::EventFormat_v1/EventFormatStream1) MetaData(xAOD::... DEBUG Opening MetaData(xAOD::... DEBUG attributes# = 1 MetaData(xAOD::... DEBUG Branch container 'xAOD::EventFormat_v1_EventFormatStream1' MetaData(xAOD::... DEBUG Opened container MetaData(xAOD::EventFormat_v1/EventFormatStream1) of type ROOT_Tree -SimplePoolFile4... DEBUG --->Adding Assoc :????/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [203] (e , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --->Adding Shape[9 , ????]: [1 Column(s)] +SimplePoolFile4... DEBUG --->Adding Assoc :298DE14D-49CF-674A-9171-CEBBD9BEC6F8/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [203] (e , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:0EFE2D2C-9E78-441D-9A87-9EE2B908AC81 +SimplePoolFile4... DEBUG --->Adding Shape[9 , 0EFE2D2C-9E78-441D-9A87-9EE2B908AC81]: [1 Column(s)] SimplePoolFile4... DEBUG ---->Class:xAOD::EventFormat_v1 SimplePoolFile4... DEBUG ---->[0]:xAOD::EventFormat_v1 Typ:xAOD::EventFormat_v1 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO IOVMetaDataContainer_p1 [????] -SimplePoolFile4... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(IOVMetaDataContainer_p1//TagInfo) +StorageSvc INFO IOVMetaDataContainer_p1 [6C2DE6DF-6D52-43F6-B435-9F29812F40C0] +SimplePoolFile4... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(IOVMetaDataContainer_p1//TagInfo) MetaData(IOVMet... DEBUG Opening MetaData(IOVMet... DEBUG attributes# = 1 MetaData(IOVMet... DEBUG Branch container 'IOVMetaDataContainer_p1__TagInfo' MetaData(IOVMet... DEBUG Opened container MetaData(IOVMetaDataContainer_p1//TagInfo) of type ROOT_Tree -SimplePoolFile4... DEBUG --->Adding Assoc :????/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (f , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --->Adding Shape[10 , ????]: [1 Column(s)] +SimplePoolFile4... DEBUG --->Adding Assoc :298DE14D-49CF-674A-9171-CEBBD9BEC6F8/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (f , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:6C2DE6DF-6D52-43F6-B435-9F29812F40C0 +SimplePoolFile4... DEBUG --->Adding Shape[10 , 6C2DE6DF-6D52-43F6-B435-9F29812F40C0]: [1 Column(s)] SimplePoolFile4... DEBUG ---->Class:IOVMetaDataContainer_p1 SimplePoolFile4... DEBUG ---->[0]:IOVMetaDataContainer_p1 Typ:IOVMetaDataContainer_p1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile4... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaDataHdr(DataHeader) +SimplePoolFile4... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaDataHdr(DataHeader) MetaDataHdr(Dat... DEBUG Opening MetaDataHdr(Dat... DEBUG attributes# = 1 MetaDataHdr(Dat... DEBUG Branch container 'DataHeader' MetaDataHdr(Dat... DEBUG Opened container MetaDataHdr(DataHeader) of type ROOT_Tree -SimplePoolFile4... DEBUG --->Adding Assoc :????/MetaDataHdr(DataHeader) [203] (10 , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaDataHdrForm(DataHeaderForm) +SimplePoolFile4... DEBUG --->Adding Assoc :298DE14D-49CF-674A-9171-CEBBD9BEC6F8/MetaDataHdr(DataHeader) [203] (10 , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile4... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaDataHdrForm(DataHeaderForm) MetaDataHdrForm... DEBUG Opening MetaDataHdrForm... DEBUG attributes# = 1 MetaDataHdrForm... DEBUG Branch container 'DataHeaderForm' MetaDataHdrForm... DEBUG Opened container MetaDataHdrForm(DataHeaderForm) of type ROOT_Tree -SimplePoolFile4... DEBUG --->Adding Assoc :????/MetaDataHdrForm(DataHeaderForm) [203] (11 , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? +SimplePoolFile4... DEBUG --->Adding Assoc :298DE14D-49CF-674A-9171-CEBBD9BEC6F8/MetaDataHdrForm(DataHeaderForm) [203] (11 , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD MetaData(xAOD::... DEBUG SG::IAuxStoreIO* detected in xAOD::FileMetaDataAuxInfo_v1_FileMetaDataAux. MetaData(xAOD::... DEBUG Attributes= 1 MetaData(xAOD::... DEBUG Creating branch for new dynamic attribute, Id=52: type=float, mcProcID MetaData(xAOD::... DEBUG createBasicAuxBranch: xAOD::FileMetaDataAuxInfo_v1_FileMetaDataAuxDyn.mcProcID, leaf:mcProcID/F +ClassIDSvc INFO getRegistryEntries: read 18 CLIDRegistry entries for module ALL Stream1 INFO Metadata records written: 21 MetaDataSvc DEBUG Unlocking metadata tools Stream1 DEBUG Leaving incident handler for MetaDataStop PoolSvc DEBUG Disconnect request for contextId=0 PoolSvc DEBUG Disconnected PersistencySvc session PoolSvc DEBUG Disconnect request for contextId=1 -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=SimplePoolFile4.root -StorageSvc DEBUG Closing database: FID=???? +StorageSvc DEBUG Disconnect request for database: FID=298DE14D-49CF-674A-9171-CEBBD9BEC6F8 PFN=SimplePoolFile4.root +StorageSvc DEBUG Closing database: FID=298DE14D-49CF-674A-9171-CEBBD9BEC6F8 +Domain[ROOT_All] INFO -> Deaccess DbDatabase CREATE [ROOT_All] 298DE14D-49CF-674A-9171-CEBBD9BEC6F8 +Domain[ROOT_All] INFO > Deaccess DbDomain UPDATE [ROOT_All] PoolSvc DEBUG Disconnected PersistencySvc session ApplicationMgr INFO Application Manager Stopped successfully ReadData INFO in finalize() @@ -1323,11 +1492,23 @@ MagicWriteTag INFO in finalize() Stream1 DEBUG finalize: Optimize output PoolSvc DEBUG Disconnect request for contextId=1 Stream1 DEBUG finalize: end optimize output +IOVDbSvc INFO bytes in (( 0.00 ))s +IOVDbSvc INFO Connection sqlite://;schema=cooldummy.db;dbname=OFLP200 : nConnect: 0 nFolders: 0 ReadTime: (( 0.00 ))s +ReadData DEBUG Calling destructor +ReWriteData DEBUG Calling destructor +DecisionSvc INFO Finalized successfully. AthDictLoaderSvc INFO in finalize... ToolSvc INFO Removing all tools created by ToolSvc *****Chrono***** INFO **************************************************************************************************** *****Chrono***** INFO The Final CPU consumption ( Chrono ) Table (ordered) *****Chrono***** INFO **************************************************************************************************** +commitOutput INFO Time User : Tot= 0 [us] Ave/Min/Max= 0(+- 0)/ 0/ 0 [us] #= 21 +cObjR_ALL INFO Time User : Tot= 0 [us] Ave/Min/Max= 0(+- 0)/ 0/ 0 [us] #= 66 +cRep_ALL INFO Time User : Tot= 0 [us] Ave/Min/Max= 0(+- 0)/ 0/ 0 [us] #= 66 +cObj_ALL INFO Time User : Tot= 30 [ms] Ave/Min/Max= 0.469(+- 2.11)/ 0/ 10 [ms] #= 64 +cRepR_ALL INFO Time User : Tot= 40 [ms] Ave/Min/Max= 0.27(+- 1.62)/ 0/ 10 [ms] #=148 +fRep_ALL INFO Time User : Tot= 40 [ms] Ave/Min/Max= 0.606(+- 2.39)/ 0/ 10 [ms] #= 66 +ChronoStatSvc INFO Time User : Tot= 390 [ms] #= 1 *****Chrono***** INFO **************************************************************************************************** ChronoStatSvc.f... INFO Service finalized successfully ApplicationMgr INFO Application Manager Finalized successfully diff --git a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_Read.ref b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_Read.ref index ff8fcec075e99dcf1f2c4877ddca497bbb9ca02d..d96baccba2c681b69e4c758651c19d9117464107 100644 --- a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_Read.ref +++ b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_Read.ref @@ -1,12 +1,45 @@ +Mon Oct 18 10:23:02 CDT 2021 +Preloading tcmalloc_minimal.so +Athena INFO including file "AthenaCommon/Preparation.py" +Athena INFO including file "AthenaCommon/Atlas.UnixStandardJob.py" Athena INFO executing ROOT6Setup +Athena INFO including file "AthenaCommon/Execution.py" +Athena INFO including file "AthenaPoolExampleAlgorithms/AthenaPoolExample_ReadJobOptions.py" +Py:ConfigurableDb INFO Read module info for 5082 configurables from 58 genConfDb files +Py:ConfigurableDb INFO No duplicates have been found: that's good ! +Athena INFO including file "AthenaCommon/runbatch.py" +ApplicationMgr SUCCESS +==================================================================================================================================== + Welcome to ApplicationMgr (GaudiCoreSvc v36r0) + running on atlaslogin01.hep.anl.gov on Mon Oct 18 10:23:14 2021 +==================================================================================================================================== ApplicationMgr INFO Application Manager Configured successfully AthDictLoaderSvc INFO in initialize... AthDictLoaderSvc INFO acquired Dso-registry +ClassIDSvc INFO getRegistryEntries: read 3039 CLIDRegistry entries for module ALL AthenaEventLoopMgr INFO Initializing AthenaEventLoopMgr +ClassIDSvc INFO getRegistryEntries: read 863 CLIDRegistry entries for module ALL +ReadData DEBUG Property update for OutputLevel : new value = 2 ReadData INFO in initialize() +MetaDataSvc DEBUG Property update for OutputLevel : new value = 2 MetaDataSvc INFO Initializing MetaDataSvc +PoolSvc DEBUG Property update for OutputLevel : new value = 2 +PoolSvc DEBUG Service base class initialized successfully +PoolSvc INFO Set connectionsvc retry/timeout/IDLE timeout to 'ConnectionRetrialPeriod':300/ 'ConnectionRetrialTimeOut':3600/ 'ConnectionTimeOut':5 seconds with connection cleanup disabled +PoolSvc INFO Frontier compression level set to 5 +DBReplicaSvc INFO Frontier server at (serverurl=http://atlasfrontier-ai.cern.ch:8000/atlr)(serverurl=http://frontier-atlas.lcg.triumf.ca:3128/ATLAS_frontier)(serverurl=http://ccfrontier.in2p3.fr:23128/ccin2p3-AtlasFrontier)(proxyurl=http://atlasbpfrontier.cern.ch:3127)(proxyurl=http://atlasbpfrontier.fnal.gov:3127) will be considered for COOL data +DBReplicaSvc INFO Read replica configuration from /users/gemmeren/workarea/build/x86_64-centos7-gcc8-opt/share/dbreplica.config +DBReplicaSvc INFO Total of 1 servers found for host atlaslogin01.hep.anl.gov [ATLF ] +PoolSvc INFO Successfully setup replica sorting algorithm PoolSvc DEBUG OutputLevel is 2 +PoolSvc INFO Setting up APR FileCatalog and Streams +PoolSvc INFO POOL WriteCatalog is file:Catalog1.xml +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain READ [ROOT_All] +MetaDataSvc INFO Found MetaDataTools = PublicToolHandleArray(['IOVDbMetaDataTool']) +EventSelector DEBUG Property update for OutputLevel : new value = 2 EventSelector DEBUG Initializing EventSelector +EventSelector DEBUG Service base class initialized successfully EventSelector DEBUG Events to skip: 9, 10 IoComponentMgr INFO IoComponent EventSelector has already had file EmptyPoolFile.root registered with i/o mode READ EventSelector DEBUG reinitialization... @@ -14,154 +47,175 @@ EventSelector INFO EventSelection with query EventSelector DEBUG Try item: "EmptyPoolFile.root" from the collection list. PoolSvc DEBUG createCollection() type=RootCollection, connection=PFN:EmptyPoolFile.root, name=EmptyPoolFile.root, contextID=0 PoolSvc DEBUG createCollection() type=ImplicitCollection, connection=PFN:EmptyPoolFile.root, name=POOLContainer(DataHeader), contextID=0 +PersistencySvc:... DEBUG lookupPFN: EmptyPoolFile.root returned FID: 'C7040C30-3363-7D42-B1B7-E3F3B1881030' tech=ROOT_All +Domain[ROOT_All] INFO -> Access DbDatabase READ [ROOT_All] C7040C30-3363-7D42-B1B7-E3F3B1881030 +Domain[ROOT_All] INFO EmptyPoolFile.root EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 ##Shapes DEBUG Opened container ##Shapes of type ROOT_Tree -EmptyPoolFile.root DEBUG --->Reading Shape[0 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[0 , BEE2BECF-A936-4078-9FDD-AD703C9ADF9F]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:xAOD::FileMetaDataAuxInfo_v1 Typ:xAOD::FileMetaDataAuxInfo_v1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[1 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[1 , 11DF1B8C-0DEE-4687-80D7-E74B520ACBB4]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:EventStreamInfo_p3 Typ:EventStreamInfo_p3 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[2 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[2 , C87E3828-4A7A-480A-95DE-0339539F6A0F]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:xAOD::FileMetaData_v1 Typ:xAOD::FileMetaData_v1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[3 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[3 , 0EFE2D2C-9E78-441D-9A87-9EE2B908AC81]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:xAOD::EventFormat_v1 Typ:xAOD::EventFormat_v1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[4 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[4 , 6C2DE6DF-6D52-43F6-B435-9F29812F40C0]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:IOVMetaDataContainer_p1 Typ:IOVMetaDataContainer_p1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[5 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[5 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[6 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[6 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 ##Shapes DEBUG No objects passing selection criteria... Container has 7 Entries in total. EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_All] ##Links ##Links DEBUG Opening ##Links DEBUG attributes# = 1 ##Links DEBUG Opened container ##Links of type ROOT_Tree -EmptyPoolFile.root DEBUG --->Reading Assoc:????/##Params [200] (2 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (3 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(EventStreamInfo_p3/Stream3) [203] (4 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (5 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(xAOD::EventFormat_v1/EventFormatStream3) [203] (6 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (7 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaDataHdr(DataHeader) [203] (8 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaDataHdrForm(DataHeaderForm) [203] (9 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/##Params [200] (2 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (3 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:BEE2BECF-A936-4078-9FDD-AD703C9ADF9F +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(EventStreamInfo_p3/Stream3) [203] (4 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:11DF1B8C-0DEE-4687-80D7-E74B520ACBB4 +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (5 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:C87E3828-4A7A-480A-95DE-0339539F6A0F +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(xAOD::EventFormat_v1/EventFormatStream3) [203] (6 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:0EFE2D2C-9E78-441D-9A87-9EE2B908AC81 +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (7 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:6C2DE6DF-6D52-43F6-B435-9F29812F40C0 +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaDataHdr(DataHeader) [203] (8 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaDataHdrForm(DataHeaderForm) [203] (9 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD ##Links DEBUG No objects passing selection criteria... Container has 8 Entries in total. EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_All] ##Params ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -EmptyPoolFile.root DEBUG --->Reading Param:FID=[????] +EmptyPoolFile.root DEBUG --->Reading Param:FID=[C7040C30-3363-7D42-B1B7-E3F3B1881030] EmptyPoolFile.root DEBUG --->Reading Param:PFN=[EmptyPoolFile.root] EmptyPoolFile.root DEBUG --->Reading Param:POOL_VSN=[1.1] EmptyPoolFile.root DEBUG --->Reading Param:FORMAT_VSN=[1.1] ##Params DEBUG No objects passing selection criteria... Container has 4 Entries in total. +PoolSvc INFO Failed to find container POOLContainer(DataHeader) to create POOL collection. PoolSvc DEBUG createCollection() type=ImplicitCollection, connection=PFN:EmptyPoolFile.root, name=POOLContainer_DataHeader, contextID=0 +PoolSvc INFO Failed to find container POOLContainer_DataHeader to create POOL collection. EventSelector DEBUG No events found in: EmptyPoolFile.root skipped!!! -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=EmptyPoolFile.root -StorageSvc DEBUG Closing database: FID=???? +StorageSvc DEBUG Disconnect request for database: FID=C7040C30-3363-7D42-B1B7-E3F3B1881030 PFN=EmptyPoolFile.root +StorageSvc DEBUG Closing database: FID=C7040C30-3363-7D42-B1B7-E3F3B1881030 +Domain[ROOT_All] INFO -> Deaccess DbDatabase READ [ROOT_All] C7040C30-3363-7D42-B1B7-E3F3B1881030 +Domain[ROOT_All] INFO > Deaccess DbDomain READ [ROOT_All] EventSelector DEBUG Try item: "SimplePoolFile1.root" from the collection list. PoolSvc DEBUG createCollection() type=RootCollection, connection=PFN:SimplePoolFile1.root, name=SimplePoolFile1.root, contextID=0 -MetaDataSvc DEBUG handle() FirstInputFile for FID:???? -MetaDataSvc DEBUG initInputMetaDataStore: file name FID:???? +MetaDataSvc DEBUG handle() FirstInputFile for FID:F2313678-C96A-964F-89E8-08BAB39F2DA7 +MetaDataSvc DEBUG initInputMetaDataStore: file name FID:F2313678-C96A-964F-89E8-08BAB39F2DA7 +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain READ [ROOT_All] +Domain[ROOT_All] INFO -> Access DbDatabase READ [ROOT_All] F2313678-C96A-964F-89E8-08BAB39F2DA7 +Domain[ROOT_All] INFO SimplePoolFile1.root SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 ##Shapes DEBUG Opened container ##Shapes of type ROOT_Tree -SimplePoolFile1... DEBUG --->Reading Shape[0 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[0 , C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:EventInfo_p4 Typ:EventInfo_p4 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[1 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[1 , 6BB89FA1-EB62-4641-97CA-3F8DB6588053]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:ExampleHitContainer_p1 Typ:ExampleHitContainer_p1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[2 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[2 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[3 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[3 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[4 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[4 , E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:Token Typ:Token [18] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[5 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[5 , BBACA313-D7B0-3A4C-9161-089CACF4B1CC]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:unsigned int Typ:unsigned int [3] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[6 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[6 , BEE2BECF-A936-4078-9FDD-AD703C9ADF9F]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:xAOD::FileMetaDataAuxInfo_v1 Typ:xAOD::FileMetaDataAuxInfo_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[7 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[7 , 11DF1B8C-0DEE-4687-80D7-E74B520ACBB4]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:EventStreamInfo_p3 Typ:EventStreamInfo_p3 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[8 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[8 , C87E3828-4A7A-480A-95DE-0339539F6A0F]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:xAOD::FileMetaData_v1 Typ:xAOD::FileMetaData_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[9 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[9 , 0EFE2D2C-9E78-441D-9A87-9EE2B908AC81]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:xAOD::EventFormat_v1 Typ:xAOD::EventFormat_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[10 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[10 , 6C2DE6DF-6D52-43F6-B435-9F29812F40C0]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:IOVMetaDataContainer_p1 Typ:IOVMetaDataContainer_p1 [21] Size:0 Offset:0 #Elements:1 ##Shapes DEBUG No objects passing selection criteria... Container has 11 Entries in total. SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_All] ##Links ##Links DEBUG Opening ##Links DEBUG attributes# = 1 ##Links DEBUG Opened container ##Links of type ROOT_Tree -SimplePoolFile1... DEBUG --->Reading Assoc:????/##Params [200] (2 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/CollectionTree(ExampleHitContainer_p1/MyHits) [203] (4 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLContainer(DataHeader) [203] (5 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(Token) [202] (7 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(RunNumber) [202] (8 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventNumber) [202] (9 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(MagicNumber) [202] (a , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (b , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaData(EventStreamInfo_p3/Stream1) [203] (c , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (d , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [203] (e , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (f , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaDataHdr(DataHeader) [203] (10 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaDataHdrForm(DataHeaderForm) [203] (11 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/##Params [200] (2 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/CollectionTree(ExampleHitContainer_p1/MyHits) [203] (4 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:6BB89FA1-EB62-4641-97CA-3F8DB6588053 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLContainer(DataHeader) [203] (5 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(Token) [202] (7 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(RunNumber) [202] (8 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(EventNumber) [202] (9 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(MagicNumber) [202] (a , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (b , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BEE2BECF-A936-4078-9FDD-AD703C9ADF9F +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(EventStreamInfo_p3/Stream1) [203] (c , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:11DF1B8C-0DEE-4687-80D7-E74B520ACBB4 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (d , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:C87E3828-4A7A-480A-95DE-0339539F6A0F +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [203] (e , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:0EFE2D2C-9E78-441D-9A87-9EE2B908AC81 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (f , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:6C2DE6DF-6D52-43F6-B435-9F29812F40C0 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaDataHdr(DataHeader) [203] (10 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaDataHdrForm(DataHeaderForm) [203] (11 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD ##Links DEBUG No objects passing selection criteria... Container has 16 Entries in total. SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_All] ##Params ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -SimplePoolFile1... DEBUG --->Reading Param:FID=[????] +SimplePoolFile1... DEBUG --->Reading Param:FID=[F2313678-C96A-964F-89E8-08BAB39F2DA7] SimplePoolFile1... DEBUG --->Reading Param:PFN=[SimplePoolFile1.root] SimplePoolFile1... DEBUG --->Reading Param:POOL_VSN=[1.1] SimplePoolFile1... DEBUG --->Reading Param:FORMAT_VSN=[1.1] ##Params DEBUG No objects passing selection criteria... Container has 4 Entries in total. -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdr(DataHeader) +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdr(DataHeader) MetaDataHdr(Dat... DEBUG Opening MetaDataHdr(Dat... DEBUG attributes# = 1 MetaDataHdr(Dat... DEBUG Branch container 'DataHeader' MetaDataHdr(Dat... DEBUG Opened container MetaDataHdr(DataHeader) of type ROOT_Tree -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdrForm(DataHeaderForm) +ClassIDSvc INFO getRegistryEntries: read 1725 CLIDRegistry entries for module ALL +EventPersistenc... INFO Added successfully Conversion service:AthenaPoolCnvSvc +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdrForm(DataHeaderForm) MetaDataHdrForm... DEBUG Opening MetaDataHdrForm... DEBUG attributes# = 1 MetaDataHdrForm... DEBUG Branch container 'DataHeaderForm' MetaDataHdrForm... DEBUG Opened container MetaDataHdrForm(DataHeaderForm) of type ROOT_Tree MetaDataSvc DEBUG Loaded input meta data store proxies -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaData(IOVMetaDataContainer_p1//TagInfo) +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaData(IOVMetaDataContainer_p1//TagInfo) MetaData(IOVMet... DEBUG Opening MetaData(IOVMet... DEBUG attributes# = 1 MetaData(IOVMet... DEBUG Branch container 'IOVMetaDataContainer_p1__TagInfo' MetaData(IOVMet... DEBUG Opened container MetaData(IOVMetaDataContainer_p1//TagInfo) of type ROOT_Tree +ClassIDSvc INFO getRegistryEntries: read 8 CLIDRegistry entries for module ALL MetaDataSvc DEBUG Registering all Tools in ToolHandleArray MetaDataTools MetaDataSvc DEBUG Adding public ToolHandle tool ToolSvc.IOVDbMetaDataTool (IOVDbMetaDataTool) +MetaDataSvc INFO AlgTool: ToolSvc.IOVDbMetaDataTool +AthenaPoolAddre... DEBUG Property update for OutputLevel : new value = 2 +AthenaPoolAddre... DEBUG Service base class initialized successfully +ReadData DEBUG input handles: 3 +ReadData DEBUG output handles: 0 +ReadData DEBUG Data Deps for ReadData + + INPUT ( 'DataHeader' , 'StoreGateSvc+EventSelector' ) + INPUT ( 'ExampleHitContainer' , 'StoreGateSvc+MyHits' ) + INPUT ( 'ExampleTrackContainer' , 'StoreGateSvc+MyTracks' ) AthenaEventLoopMgr INFO Setup EventSelector service EventSelector @@ -169,65 +223,70 @@ ApplicationMgr INFO Application Manager Initialized successfully EventSelector DEBUG Try item: "EmptyPoolFile.root" from the collection list. PoolSvc DEBUG createCollection() type=RootCollection, connection=PFN:EmptyPoolFile.root, name=EmptyPoolFile.root, contextID=0 PoolSvc DEBUG createCollection() type=ImplicitCollection, connection=PFN:EmptyPoolFile.root, name=POOLContainer(DataHeader), contextID=0 +PersistencySvc:... DEBUG lookupPFN: EmptyPoolFile.root returned FID: 'C7040C30-3363-7D42-B1B7-E3F3B1881030' tech=ROOT_All +Domain[ROOT_All] INFO -> Access DbDatabase READ [ROOT_All] C7040C30-3363-7D42-B1B7-E3F3B1881030 +Domain[ROOT_All] INFO EmptyPoolFile.root EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 ##Shapes DEBUG Opened container ##Shapes of type ROOT_Tree -EmptyPoolFile.root DEBUG --->Reading Shape[0 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[0 , BEE2BECF-A936-4078-9FDD-AD703C9ADF9F]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:xAOD::FileMetaDataAuxInfo_v1 Typ:xAOD::FileMetaDataAuxInfo_v1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[1 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[1 , 11DF1B8C-0DEE-4687-80D7-E74B520ACBB4]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:EventStreamInfo_p3 Typ:EventStreamInfo_p3 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[2 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[2 , C87E3828-4A7A-480A-95DE-0339539F6A0F]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:xAOD::FileMetaData_v1 Typ:xAOD::FileMetaData_v1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[3 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[3 , 0EFE2D2C-9E78-441D-9A87-9EE2B908AC81]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:xAOD::EventFormat_v1 Typ:xAOD::EventFormat_v1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[4 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[4 , 6C2DE6DF-6D52-43F6-B435-9F29812F40C0]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:IOVMetaDataContainer_p1 Typ:IOVMetaDataContainer_p1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[5 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[5 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[6 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[6 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 ##Shapes DEBUG No objects passing selection criteria... Container has 7 Entries in total. EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_All] ##Links ##Links DEBUG Opening ##Links DEBUG attributes# = 1 ##Links DEBUG Opened container ##Links of type ROOT_Tree -EmptyPoolFile.root DEBUG --->Reading Assoc:????/##Params [200] (2 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (3 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(EventStreamInfo_p3/Stream3) [203] (4 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (5 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(xAOD::EventFormat_v1/EventFormatStream3) [203] (6 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (7 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaDataHdr(DataHeader) [203] (8 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaDataHdrForm(DataHeaderForm) [203] (9 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/##Params [200] (2 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (3 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:BEE2BECF-A936-4078-9FDD-AD703C9ADF9F +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(EventStreamInfo_p3/Stream3) [203] (4 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:11DF1B8C-0DEE-4687-80D7-E74B520ACBB4 +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (5 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:C87E3828-4A7A-480A-95DE-0339539F6A0F +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(xAOD::EventFormat_v1/EventFormatStream3) [203] (6 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:0EFE2D2C-9E78-441D-9A87-9EE2B908AC81 +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (7 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:6C2DE6DF-6D52-43F6-B435-9F29812F40C0 +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaDataHdr(DataHeader) [203] (8 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaDataHdrForm(DataHeaderForm) [203] (9 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD ##Links DEBUG No objects passing selection criteria... Container has 8 Entries in total. EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_All] ##Params ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -EmptyPoolFile.root DEBUG --->Reading Param:FID=[????] +EmptyPoolFile.root DEBUG --->Reading Param:FID=[C7040C30-3363-7D42-B1B7-E3F3B1881030] EmptyPoolFile.root DEBUG --->Reading Param:PFN=[EmptyPoolFile.root] EmptyPoolFile.root DEBUG --->Reading Param:POOL_VSN=[1.1] EmptyPoolFile.root DEBUG --->Reading Param:FORMAT_VSN=[1.1] ##Params DEBUG No objects passing selection criteria... Container has 4 Entries in total. +PoolSvc INFO Failed to find container POOLContainer(DataHeader) to create POOL collection. PoolSvc DEBUG createCollection() type=ImplicitCollection, connection=PFN:EmptyPoolFile.root, name=POOLContainer_DataHeader, contextID=0 +PoolSvc INFO Failed to find container POOLContainer_DataHeader to create POOL collection. EventSelector DEBUG No events found in: EmptyPoolFile.root skipped!!! MetaDataSvc DEBUG handle() BeginInputFile for EmptyPoolFile.root MetaDataSvc DEBUG initInputMetaDataStore: file name EmptyPoolFile.root -EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdr(DataHeader) +EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdr(DataHeader) MetaDataHdr(Dat... DEBUG Opening MetaDataHdr(Dat... DEBUG attributes# = 1 MetaDataHdr(Dat... DEBUG Branch container 'DataHeader' MetaDataHdr(Dat... DEBUG Opened container MetaDataHdr(DataHeader) of type ROOT_Tree -EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdrForm(DataHeaderForm) +EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdrForm(DataHeaderForm) MetaDataHdrForm... DEBUG Opening MetaDataHdrForm... DEBUG attributes# = 1 MetaDataHdrForm... DEBUG Branch container 'DataHeaderForm' @@ -236,8 +295,9 @@ MetaDataSvc DEBUG Loaded input meta data store proxies MetaDataSvc DEBUG calling beginInputFile for ToolSvc.IOVDbMetaDataTool MetaDataSvc DEBUG handle() EndInputFile for eventless EmptyPoolFile.root MetaDataSvc DEBUG retireMetadataSource: eventless EmptyPoolFile.root -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=EmptyPoolFile.root -StorageSvc DEBUG Closing database: FID=???? +StorageSvc DEBUG Disconnect request for database: FID=C7040C30-3363-7D42-B1B7-E3F3B1881030 PFN=EmptyPoolFile.root +StorageSvc DEBUG Closing database: FID=C7040C30-3363-7D42-B1B7-E3F3B1881030 +Domain[ROOT_All] INFO -> Deaccess DbDatabase READ [ROOT_All] C7040C30-3363-7D42-B1B7-E3F3B1881030 EventSelector DEBUG Try item: "SimplePoolFile1.root" from the collection list. PoolSvc DEBUG createCollection() type=RootCollection, connection=PFN:SimplePoolFile1.root, name=SimplePoolFile1.root, contextID=0 ApplicationMgr INFO Application Manager Started successfully @@ -250,6 +310,8 @@ RootDatabase.se... DEBUG Request tree cache RootDatabase.se... DEBUG File name SimplePoolFile1.root RootDatabase.se... DEBUG Got tree CollectionTree read entry -1 RootDatabase.se... DEBUG Using Tree cache. Size: 100000 Nevents to learn with: 6 +PoolSvc INFO Database (SimplePoolFile1.root) attribute [TREE_CACHE_LEARN_EVENTS]: 6 +PoolSvc INFO Database (SimplePoolFile1.root) attribute [TREE_CACHE_SIZE]: 100000 MetaDataSvc DEBUG handle() BeginInputFile for SimplePoolFile1.root MetaDataSvc DEBUG initInputMetaDataStore: file name SimplePoolFile1.root MetaDataSvc DEBUG Loaded input meta data store proxies @@ -266,15 +328,15 @@ EventSelector INFO skipping event 9 EventSelector INFO skipping event 10 EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A] -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] POOLContainer(DataHeader) +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A] +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] POOLContainer(DataHeader) POOLContainer(D... DEBUG Opening POOLContainer(D... DEBUG attributes# = 1 POOLContainer(D... DEBUG Branch container 'DataHeader' POOLContainer(D... DEBUG Opened container POOLContainer(DataHeader) of type ROOT_Tree -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] POOLContainerForm(DataHeaderForm) +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] POOLContainerForm(DataHeaderForm) POOLContainerFo... DEBUG Opening POOLContainerFo... DEBUG attributes# = 1 POOLContainerFo... DEBUG Branch container 'DataHeaderForm' @@ -282,15 +344,17 @@ POOLContainerFo... DEBUG Opened container POOLContainerForm(DataHeaderForm) of AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] CollectionTree(EventInfo_p4/McEventInfo) +AlgResourcePool INFO TopAlg list empty. Recovering the one of Application Manager +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] CollectionTree(EventInfo_p4/McEventInfo) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'EventInfo_p4_McEventInfo' CollectionTree(... DEBUG Opened container CollectionTree(EventInfo_p4/McEventInfo) of type ROOT_Tree +AthenaPoolConve... INFO massageEventInfo: unable to get OverrideRunNumberFromInput property from EventSelector AthenaEventLoopMgr INFO ===>>> start of run 1 <<<=== AthenaEventLoopMgr INFO ===>>> start processing event #10, run #1 0 events processed so far <<<=== ReadData DEBUG in execute() -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaData(EventStreamInfo_p3/Stream1) +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaData(EventStreamInfo_p3/Stream1) MetaData(EventS... DEBUG Opening MetaData(EventS... DEBUG attributes# = 1 MetaData(EventS... DEBUG Branch container 'EventStreamInfo_p3_Stream1' @@ -299,13 +363,16 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000A] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000A] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A] ReadData INFO EventInfo event: 10 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] CollectionTree(ExampleHitContainer_p1/MyHits) +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] CollectionTree(ExampleHitContainer_p1/MyHits) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'ExampleHitContainer_p1_MyHits' @@ -320,12 +387,15 @@ ReadData INFO Hit x = 1020.49 y = 63.5816 z = -951.864 detector = Du ReadData INFO Hit x = 1023.7 y = 57.9027 z = -953.684 detector = DummyHitDetector ReadData INFO Hit x = 1026.91 y = 52.2238 z = -955.073 detector = DummyHitDetector ReadData INFO Hit x = 1030.12 y = 46.5449 z = -956.169 detector = DummyHitDetector +PoolSvc INFO Database (SimplePoolFile1.root) attribute [BYTES_READ]: 24480 +PoolSvc INFO Database (SimplePoolFile1.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #10, run #1 1 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B]. +ClassIDSvc INFO getRegistryEntries: read 13 CLIDRegistry entries for module ALL +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -335,9 +405,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000B] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000B] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B] ReadData INFO EventInfo event: 11 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -351,12 +424,14 @@ ReadData INFO Hit x = 1120.49 y = 63.5816 z = -1051.86 detector = Du ReadData INFO Hit x = 1123.7 y = 57.9027 z = -1053.68 detector = DummyHitDetector ReadData INFO Hit x = 1126.91 y = 52.2238 z = -1055.07 detector = DummyHitDetector ReadData INFO Hit x = 1130.12 y = 46.5449 z = -1056.17 detector = DummyHitDetector +PoolSvc INFO Database (SimplePoolFile1.root) attribute [BYTES_READ]: 24480 +PoolSvc INFO Database (SimplePoolFile1.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #11, run #1 2 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -366,9 +441,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000C] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000C] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C] ReadData INFO EventInfo event: 12 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -382,12 +460,14 @@ ReadData INFO Hit x = 1220.49 y = 63.5816 z = -1151.86 detector = Du ReadData INFO Hit x = 1223.7 y = 57.9027 z = -1153.68 detector = DummyHitDetector ReadData INFO Hit x = 1226.91 y = 52.2238 z = -1155.07 detector = DummyHitDetector ReadData INFO Hit x = 1230.12 y = 46.5449 z = -1156.17 detector = DummyHitDetector +PoolSvc INFO Database (SimplePoolFile1.root) attribute [BYTES_READ]: 24480 +PoolSvc INFO Database (SimplePoolFile1.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #12, run #1 3 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -397,9 +477,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000D] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000D] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D] ReadData INFO EventInfo event: 13 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -413,12 +496,14 @@ ReadData INFO Hit x = 1320.49 y = 63.5816 z = -1251.86 detector = Du ReadData INFO Hit x = 1323.7 y = 57.9027 z = -1253.68 detector = DummyHitDetector ReadData INFO Hit x = 1326.91 y = 52.2238 z = -1255.07 detector = DummyHitDetector ReadData INFO Hit x = 1330.12 y = 46.5449 z = -1256.17 detector = DummyHitDetector +PoolSvc INFO Database (SimplePoolFile1.root) attribute [BYTES_READ]: 24480 +PoolSvc INFO Database (SimplePoolFile1.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #13, run #1 4 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -428,9 +513,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000E] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000E] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E] ReadData INFO EventInfo event: 14 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -444,12 +532,14 @@ ReadData INFO Hit x = 1420.49 y = 63.5816 z = -1351.86 detector = Du ReadData INFO Hit x = 1423.7 y = 57.9027 z = -1353.68 detector = DummyHitDetector ReadData INFO Hit x = 1426.91 y = 52.2238 z = -1355.07 detector = DummyHitDetector ReadData INFO Hit x = 1430.12 y = 46.5449 z = -1356.17 detector = DummyHitDetector +PoolSvc INFO Database (SimplePoolFile1.root) attribute [BYTES_READ]: 24480 +PoolSvc INFO Database (SimplePoolFile1.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #14, run #1 5 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -459,9 +549,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000F] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000F] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F] ReadData INFO EventInfo event: 15 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -475,12 +568,14 @@ ReadData INFO Hit x = 1520.49 y = 63.5816 z = -1451.86 detector = Du ReadData INFO Hit x = 1523.7 y = 57.9027 z = -1453.68 detector = DummyHitDetector ReadData INFO Hit x = 1526.91 y = 52.2238 z = -1455.07 detector = DummyHitDetector ReadData INFO Hit x = 1530.12 y = 46.5449 z = -1456.17 detector = DummyHitDetector +PoolSvc INFO Database (SimplePoolFile1.root) attribute [BYTES_READ]: 24480 +PoolSvc INFO Database (SimplePoolFile1.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #15, run #1 6 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -490,9 +585,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000010] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000010] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010] ReadData INFO EventInfo event: 16 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -506,12 +604,14 @@ ReadData INFO Hit x = 1620.49 y = 63.5816 z = -1551.86 detector = Du ReadData INFO Hit x = 1623.7 y = 57.9027 z = -1553.68 detector = DummyHitDetector ReadData INFO Hit x = 1626.91 y = 52.2238 z = -1555.07 detector = DummyHitDetector ReadData INFO Hit x = 1630.12 y = 46.5449 z = -1556.17 detector = DummyHitDetector +PoolSvc INFO Database (SimplePoolFile1.root) attribute [BYTES_READ]: 24480 +PoolSvc INFO Database (SimplePoolFile1.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #16, run #1 7 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -521,9 +621,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000011] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000011] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011] ReadData INFO EventInfo event: 17 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -537,12 +640,14 @@ ReadData INFO Hit x = 1720.49 y = 63.5816 z = -1651.86 detector = Du ReadData INFO Hit x = 1723.7 y = 57.9027 z = -1653.68 detector = DummyHitDetector ReadData INFO Hit x = 1726.91 y = 52.2238 z = -1655.07 detector = DummyHitDetector ReadData INFO Hit x = 1730.12 y = 46.5449 z = -1656.17 detector = DummyHitDetector +PoolSvc INFO Database (SimplePoolFile1.root) attribute [BYTES_READ]: 24480 +PoolSvc INFO Database (SimplePoolFile1.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #17, run #1 8 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -552,9 +657,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000012] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000012] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012] ReadData INFO EventInfo event: 18 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -568,12 +676,14 @@ ReadData INFO Hit x = 1820.49 y = 63.5816 z = -1751.86 detector = Du ReadData INFO Hit x = 1823.7 y = 57.9027 z = -1753.68 detector = DummyHitDetector ReadData INFO Hit x = 1826.91 y = 52.2238 z = -1755.07 detector = DummyHitDetector ReadData INFO Hit x = 1830.12 y = 46.5449 z = -1756.17 detector = DummyHitDetector +PoolSvc INFO Database (SimplePoolFile1.root) attribute [BYTES_READ]: 24480 +PoolSvc INFO Database (SimplePoolFile1.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #18, run #1 9 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -583,9 +693,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000013] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000013] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013] ReadData INFO EventInfo event: 19 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -599,150 +712,169 @@ ReadData INFO Hit x = 1920.49 y = 63.5816 z = -1851.86 detector = Du ReadData INFO Hit x = 1923.7 y = 57.9027 z = -1853.68 detector = DummyHitDetector ReadData INFO Hit x = 1926.91 y = 52.2238 z = -1855.07 detector = DummyHitDetector ReadData INFO Hit x = 1930.12 y = 46.5449 z = -1856.17 detector = DummyHitDetector +PoolSvc INFO Database (SimplePoolFile1.root) attribute [BYTES_READ]: 24480 +PoolSvc INFO Database (SimplePoolFile1.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #19, run #1 10 events processed so far <<<=== -MetaDataSvc DEBUG handle() EndInputFile for FID:???? -MetaDataSvc DEBUG retireMetadataSource: FID:???? -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=SimplePoolFile1.root -StorageSvc DEBUG Closing database: FID=???? +MetaDataSvc DEBUG handle() EndInputFile for FID:F2313678-C96A-964F-89E8-08BAB39F2DA7 +MetaDataSvc DEBUG retireMetadataSource: FID:F2313678-C96A-964F-89E8-08BAB39F2DA7 +EventSelector INFO Disconnecting input sourceID: F2313678-C96A-964F-89E8-08BAB39F2DA7 +StorageSvc DEBUG Disconnect request for database: FID=F2313678-C96A-964F-89E8-08BAB39F2DA7 PFN=SimplePoolFile1.root +StorageSvc DEBUG Closing database: FID=F2313678-C96A-964F-89E8-08BAB39F2DA7 +Domain[ROOT_All] INFO -> Deaccess DbDatabase READ [ROOT_All] F2313678-C96A-964F-89E8-08BAB39F2DA7 +Domain[ROOT_All] INFO > Deaccess DbDomain READ [ROOT_All] EventSelector DEBUG Try item: "EmptyPoolFile.root" from the collection list. PoolSvc DEBUG createCollection() type=RootCollection, connection=PFN:EmptyPoolFile.root, name=EmptyPoolFile.root, contextID=0 PoolSvc DEBUG createCollection() type=ImplicitCollection, connection=PFN:EmptyPoolFile.root, name=POOLContainer(DataHeader), contextID=0 +PersistencySvc:... DEBUG lookupPFN: EmptyPoolFile.root returned FID: 'C7040C30-3363-7D42-B1B7-E3F3B1881030' tech=ROOT_All +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain READ [ROOT_All] +Domain[ROOT_All] INFO -> Access DbDatabase READ [ROOT_All] C7040C30-3363-7D42-B1B7-E3F3B1881030 +Domain[ROOT_All] INFO EmptyPoolFile.root EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 ##Shapes DEBUG Opened container ##Shapes of type ROOT_Tree -EmptyPoolFile.root DEBUG --->Reading Shape[0 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[0 , BEE2BECF-A936-4078-9FDD-AD703C9ADF9F]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:xAOD::FileMetaDataAuxInfo_v1 Typ:xAOD::FileMetaDataAuxInfo_v1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[1 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[1 , 11DF1B8C-0DEE-4687-80D7-E74B520ACBB4]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:EventStreamInfo_p3 Typ:EventStreamInfo_p3 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[2 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[2 , C87E3828-4A7A-480A-95DE-0339539F6A0F]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:xAOD::FileMetaData_v1 Typ:xAOD::FileMetaData_v1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[3 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[3 , 0EFE2D2C-9E78-441D-9A87-9EE2B908AC81]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:xAOD::EventFormat_v1 Typ:xAOD::EventFormat_v1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[4 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[4 , 6C2DE6DF-6D52-43F6-B435-9F29812F40C0]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:IOVMetaDataContainer_p1 Typ:IOVMetaDataContainer_p1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[5 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[5 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[6 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[6 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 ##Shapes DEBUG No objects passing selection criteria... Container has 7 Entries in total. EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_All] ##Links ##Links DEBUG Opening ##Links DEBUG attributes# = 1 ##Links DEBUG Opened container ##Links of type ROOT_Tree -EmptyPoolFile.root DEBUG --->Reading Assoc:????/##Params [200] (2 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (3 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(EventStreamInfo_p3/Stream3) [203] (4 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (5 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(xAOD::EventFormat_v1/EventFormatStream3) [203] (6 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (7 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaDataHdr(DataHeader) [203] (8 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaDataHdrForm(DataHeaderForm) [203] (9 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/##Params [200] (2 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (3 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:BEE2BECF-A936-4078-9FDD-AD703C9ADF9F +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(EventStreamInfo_p3/Stream3) [203] (4 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:11DF1B8C-0DEE-4687-80D7-E74B520ACBB4 +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (5 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:C87E3828-4A7A-480A-95DE-0339539F6A0F +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(xAOD::EventFormat_v1/EventFormatStream3) [203] (6 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:0EFE2D2C-9E78-441D-9A87-9EE2B908AC81 +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (7 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:6C2DE6DF-6D52-43F6-B435-9F29812F40C0 +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaDataHdr(DataHeader) [203] (8 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaDataHdrForm(DataHeaderForm) [203] (9 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD ##Links DEBUG No objects passing selection criteria... Container has 8 Entries in total. EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_All] ##Params ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -EmptyPoolFile.root DEBUG --->Reading Param:FID=[????] +EmptyPoolFile.root DEBUG --->Reading Param:FID=[C7040C30-3363-7D42-B1B7-E3F3B1881030] EmptyPoolFile.root DEBUG --->Reading Param:PFN=[EmptyPoolFile.root] EmptyPoolFile.root DEBUG --->Reading Param:POOL_VSN=[1.1] EmptyPoolFile.root DEBUG --->Reading Param:FORMAT_VSN=[1.1] ##Params DEBUG No objects passing selection criteria... Container has 4 Entries in total. +PoolSvc INFO Failed to find container POOLContainer(DataHeader) to create POOL collection. PoolSvc DEBUG createCollection() type=ImplicitCollection, connection=PFN:EmptyPoolFile.root, name=POOLContainer_DataHeader, contextID=0 +PoolSvc INFO Failed to find container POOLContainer_DataHeader to create POOL collection. EventSelector DEBUG No events found in: EmptyPoolFile.root skipped!!! MetaDataSvc DEBUG handle() BeginInputFile for EmptyPoolFile.root MetaDataSvc DEBUG initInputMetaDataStore: file name EmptyPoolFile.root -EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdr(DataHeader) +EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdr(DataHeader) MetaDataHdr(Dat... DEBUG Opening MetaDataHdr(Dat... DEBUG attributes# = 1 MetaDataHdr(Dat... DEBUG Branch container 'DataHeader' MetaDataHdr(Dat... DEBUG Opened container MetaDataHdr(DataHeader) of type ROOT_Tree MetaDataSvc DEBUG Loaded input meta data store proxies MetaDataSvc DEBUG calling beginInputFile for ToolSvc.IOVDbMetaDataTool -EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_Tree] MetaData(IOVMetaDataContainer_p1//TagInfo) +EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaData(IOVMetaDataContainer_p1//TagInfo) MetaData(IOVMet... DEBUG Opening MetaData(IOVMet... DEBUG attributes# = 1 MetaData(IOVMet... DEBUG Branch container 'IOVMetaDataContainer_p1__TagInfo' MetaData(IOVMet... DEBUG Opened container MetaData(IOVMetaDataContainer_p1//TagInfo) of type ROOT_Tree MetaDataSvc DEBUG handle() EndInputFile for eventless EmptyPoolFile.root MetaDataSvc DEBUG retireMetadataSource: eventless EmptyPoolFile.root -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=EmptyPoolFile.root -StorageSvc DEBUG Closing database: FID=???? +StorageSvc DEBUG Disconnect request for database: FID=C7040C30-3363-7D42-B1B7-E3F3B1881030 PFN=EmptyPoolFile.root +StorageSvc DEBUG Closing database: FID=C7040C30-3363-7D42-B1B7-E3F3B1881030 +Domain[ROOT_All] INFO -> Deaccess DbDatabase READ [ROOT_All] C7040C30-3363-7D42-B1B7-E3F3B1881030 +Domain[ROOT_All] INFO > Deaccess DbDomain READ [ROOT_All] EventSelector DEBUG Try item: "SimplePoolFile2.root" from the collection list. PoolSvc DEBUG createCollection() type=RootCollection, connection=PFN:SimplePoolFile2.root, name=SimplePoolFile2.root, contextID=0 +PersistencySvc:... DEBUG lookupPFN: SimplePoolFile2.root returned FID: '73F77177-D136-9344-B64D-29693F68D6C2' tech=ROOT_All +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain READ [ROOT_All] +Domain[ROOT_All] INFO -> Access DbDatabase READ [ROOT_All] 73F77177-D136-9344-B64D-29693F68D6C2 +Domain[ROOT_All] INFO SimplePoolFile2.root SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 ##Shapes DEBUG Opened container ##Shapes of type ROOT_Tree -SimplePoolFile2... DEBUG --->Reading Shape[0 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Reading Shape[0 , C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7]: [1 Column(s)] SimplePoolFile2... DEBUG ---->[0]:EventInfo_p4 Typ:EventInfo_p4 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile2... DEBUG --->Reading Shape[1 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Reading Shape[1 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] SimplePoolFile2... DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile2... DEBUG --->Reading Shape[2 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Reading Shape[2 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] SimplePoolFile2... DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile2... DEBUG --->Reading Shape[3 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Reading Shape[3 , E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A]: [1 Column(s)] SimplePoolFile2... DEBUG ---->[0]:Token Typ:Token [18] Size:0 Offset:0 #Elements:1 -SimplePoolFile2... DEBUG --->Reading Shape[4 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Reading Shape[4 , BBACA313-D7B0-3A4C-9161-089CACF4B1CC]: [1 Column(s)] SimplePoolFile2... DEBUG ---->[0]:unsigned int Typ:unsigned int [3] Size:0 Offset:0 #Elements:1 -SimplePoolFile2... DEBUG --->Reading Shape[5 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Reading Shape[5 , BEE2BECF-A936-4078-9FDD-AD703C9ADF9F]: [1 Column(s)] SimplePoolFile2... DEBUG ---->[0]:xAOD::FileMetaDataAuxInfo_v1 Typ:xAOD::FileMetaDataAuxInfo_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile2... DEBUG --->Reading Shape[6 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Reading Shape[6 , 11DF1B8C-0DEE-4687-80D7-E74B520ACBB4]: [1 Column(s)] SimplePoolFile2... DEBUG ---->[0]:EventStreamInfo_p3 Typ:EventStreamInfo_p3 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile2... DEBUG --->Reading Shape[7 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Reading Shape[7 , C87E3828-4A7A-480A-95DE-0339539F6A0F]: [1 Column(s)] SimplePoolFile2... DEBUG ---->[0]:xAOD::FileMetaData_v1 Typ:xAOD::FileMetaData_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile2... DEBUG --->Reading Shape[8 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Reading Shape[8 , 0EFE2D2C-9E78-441D-9A87-9EE2B908AC81]: [1 Column(s)] SimplePoolFile2... DEBUG ---->[0]:xAOD::EventFormat_v1 Typ:xAOD::EventFormat_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile2... DEBUG --->Reading Shape[9 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Reading Shape[9 , 6C2DE6DF-6D52-43F6-B435-9F29812F40C0]: [1 Column(s)] SimplePoolFile2... DEBUG ---->[0]:IOVMetaDataContainer_p1 Typ:IOVMetaDataContainer_p1 [21] Size:0 Offset:0 #Elements:1 ##Shapes DEBUG No objects passing selection criteria... Container has 10 Entries in total. SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_All] ##Links ##Links DEBUG Opening ##Links DEBUG attributes# = 1 ##Links DEBUG Opened container ##Links of type ROOT_Tree -SimplePoolFile2... DEBUG --->Reading Assoc:????/##Params [200] (2 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/POOLContainer(DataHeader) [203] (4 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/POOLContainerForm(DataHeaderForm) [203] (5 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/POOLCollectionTree(Token) [202] (6 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/POOLCollectionTree(RunNumber) [202] (7 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventNumber) [202] (8 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/POOLCollectionTree(MagicNumber) [202] (9 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (a , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/MetaData(EventStreamInfo_p3/Stream2) [203] (b , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (c , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/MetaData(xAOD::EventFormat_v1/EventFormatStream2) [203] (d , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (e , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/MetaDataHdr(DataHeader) [203] (f , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/MetaDataHdrForm(DataHeaderForm) [203] (10 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/##Params [200] (2 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7 +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/POOLContainer(DataHeader) [203] (4 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/POOLContainerForm(DataHeaderForm) [203] (5 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/POOLCollectionTree(Token) [202] (6 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/POOLCollectionTree(RunNumber) [202] (7 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/POOLCollectionTree(EventNumber) [202] (8 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/POOLCollectionTree(MagicNumber) [202] (9 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (a , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:BEE2BECF-A936-4078-9FDD-AD703C9ADF9F +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/MetaData(EventStreamInfo_p3/Stream2) [203] (b , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:11DF1B8C-0DEE-4687-80D7-E74B520ACBB4 +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (c , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:C87E3828-4A7A-480A-95DE-0339539F6A0F +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/MetaData(xAOD::EventFormat_v1/EventFormatStream2) [203] (d , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:0EFE2D2C-9E78-441D-9A87-9EE2B908AC81 +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (e , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:6C2DE6DF-6D52-43F6-B435-9F29812F40C0 +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/MetaDataHdr(DataHeader) [203] (f , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/MetaDataHdrForm(DataHeaderForm) [203] (10 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD ##Links DEBUG No objects passing selection criteria... Container has 15 Entries in total. SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_All] ##Params ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -SimplePoolFile2... DEBUG --->Reading Param:FID=[????] +SimplePoolFile2... DEBUG --->Reading Param:FID=[73F77177-D136-9344-B64D-29693F68D6C2] SimplePoolFile2... DEBUG --->Reading Param:PFN=[SimplePoolFile2.root] SimplePoolFile2... DEBUG --->Reading Param:POOL_VSN=[1.1] SimplePoolFile2... DEBUG --->Reading Param:FORMAT_VSN=[1.1] @@ -756,50 +888,52 @@ RootDatabase.se... DEBUG Request tree cache RootDatabase.se... DEBUG File name SimplePoolFile2.root RootDatabase.se... DEBUG Got tree CollectionTree read entry -1 RootDatabase.se... DEBUG Using Tree cache. Size: 100000 Nevents to learn with: 6 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [TREE_CACHE_LEARN_EVENTS]: 6 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [TREE_CACHE_SIZE]: 100000 MetaDataSvc DEBUG handle() BeginInputFile for SimplePoolFile2.root MetaDataSvc DEBUG initInputMetaDataStore: file name SimplePoolFile2.root -SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdr(DataHeader) +SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdr(DataHeader) MetaDataHdr(Dat... DEBUG Opening MetaDataHdr(Dat... DEBUG attributes# = 1 MetaDataHdr(Dat... DEBUG Branch container 'DataHeader' MetaDataHdr(Dat... DEBUG Opened container MetaDataHdr(DataHeader) of type ROOT_Tree -SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdrForm(DataHeaderForm) +SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdrForm(DataHeaderForm) MetaDataHdrForm... DEBUG Opening MetaDataHdrForm... DEBUG attributes# = 1 MetaDataHdrForm... DEBUG Branch container 'DataHeaderForm' MetaDataHdrForm... DEBUG Opened container MetaDataHdrForm(DataHeaderForm) of type ROOT_Tree MetaDataSvc DEBUG Loaded input meta data store proxies MetaDataSvc DEBUG calling beginInputFile for ToolSvc.IOVDbMetaDataTool -SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaData(IOVMetaDataContainer_p1//TagInfo) +SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaData(IOVMetaDataContainer_p1//TagInfo) MetaData(IOVMet... DEBUG Opening MetaData(IOVMet... DEBUG attributes# = 1 MetaData(IOVMet... DEBUG Branch container 'IOVMetaDataContainer_p1__TagInfo' MetaData(IOVMet... DEBUG Opened container MetaData(IOVMetaDataContainer_p1//TagInfo) of type ROOT_Tree EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000000]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000000]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000000] -SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_Tree] POOLContainer(DataHeader) +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000000]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000000]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000000] +SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] POOLContainer(DataHeader) POOLContainer(D... DEBUG Opening POOLContainer(D... DEBUG attributes# = 1 POOLContainer(D... DEBUG Branch container 'DataHeader' POOLContainer(D... DEBUG Opened container POOLContainer(DataHeader) of type ROOT_Tree -SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_Tree] POOLContainerForm(DataHeaderForm) +SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] POOLContainerForm(DataHeaderForm) POOLContainerFo... DEBUG Opening POOLContainerFo... DEBUG attributes# = 1 POOLContainerFo... DEBUG Branch container 'DataHeaderForm' POOLContainerFo... DEBUG Opened container POOLContainerForm(DataHeaderForm) of type ROOT_Tree AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo -SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_Tree] CollectionTree(EventInfo_p4/McEventInfo) +SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] CollectionTree(EventInfo_p4/McEventInfo) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'EventInfo_p4_McEventInfo' CollectionTree(... DEBUG Opened container CollectionTree(EventInfo_p4/McEventInfo) of type ROOT_Tree AthenaEventLoopMgr INFO ===>>> start processing event #0, run #1 10 events processed so far <<<=== ReadData DEBUG in execute() -SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaData(EventStreamInfo_p3/Stream2) +SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaData(EventStreamInfo_p3/Stream2) MetaData(EventS... DEBUG Opening MetaData(EventS... DEBUG attributes# = 1 MetaData(EventS... DEBUG Branch container 'EventStreamInfo_p3_Stream2' @@ -807,19 +941,23 @@ MetaData(EventS... DEBUG Opened container MetaData(EventStreamInfo_p3/Stream2) ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000000] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000000] ReadData INFO EventInfo event: 0 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #0, run #1 11 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000001]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000001]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000001] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000001]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000001]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000001] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #1, run #1 11 events processed so far <<<=== @@ -827,19 +965,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000001] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000001] ReadData INFO EventInfo event: 1 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #1, run #1 12 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000002]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000002]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000002] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000002]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000002]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000002] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #2, run #1 12 events processed so far <<<=== @@ -847,19 +989,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000002] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000002] ReadData INFO EventInfo event: 2 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #2, run #1 13 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000003]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000003]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000003] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000003]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000003]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000003] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #3, run #1 13 events processed so far <<<=== @@ -867,19 +1013,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000003] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000003] ReadData INFO EventInfo event: 3 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #3, run #1 14 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000004]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000004]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000004] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000004]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000004]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000004] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #4, run #1 14 events processed so far <<<=== @@ -887,19 +1037,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000004] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000004] ReadData INFO EventInfo event: 4 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #4, run #1 15 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000005]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000005]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000005] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000005]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000005]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000005] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #5, run #1 15 events processed so far <<<=== @@ -907,19 +1061,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000005] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000005] ReadData INFO EventInfo event: 5 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #5, run #1 16 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000006]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000006]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000006] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000006]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000006]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000006] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #6, run #1 16 events processed so far <<<=== @@ -927,19 +1085,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000006] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000006] ReadData INFO EventInfo event: 6 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #6, run #1 17 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000007]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000007]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000007] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000007]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000007]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000007] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #7, run #1 17 events processed so far <<<=== @@ -947,19 +1109,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000007] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000007] ReadData INFO EventInfo event: 7 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #7, run #1 18 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000008]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000008]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000008] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000008]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000008]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000008] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #8, run #1 18 events processed so far <<<=== @@ -967,19 +1133,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000008] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000008] ReadData INFO EventInfo event: 8 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #8, run #1 19 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000009]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000009]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000009] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000009]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000009]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000009] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #9, run #1 19 events processed so far <<<=== @@ -987,19 +1157,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000009] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000009] ReadData INFO EventInfo event: 9 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #9, run #1 20 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000A]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000A]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000A] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000A]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000A]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000A] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #10, run #1 20 events processed so far <<<=== @@ -1007,19 +1181,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000A] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000A] ReadData INFO EventInfo event: 10 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #10, run #1 21 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000B]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000B]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000B] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000B]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000B]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000B] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #11, run #1 21 events processed so far <<<=== @@ -1027,19 +1205,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000B] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000B] ReadData INFO EventInfo event: 11 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #11, run #1 22 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000C]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000C]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000C] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000C]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000C]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000C] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #12, run #1 22 events processed so far <<<=== @@ -1047,19 +1229,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000C] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000C] ReadData INFO EventInfo event: 12 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #12, run #1 23 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000D]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000D]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000D] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000D]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000D]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000D] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #13, run #1 23 events processed so far <<<=== @@ -1067,19 +1253,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000D] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000D] ReadData INFO EventInfo event: 13 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #13, run #1 24 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000E]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000E]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000E] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000E]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000E]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000E] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #14, run #1 24 events processed so far <<<=== @@ -1087,19 +1277,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000E] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000E] ReadData INFO EventInfo event: 14 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #14, run #1 25 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000F]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000F]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000F] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000F]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000F]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000F] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #15, run #1 25 events processed so far <<<=== @@ -1107,19 +1301,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000F] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000F] ReadData INFO EventInfo event: 15 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #15, run #1 26 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000010]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000010]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000010] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000010]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000010]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000010] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #16, run #1 26 events processed so far <<<=== @@ -1127,19 +1325,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000010] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000010] ReadData INFO EventInfo event: 16 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #16, run #1 27 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000011]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000011]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000011] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000011]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000011]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000011] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #17, run #1 27 events processed so far <<<=== @@ -1147,19 +1349,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000011] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000011] ReadData INFO EventInfo event: 17 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #17, run #1 28 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000012]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000012]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000012] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000012]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000012]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000012] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #18, run #1 28 events processed so far <<<=== @@ -1167,19 +1373,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000012] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000012] ReadData INFO EventInfo event: 18 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #18, run #1 29 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000013]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000013]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000013] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000013]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000013]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000013] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #19, run #1 29 events processed so far <<<=== @@ -1187,89 +1397,101 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000013] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000013] ReadData INFO EventInfo event: 19 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #19, run #1 30 events processed so far <<<=== -MetaDataSvc DEBUG handle() EndInputFile for FID:???? -MetaDataSvc DEBUG retireMetadataSource: FID:???? -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=SimplePoolFile2.root -StorageSvc DEBUG Closing database: FID=???? +MetaDataSvc DEBUG handle() EndInputFile for FID:73F77177-D136-9344-B64D-29693F68D6C2 +MetaDataSvc DEBUG retireMetadataSource: FID:73F77177-D136-9344-B64D-29693F68D6C2 +EventSelector INFO Disconnecting input sourceID: 73F77177-D136-9344-B64D-29693F68D6C2 +StorageSvc DEBUG Disconnect request for database: FID=73F77177-D136-9344-B64D-29693F68D6C2 PFN=SimplePoolFile2.root +StorageSvc DEBUG Closing database: FID=73F77177-D136-9344-B64D-29693F68D6C2 +Domain[ROOT_All] INFO -> Deaccess DbDatabase READ [ROOT_All] 73F77177-D136-9344-B64D-29693F68D6C2 +Domain[ROOT_All] INFO > Deaccess DbDomain READ [ROOT_All] EventSelector DEBUG Try item: "SimplePoolFile3.root" from the collection list. PoolSvc DEBUG createCollection() type=RootCollection, connection=PFN:SimplePoolFile3.root, name=SimplePoolFile3.root, contextID=0 +PersistencySvc:... DEBUG lookupPFN: SimplePoolFile3.root returned FID: 'A811B014-0297-AD47-AF4C-B75EF418982D' tech=ROOT_All +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain READ [ROOT_All] +Domain[ROOT_All] INFO -> Access DbDatabase READ [ROOT_All] A811B014-0297-AD47-AF4C-B75EF418982D +Domain[ROOT_All] INFO SimplePoolFile3.root SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 ##Shapes DEBUG Opened container ##Shapes of type ROOT_Tree -SimplePoolFile3... DEBUG --->Reading Shape[0 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[0 , C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:EventInfo_p4 Typ:EventInfo_p4 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --->Reading Shape[1 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[1 , FF777FDA-721C-4756-BBF3-4CE28C2A3AF5]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:ExampleTrackContainer_p1 Typ:ExampleTrackContainer_p1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --->Reading Shape[2 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[2 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --->Reading Shape[3 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[3 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --->Reading Shape[4 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[4 , E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:Token Typ:Token [18] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --->Reading Shape[5 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[5 , BBACA313-D7B0-3A4C-9161-089CACF4B1CC]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:unsigned int Typ:unsigned int [3] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --->Reading Shape[6 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[6 , BEE2BECF-A936-4078-9FDD-AD703C9ADF9F]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:xAOD::FileMetaDataAuxInfo_v1 Typ:xAOD::FileMetaDataAuxInfo_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --->Reading Shape[7 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[7 , 11DF1B8C-0DEE-4687-80D7-E74B520ACBB4]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:EventStreamInfo_p3 Typ:EventStreamInfo_p3 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --->Reading Shape[8 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[8 , C87E3828-4A7A-480A-95DE-0339539F6A0F]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:xAOD::FileMetaData_v1 Typ:xAOD::FileMetaData_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --->Reading Shape[9 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[9 , 0EFE2D2C-9E78-441D-9A87-9EE2B908AC81]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:xAOD::EventFormat_v1 Typ:xAOD::EventFormat_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --->Reading Shape[10 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[10 , 6C2DE6DF-6D52-43F6-B435-9F29812F40C0]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:IOVMetaDataContainer_p1 Typ:IOVMetaDataContainer_p1 [21] Size:0 Offset:0 #Elements:1 ##Shapes DEBUG No objects passing selection criteria... Container has 11 Entries in total. SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_All] ##Links ##Links DEBUG Opening ##Links DEBUG attributes# = 1 ##Links DEBUG Opened container ##Links of type ROOT_Tree -SimplePoolFile3... DEBUG --->Reading Assoc:????/##Params [200] (2 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/CollectionTree(ExampleTrackContainer_p1/MyTracks) [203] (4 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/POOLContainer(DataHeader) [203] (5 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/POOLCollectionTree(Token) [202] (7 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/POOLCollectionTree(RunNumber) [202] (8 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventNumber) [202] (9 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/POOLCollectionTree(MagicNumber) [202] (a , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (b , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/MetaData(EventStreamInfo_p3/Stream1) [203] (c , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (d , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [203] (e , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (f , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/MetaDataHdr(DataHeader) [203] (10 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/MetaDataHdrForm(DataHeaderForm) [203] (11 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/##Params [200] (2 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7 +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/CollectionTree(ExampleTrackContainer_p1/MyTracks) [203] (4 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:FF777FDA-721C-4756-BBF3-4CE28C2A3AF5 +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/POOLContainer(DataHeader) [203] (5 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(Token) [202] (7 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(RunNumber) [202] (8 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(EventNumber) [202] (9 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(MagicNumber) [202] (a , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (b , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:BEE2BECF-A936-4078-9FDD-AD703C9ADF9F +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/MetaData(EventStreamInfo_p3/Stream1) [203] (c , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:11DF1B8C-0DEE-4687-80D7-E74B520ACBB4 +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (d , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:C87E3828-4A7A-480A-95DE-0339539F6A0F +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [203] (e , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:0EFE2D2C-9E78-441D-9A87-9EE2B908AC81 +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (f , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:6C2DE6DF-6D52-43F6-B435-9F29812F40C0 +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/MetaDataHdr(DataHeader) [203] (10 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/MetaDataHdrForm(DataHeaderForm) [203] (11 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD ##Links DEBUG No objects passing selection criteria... Container has 16 Entries in total. SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_All] ##Params ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -SimplePoolFile3... DEBUG --->Reading Param:FID=[????] +SimplePoolFile3... DEBUG --->Reading Param:FID=[A811B014-0297-AD47-AF4C-B75EF418982D] SimplePoolFile3... DEBUG --->Reading Param:PFN=[SimplePoolFile3.root] SimplePoolFile3... DEBUG --->Reading Param:POOL_VSN=[1.1] SimplePoolFile3... DEBUG --->Reading Param:FORMAT_VSN=[1.1] @@ -1283,36 +1505,38 @@ RootDatabase.se... DEBUG Request tree cache RootDatabase.se... DEBUG File name SimplePoolFile3.root RootDatabase.se... DEBUG Got tree CollectionTree read entry -1 RootDatabase.se... DEBUG Using Tree cache. Size: 100000 Nevents to learn with: 6 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [TREE_CACHE_LEARN_EVENTS]: 6 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [TREE_CACHE_SIZE]: 100000 MetaDataSvc DEBUG handle() BeginInputFile for SimplePoolFile3.root MetaDataSvc DEBUG initInputMetaDataStore: file name SimplePoolFile3.root -SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdr(DataHeader) +SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdr(DataHeader) MetaDataHdr(Dat... DEBUG Opening MetaDataHdr(Dat... DEBUG attributes# = 1 MetaDataHdr(Dat... DEBUG Branch container 'DataHeader' MetaDataHdr(Dat... DEBUG Opened container MetaDataHdr(DataHeader) of type ROOT_Tree -SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdrForm(DataHeaderForm) +SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdrForm(DataHeaderForm) MetaDataHdrForm... DEBUG Opening MetaDataHdrForm... DEBUG attributes# = 1 MetaDataHdrForm... DEBUG Branch container 'DataHeaderForm' MetaDataHdrForm... DEBUG Opened container MetaDataHdrForm(DataHeaderForm) of type ROOT_Tree MetaDataSvc DEBUG Loaded input meta data store proxies MetaDataSvc DEBUG calling beginInputFile for ToolSvc.IOVDbMetaDataTool -SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaData(IOVMetaDataContainer_p1//TagInfo) +SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaData(IOVMetaDataContainer_p1//TagInfo) MetaData(IOVMet... DEBUG Opening MetaData(IOVMet... DEBUG attributes# = 1 MetaData(IOVMet... DEBUG Branch container 'IOVMetaDataContainer_p1__TagInfo' MetaData(IOVMet... DEBUG Opened container MetaData(IOVMetaDataContainer_p1//TagInfo) of type ROOT_Tree EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000000]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000000]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000000] -SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_Tree] POOLContainer(DataHeader) +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000] +SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] POOLContainer(DataHeader) POOLContainer(D... DEBUG Opening POOLContainer(D... DEBUG attributes# = 1 POOLContainer(D... DEBUG Branch container 'DataHeader' POOLContainer(D... DEBUG Opened container POOLContainer(DataHeader) of type ROOT_Tree -SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_Tree] POOLContainerForm(DataHeaderForm) +SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] POOLContainerForm(DataHeaderForm) POOLContainerFo... DEBUG Opening POOLContainerFo... DEBUG attributes# = 1 POOLContainerFo... DEBUG Branch container 'DataHeaderForm' @@ -1320,14 +1544,14 @@ POOLContainerFo... DEBUG Opened container POOLContainerForm(DataHeaderForm) of AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks -SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_Tree] CollectionTree(EventInfo_p4/McEventInfo) +SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] CollectionTree(EventInfo_p4/McEventInfo) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'EventInfo_p4_McEventInfo' CollectionTree(... DEBUG Opened container CollectionTree(EventInfo_p4/McEventInfo) of type ROOT_Tree AthenaEventLoopMgr INFO ===>>> start processing event #0, run #1 30 events processed so far <<<=== ReadData DEBUG in execute() -SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaData(EventStreamInfo_p3/Stream1) +SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaData(EventStreamInfo_p3/Stream1) MetaData(EventS... DEBUG Opening MetaData(EventS... DEBUG attributes# = 1 MetaData(EventS... DEBUG Branch container 'EventStreamInfo_p3_Stream1' @@ -1336,12 +1560,16 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000000] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000000] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000] ReadData INFO EventInfo event: 0 run: 1 ReadData INFO Get Smart data ptr 1 -SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_Tree] CollectionTree(ExampleTrackContainer_p1/MyTracks) +SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] CollectionTree(ExampleTrackContainer_p1/MyTracks) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'ExampleTrackContainer_p1_MyTracks' @@ -1350,12 +1578,14 @@ ReadData INFO Track pt = 74.8928 eta = 3.1676 phi = 2.6161 detector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23362 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #0, run #1 31 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000001]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000001]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000001] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1365,21 +1595,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000001] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000001] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001] ReadData INFO EventInfo event: 1 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 137.584 eta = -39.525 phi = 17.2679 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23362 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #1, run #1 32 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000002]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000002]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000002] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1389,21 +1625,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000002] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000002] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002] ReadData INFO EventInfo event: 2 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 228.154 eta = -6.2704 phi = 31.9197 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23362 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #2, run #1 33 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000003]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000003]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000003] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1413,21 +1655,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000003] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000003] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003] ReadData INFO EventInfo event: 3 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 324.306 eta = -15.8941 phi = 46.5715 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23362 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #3, run #1 34 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000004]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000004]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000004] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1437,21 +1685,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000004] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000004] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004] ReadData INFO EventInfo event: 4 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 422.255 eta = -13.279 phi = 61.2233 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23362 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #4, run #1 35 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000005]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000005]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000005] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1461,21 +1715,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000005] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000005] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005] ReadData INFO EventInfo event: 5 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 520.987 eta = -12.3511 phi = 75.8751 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23362 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #5, run #1 36 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000006]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000006]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000006] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1485,21 +1745,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000006] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000006] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006] ReadData INFO EventInfo event: 6 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 620.127 eta = -11.8468 phi = 90.5269 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23362 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #6, run #1 37 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000007]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000007]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000007] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1509,21 +1775,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000007] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000007] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007] ReadData INFO EventInfo event: 7 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 719.507 eta = -11.5247 phi = 105.179 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23362 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #7, run #1 38 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000008]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000008]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000008] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1533,21 +1805,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000008] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000008] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008] ReadData INFO EventInfo event: 8 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 819.038 eta = -11.2998 phi = 119.831 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23362 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #8, run #1 39 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000009]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000009]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000009] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1557,21 +1835,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000009] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000009] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009] ReadData INFO EventInfo event: 9 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 918.671 eta = -11.1334 phi = 134.482 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23362 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #9, run #1 40 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1581,21 +1865,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000A] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-0000000A] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A] ReadData INFO EventInfo event: 10 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1018.38 eta = -11.0052 phi = 149.134 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23362 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #10, run #1 41 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1605,21 +1895,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000B] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-0000000B] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B] ReadData INFO EventInfo event: 11 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1118.13 eta = -10.9031 phi = 163.786 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23362 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #11, run #1 42 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1629,21 +1925,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000C] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-0000000C] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C] ReadData INFO EventInfo event: 12 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1217.93 eta = -10.82 phi = 178.438 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23362 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #12, run #1 43 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1653,21 +1955,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000D] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-0000000D] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D] ReadData INFO EventInfo event: 13 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1317.76 eta = -10.751 phi = 193.09 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23362 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #13, run #1 44 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1677,21 +1985,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000E] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-0000000E] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E] ReadData INFO EventInfo event: 14 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1417.61 eta = -10.6927 phi = 207.741 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23362 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #14, run #1 45 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1701,21 +2015,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000F] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-0000000F] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F] ReadData INFO EventInfo event: 15 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1517.49 eta = -10.6429 phi = 222.393 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23362 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #15, run #1 46 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1725,21 +2045,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000010] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000010] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010] ReadData INFO EventInfo event: 16 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1617.37 eta = -10.5997 phi = 237.045 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23362 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #16, run #1 47 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1749,21 +2075,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000011] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000011] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011] ReadData INFO EventInfo event: 17 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1717.27 eta = -10.562 phi = 251.697 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23362 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #17, run #1 48 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1773,21 +2105,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000012] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000012] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012] ReadData INFO EventInfo event: 18 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1817.19 eta = -10.5288 phi = 266.349 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23362 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #18, run #1 49 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1797,20 +2135,29 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000013] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000013] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013] ReadData INFO EventInfo event: 19 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1917.11 eta = -10.4993 phi = 281 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23362 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #19, run #1 50 events processed so far <<<=== -MetaDataSvc DEBUG handle() EndInputFile for FID:???? -MetaDataSvc DEBUG retireMetadataSource: FID:???? -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=SimplePoolFile3.root -StorageSvc DEBUG Closing database: FID=???? +MetaDataSvc DEBUG handle() EndInputFile for FID:A811B014-0297-AD47-AF4C-B75EF418982D +MetaDataSvc DEBUG retireMetadataSource: FID:A811B014-0297-AD47-AF4C-B75EF418982D +EventSelector INFO Disconnecting input sourceID: A811B014-0297-AD47-AF4C-B75EF418982D +StorageSvc DEBUG Disconnect request for database: FID=A811B014-0297-AD47-AF4C-B75EF418982D PFN=SimplePoolFile3.root +StorageSvc DEBUG Closing database: FID=A811B014-0297-AD47-AF4C-B75EF418982D +Domain[ROOT_All] INFO -> Deaccess DbDatabase READ [ROOT_All] A811B014-0297-AD47-AF4C-B75EF418982D +Domain[ROOT_All] INFO > Deaccess DbDomain READ [ROOT_All] AthenaEventLoopMgr INFO No more events in event selection MetaDataSvc DEBUG MetaDataSvc::stop() PoolSvc DEBUG Disconnect request for contextId=0 @@ -1818,11 +2165,15 @@ PoolSvc DEBUG Disconnected PersistencySvc session PoolSvc DEBUG Disconnect request for contextId=1 ApplicationMgr INFO Application Manager Stopped successfully ReadData INFO in finalize() +ReadData DEBUG Calling destructor AthDictLoaderSvc INFO in finalize... ToolSvc INFO Removing all tools created by ToolSvc *****Chrono***** INFO **************************************************************************************************** *****Chrono***** INFO The Final CPU consumption ( Chrono ) Table (ordered) *****Chrono***** INFO **************************************************************************************************** +cObjR_ALL INFO Time User : Tot= 10 [ms] Ave/Min/Max= 0.0662(+- 0.811)/ 0/ 10 [ms] #=151 +cObj_ALL INFO Time User : Tot= 30 [ms] Ave/Min/Max= 0.208(+- 1.43)/ 0/ 10 [ms] #=144 +ChronoStatSvc INFO Time User : Tot= 270 [ms] #= 1 *****Chrono***** INFO **************************************************************************************************** ChronoStatSvc.f... INFO Service finalized successfully ApplicationMgr INFO Application Manager Finalized successfully diff --git a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_ReadAgain.ref b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_ReadAgain.ref index aaa18512a878ff3660767937a444d56924c11286..568086157f5d089cdae4dd30d3179b93ab371917 100644 --- a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_ReadAgain.ref +++ b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_ReadAgain.ref @@ -1,12 +1,45 @@ +Mon Oct 18 10:24:09 CDT 2021 +Preloading tcmalloc_minimal.so +Athena INFO including file "AthenaCommon/Preparation.py" +Athena INFO including file "AthenaCommon/Atlas.UnixStandardJob.py" Athena INFO executing ROOT6Setup +Athena INFO including file "AthenaCommon/Execution.py" +Athena INFO including file "AthenaPoolExampleAlgorithms/AthenaPoolExample_ReadAgainJobOptions.py" +Py:ConfigurableDb INFO Read module info for 5082 configurables from 58 genConfDb files +Py:ConfigurableDb INFO No duplicates have been found: that's good ! +Athena INFO including file "AthenaCommon/runbatch.py" +ApplicationMgr SUCCESS +==================================================================================================================================== + Welcome to ApplicationMgr (GaudiCoreSvc v36r0) + running on atlaslogin01.hep.anl.gov on Mon Oct 18 10:24:21 2021 +==================================================================================================================================== ApplicationMgr INFO Application Manager Configured successfully AthDictLoaderSvc INFO in initialize... AthDictLoaderSvc INFO acquired Dso-registry +ClassIDSvc INFO getRegistryEntries: read 3039 CLIDRegistry entries for module ALL AthenaEventLoopMgr INFO Initializing AthenaEventLoopMgr +ClassIDSvc INFO getRegistryEntries: read 722 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 593 CLIDRegistry entries for module ALL EventInfoCnvAlg INFO Initializing EventInfoCnvAlg +MetaDataSvc DEBUG Property update for OutputLevel : new value = 2 MetaDataSvc INFO Initializing MetaDataSvc +PoolSvc DEBUG Property update for OutputLevel : new value = 2 +PoolSvc DEBUG Service base class initialized successfully +PoolSvc INFO Set connectionsvc retry/timeout/IDLE timeout to 'ConnectionRetrialPeriod':300/ 'ConnectionRetrialTimeOut':3600/ 'ConnectionTimeOut':5 seconds with connection cleanup disabled +PoolSvc INFO Frontier compression level set to 5 +DBReplicaSvc INFO Frontier server at (serverurl=http://atlasfrontier-ai.cern.ch:8000/atlr)(serverurl=http://frontier-atlas.lcg.triumf.ca:3128/ATLAS_frontier)(serverurl=http://ccfrontier.in2p3.fr:23128/ccin2p3-AtlasFrontier)(proxyurl=http://atlasbpfrontier.cern.ch:3127)(proxyurl=http://atlasbpfrontier.fnal.gov:3127) will be considered for COOL data +DBReplicaSvc INFO Read replica configuration from /users/gemmeren/workarea/build/x86_64-centos7-gcc8-opt/share/dbreplica.config +DBReplicaSvc INFO Total of 1 servers found for host atlaslogin01.hep.anl.gov [ATLF ] +PoolSvc INFO Successfully setup replica sorting algorithm PoolSvc DEBUG OutputLevel is 2 +PoolSvc INFO Setting up APR FileCatalog and Streams +PoolSvc INFO POOL WriteCatalog is file:Catalog1.xml +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain READ [ROOT_All] +MetaDataSvc INFO Found MetaDataTools = PublicToolHandleArray(['IOVDbMetaDataTool']) +EventSelector DEBUG Property update for OutputLevel : new value = 2 EventSelector DEBUG Initializing EventSelector +EventSelector DEBUG Service base class initialized successfully EventSelector DEBUG Events to skip: 9, 10 IoComponentMgr INFO IoComponent EventSelector has already had file EmptyPoolFile.root registered with i/o mode READ EventSelector DEBUG reinitialization... @@ -14,182 +47,204 @@ EventSelector INFO EventSelection with query EventSelector DEBUG Try item: "EmptyPoolFile.root" from the collection list. PoolSvc DEBUG createCollection() type=RootCollection, connection=PFN:EmptyPoolFile.root, name=EmptyPoolFile.root, contextID=0 PoolSvc DEBUG createCollection() type=ImplicitCollection, connection=PFN:EmptyPoolFile.root, name=POOLContainer(DataHeader), contextID=0 +PersistencySvc:... DEBUG lookupPFN: EmptyPoolFile.root returned FID: 'C7040C30-3363-7D42-B1B7-E3F3B1881030' tech=ROOT_All +Domain[ROOT_All] INFO -> Access DbDatabase READ [ROOT_All] C7040C30-3363-7D42-B1B7-E3F3B1881030 +Domain[ROOT_All] INFO EmptyPoolFile.root EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 ##Shapes DEBUG Opened container ##Shapes of type ROOT_Tree -EmptyPoolFile.root DEBUG --->Reading Shape[0 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[0 , BEE2BECF-A936-4078-9FDD-AD703C9ADF9F]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:xAOD::FileMetaDataAuxInfo_v1 Typ:xAOD::FileMetaDataAuxInfo_v1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[1 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[1 , 11DF1B8C-0DEE-4687-80D7-E74B520ACBB4]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:EventStreamInfo_p3 Typ:EventStreamInfo_p3 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[2 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[2 , C87E3828-4A7A-480A-95DE-0339539F6A0F]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:xAOD::FileMetaData_v1 Typ:xAOD::FileMetaData_v1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[3 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[3 , 0EFE2D2C-9E78-441D-9A87-9EE2B908AC81]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:xAOD::EventFormat_v1 Typ:xAOD::EventFormat_v1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[4 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[4 , 6C2DE6DF-6D52-43F6-B435-9F29812F40C0]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:IOVMetaDataContainer_p1 Typ:IOVMetaDataContainer_p1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[5 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[5 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[6 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[6 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 ##Shapes DEBUG No objects passing selection criteria... Container has 7 Entries in total. EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_All] ##Links ##Links DEBUG Opening ##Links DEBUG attributes# = 1 ##Links DEBUG Opened container ##Links of type ROOT_Tree -EmptyPoolFile.root DEBUG --->Reading Assoc:????/##Params [200] (2 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (3 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(EventStreamInfo_p3/Stream3) [203] (4 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (5 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(xAOD::EventFormat_v1/EventFormatStream3) [203] (6 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (7 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaDataHdr(DataHeader) [203] (8 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaDataHdrForm(DataHeaderForm) [203] (9 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/##Params [200] (2 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (3 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:BEE2BECF-A936-4078-9FDD-AD703C9ADF9F +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(EventStreamInfo_p3/Stream3) [203] (4 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:11DF1B8C-0DEE-4687-80D7-E74B520ACBB4 +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (5 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:C87E3828-4A7A-480A-95DE-0339539F6A0F +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(xAOD::EventFormat_v1/EventFormatStream3) [203] (6 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:0EFE2D2C-9E78-441D-9A87-9EE2B908AC81 +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (7 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:6C2DE6DF-6D52-43F6-B435-9F29812F40C0 +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaDataHdr(DataHeader) [203] (8 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaDataHdrForm(DataHeaderForm) [203] (9 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD ##Links DEBUG No objects passing selection criteria... Container has 8 Entries in total. EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_All] ##Params ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -EmptyPoolFile.root DEBUG --->Reading Param:FID=[????] +EmptyPoolFile.root DEBUG --->Reading Param:FID=[C7040C30-3363-7D42-B1B7-E3F3B1881030] EmptyPoolFile.root DEBUG --->Reading Param:PFN=[EmptyPoolFile.root] EmptyPoolFile.root DEBUG --->Reading Param:POOL_VSN=[1.1] EmptyPoolFile.root DEBUG --->Reading Param:FORMAT_VSN=[1.1] ##Params DEBUG No objects passing selection criteria... Container has 4 Entries in total. +PoolSvc INFO Failed to find container POOLContainer(DataHeader) to create POOL collection. PoolSvc DEBUG createCollection() type=ImplicitCollection, connection=PFN:EmptyPoolFile.root, name=POOLContainer_DataHeader, contextID=0 +PoolSvc INFO Failed to find container POOLContainer_DataHeader to create POOL collection. EventSelector DEBUG No events found in: EmptyPoolFile.root skipped!!! -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=EmptyPoolFile.root -StorageSvc DEBUG Closing database: FID=???? +StorageSvc DEBUG Disconnect request for database: FID=C7040C30-3363-7D42-B1B7-E3F3B1881030 PFN=EmptyPoolFile.root +StorageSvc DEBUG Closing database: FID=C7040C30-3363-7D42-B1B7-E3F3B1881030 +Domain[ROOT_All] INFO -> Deaccess DbDatabase READ [ROOT_All] C7040C30-3363-7D42-B1B7-E3F3B1881030 +Domain[ROOT_All] INFO > Deaccess DbDomain READ [ROOT_All] EventSelector DEBUG Try item: "SimplePoolReplica1.root" from the collection list. PoolSvc DEBUG createCollection() type=RootCollection, connection=PFN:SimplePoolReplica1.root, name=SimplePoolReplica1.root, contextID=0 -MetaDataSvc DEBUG handle() FirstInputFile for FID:???? -MetaDataSvc DEBUG initInputMetaDataStore: file name FID:???? +MetaDataSvc DEBUG handle() FirstInputFile for FID:095498FF-E805-B142-9948-BD2D4AC79975 +MetaDataSvc DEBUG initInputMetaDataStore: file name FID:095498FF-E805-B142-9948-BD2D4AC79975 +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain READ [ROOT_All] +Domain[ROOT_All] INFO -> Access DbDatabase READ [ROOT_All] 095498FF-E805-B142-9948-BD2D4AC79975 +Domain[ROOT_All] INFO SimplePoolReplica1.root SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 ##Shapes DEBUG Opened container ##Shapes of type ROOT_Tree -SimplePoolRepli... DEBUG --->Reading Shape[0 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Reading Shape[0 , C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7]: [1 Column(s)] SimplePoolRepli... DEBUG ---->[0]:EventInfo_p4 Typ:EventInfo_p4 [21] Size:0 Offset:0 #Elements:1 -SimplePoolRepli... DEBUG --->Reading Shape[1 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Reading Shape[1 , 6BB89FA1-EB62-4641-97CA-3F8DB6588053]: [1 Column(s)] SimplePoolRepli... DEBUG ---->[0]:ExampleHitContainer_p1 Typ:ExampleHitContainer_p1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolRepli... DEBUG --->Reading Shape[2 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Reading Shape[2 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] SimplePoolRepli... DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolRepli... DEBUG --->Reading Shape[3 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Reading Shape[3 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] SimplePoolRepli... DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolRepli... DEBUG --->Reading Shape[4 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Reading Shape[4 , E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A]: [1 Column(s)] SimplePoolRepli... DEBUG ---->[0]:Token Typ:Token [18] Size:0 Offset:0 #Elements:1 -SimplePoolRepli... DEBUG --->Reading Shape[5 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Reading Shape[5 , 13FF06C5-AB4B-6EDD-68AB-3E6350E95305]: [1 Column(s)] SimplePoolRepli... DEBUG ---->[0]:bool Typ:bool [9] Size:0 Offset:0 #Elements:1 -SimplePoolRepli... DEBUG --->Reading Shape[6 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Reading Shape[6 , BBACA313-D7B0-3A4C-9161-089CACF4B1CC]: [1 Column(s)] SimplePoolRepli... DEBUG ---->[0]:unsigned int Typ:unsigned int [3] Size:0 Offset:0 #Elements:1 -SimplePoolRepli... DEBUG --->Reading Shape[7 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Reading Shape[7 , 388BE2E0-4452-7BB9-2563-DA3365C64623]: [1 Column(s)] SimplePoolRepli... DEBUG ---->[0]:unsigned long long Typ:unsigned long long [23] Size:0 Offset:0 #Elements:1 -SimplePoolRepli... DEBUG --->Reading Shape[8 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Reading Shape[8 , 64DE6A54-6E0B-BCDF-8A08-6EF31347E768]: [1 Column(s)] SimplePoolRepli... DEBUG ---->[0]:float Typ:float [10] Size:0 Offset:0 #Elements:1 -SimplePoolRepli... DEBUG --->Reading Shape[9 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Reading Shape[9 , BEE2BECF-A936-4078-9FDD-AD703C9ADF9F]: [1 Column(s)] SimplePoolRepli... DEBUG ---->[0]:xAOD::FileMetaDataAuxInfo_v1 Typ:xAOD::FileMetaDataAuxInfo_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolRepli... DEBUG --->Reading Shape[10 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Reading Shape[10 , 11DF1B8C-0DEE-4687-80D7-E74B520ACBB4]: [1 Column(s)] SimplePoolRepli... DEBUG ---->[0]:EventStreamInfo_p3 Typ:EventStreamInfo_p3 [21] Size:0 Offset:0 #Elements:1 -SimplePoolRepli... DEBUG --->Reading Shape[11 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Reading Shape[11 , C87E3828-4A7A-480A-95DE-0339539F6A0F]: [1 Column(s)] SimplePoolRepli... DEBUG ---->[0]:xAOD::FileMetaData_v1 Typ:xAOD::FileMetaData_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolRepli... DEBUG --->Reading Shape[12 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Reading Shape[12 , 0EFE2D2C-9E78-441D-9A87-9EE2B908AC81]: [1 Column(s)] SimplePoolRepli... DEBUG ---->[0]:xAOD::EventFormat_v1 Typ:xAOD::EventFormat_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolRepli... DEBUG --->Reading Shape[13 , ????]: [1 Column(s)] +SimplePoolRepli... DEBUG --->Reading Shape[13 , 6C2DE6DF-6D52-43F6-B435-9F29812F40C0]: [1 Column(s)] SimplePoolRepli... DEBUG ---->[0]:IOVMetaDataContainer_p1 Typ:IOVMetaDataContainer_p1 [21] Size:0 Offset:0 #Elements:1 ##Shapes DEBUG No objects passing selection criteria... Container has 14 Entries in total. SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_All] ##Links ##Links DEBUG Opening ##Links DEBUG attributes# = 1 ##Links DEBUG Opened container ##Links of type ROOT_Tree -SimplePoolRepli... DEBUG --->Reading Assoc:????/##Params [200] (2 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/CollectionTree(ExampleHitContainer_p1/MyHits) [203] (4 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/POOLContainer(DataHeader) [203] (5 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/POOLCollectionTree(Token) [202] (7 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/POOLCollectionTree(IsSimulation) [202] (8 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/POOLCollectionTree(IsCalibration) [202] (9 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/POOLCollectionTree(IsTestBeam) [202] (a , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/POOLCollectionTree(McChannel) [202] (b , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/POOLCollectionTree(RunNumber) [202] (c , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventNumber) [202] (d , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/POOLCollectionTree(LumiBlockN) [202] (e , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/POOLCollectionTree(ConditionsRun) [202] (f , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventTime) [202] (10 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventTimeNanoSec) [202] (11 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/POOLCollectionTree(BunchId) [202] (12 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventWeight) [202] (13 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (14 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/MetaData(EventStreamInfo_p3/Stream1) [203] (15 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (16 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [203] (17 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (18 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/MetaDataHdr(DataHeader) [203] (19 , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? -SimplePoolRepli... DEBUG --->Reading Assoc:????/MetaDataHdrForm(DataHeaderForm) [203] (1a , ffffffff) -SimplePoolRepli... DEBUG ---->ClassID:???? +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/##Params [200] (2 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7 +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/CollectionTree(ExampleHitContainer_p1/MyHits) [203] (4 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:6BB89FA1-EB62-4641-97CA-3F8DB6588053 +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/POOLContainer(DataHeader) [203] (5 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(Token) [202] (7 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(IsSimulation) [202] (8 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:13FF06C5-AB4B-6EDD-68AB-3E6350E95305 +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(IsCalibration) [202] (9 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:13FF06C5-AB4B-6EDD-68AB-3E6350E95305 +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(IsTestBeam) [202] (a , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:13FF06C5-AB4B-6EDD-68AB-3E6350E95305 +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(McChannel) [202] (b , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(RunNumber) [202] (c , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(EventNumber) [202] (d , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:388BE2E0-4452-7BB9-2563-DA3365C64623 +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(LumiBlockN) [202] (e , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(ConditionsRun) [202] (f , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(EventTime) [202] (10 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(EventTimeNanoSec) [202] (11 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(BunchId) [202] (12 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/POOLCollectionTree(EventWeight) [202] (13 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:64DE6A54-6E0B-BCDF-8A08-6EF31347E768 +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (14 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:BEE2BECF-A936-4078-9FDD-AD703C9ADF9F +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/MetaData(EventStreamInfo_p3/Stream1) [203] (15 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:11DF1B8C-0DEE-4687-80D7-E74B520ACBB4 +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (16 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:C87E3828-4A7A-480A-95DE-0339539F6A0F +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [203] (17 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:0EFE2D2C-9E78-441D-9A87-9EE2B908AC81 +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (18 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:6C2DE6DF-6D52-43F6-B435-9F29812F40C0 +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/MetaDataHdr(DataHeader) [203] (19 , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolRepli... DEBUG --->Reading Assoc:095498FF-E805-B142-9948-BD2D4AC79975/MetaDataHdrForm(DataHeaderForm) [203] (1a , ffffffffffffffff) +SimplePoolRepli... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD ##Links DEBUG No objects passing selection criteria... Container has 25 Entries in total. SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_All] ##Params ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -SimplePoolRepli... DEBUG --->Reading Param:FID=[????] +SimplePoolRepli... DEBUG --->Reading Param:FID=[095498FF-E805-B142-9948-BD2D4AC79975] SimplePoolRepli... DEBUG --->Reading Param:PFN=[SimplePoolReplica1.root] SimplePoolRepli... DEBUG --->Reading Param:POOL_VSN=[1.1] SimplePoolRepli... DEBUG --->Reading Param:FORMAT_VSN=[1.1] ##Params DEBUG No objects passing selection criteria... Container has 4 Entries in total. -SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdr(DataHeader) +SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdr(DataHeader) MetaDataHdr(Dat... DEBUG Opening MetaDataHdr(Dat... DEBUG attributes# = 1 MetaDataHdr(Dat... DEBUG Branch container 'DataHeader' MetaDataHdr(Dat... DEBUG Opened container MetaDataHdr(DataHeader) of type ROOT_Tree -SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdrForm(DataHeaderForm) +ClassIDSvc INFO getRegistryEntries: read 1725 CLIDRegistry entries for module ALL +EventPersistenc... INFO Added successfully Conversion service:AthenaPoolCnvSvc +SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdrForm(DataHeaderForm) MetaDataHdrForm... DEBUG Opening MetaDataHdrForm... DEBUG attributes# = 1 MetaDataHdrForm... DEBUG Branch container 'DataHeaderForm' MetaDataHdrForm... DEBUG Opened container MetaDataHdrForm(DataHeaderForm) of type ROOT_Tree MetaDataSvc DEBUG Loaded input meta data store proxies -SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaData(IOVMetaDataContainer_p1//TagInfo) +SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaData(IOVMetaDataContainer_p1//TagInfo) MetaData(IOVMet... DEBUG Opening MetaData(IOVMet... DEBUG attributes# = 1 MetaData(IOVMet... DEBUG Branch container 'IOVMetaDataContainer_p1__TagInfo' MetaData(IOVMet... DEBUG Opened container MetaData(IOVMetaDataContainer_p1//TagInfo) of type ROOT_Tree +ClassIDSvc INFO getRegistryEntries: read 8 CLIDRegistry entries for module ALL MetaDataSvc DEBUG Registering all Tools in ToolHandleArray MetaDataTools MetaDataSvc DEBUG Adding public ToolHandle tool ToolSvc.IOVDbMetaDataTool (IOVDbMetaDataTool) +MetaDataSvc INFO AlgTool: ToolSvc.IOVDbMetaDataTool +AthenaPoolAddre... DEBUG Property update for OutputLevel : new value = 2 +AthenaPoolAddre... DEBUG Service base class initialized successfully AthenaPoolAddre... DEBUG Cannot retrieve DataHeader from DetectorStore. EventInfoCnvAlg... INFO Beam conditions service not available EventInfoCnvAlg... INFO Will not fill beam spot information into xAOD::EventInfo +ReadData DEBUG Property update for OutputLevel : new value = 2 ReadData INFO in initialize() +ReadData DEBUG input handles: 3 +ReadData DEBUG output handles: 0 +ReadData DEBUG Data Deps for ReadData + + INPUT ( 'DataHeader' , 'StoreGateSvc+EventSelector' ) + INPUT ( 'ExampleHitContainer' , 'StoreGateSvc+MyHits' ) + INPUT ( 'ExampleTrackContainer' , 'StoreGateSvc+MyTracks' ) AthenaEventLoopMgr INFO Setup EventSelector service EventSelector @@ -197,65 +252,70 @@ ApplicationMgr INFO Application Manager Initialized successfully EventSelector DEBUG Try item: "EmptyPoolFile.root" from the collection list. PoolSvc DEBUG createCollection() type=RootCollection, connection=PFN:EmptyPoolFile.root, name=EmptyPoolFile.root, contextID=0 PoolSvc DEBUG createCollection() type=ImplicitCollection, connection=PFN:EmptyPoolFile.root, name=POOLContainer(DataHeader), contextID=0 +PersistencySvc:... DEBUG lookupPFN: EmptyPoolFile.root returned FID: 'C7040C30-3363-7D42-B1B7-E3F3B1881030' tech=ROOT_All +Domain[ROOT_All] INFO -> Access DbDatabase READ [ROOT_All] C7040C30-3363-7D42-B1B7-E3F3B1881030 +Domain[ROOT_All] INFO EmptyPoolFile.root EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 ##Shapes DEBUG Opened container ##Shapes of type ROOT_Tree -EmptyPoolFile.root DEBUG --->Reading Shape[0 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[0 , BEE2BECF-A936-4078-9FDD-AD703C9ADF9F]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:xAOD::FileMetaDataAuxInfo_v1 Typ:xAOD::FileMetaDataAuxInfo_v1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[1 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[1 , 11DF1B8C-0DEE-4687-80D7-E74B520ACBB4]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:EventStreamInfo_p3 Typ:EventStreamInfo_p3 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[2 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[2 , C87E3828-4A7A-480A-95DE-0339539F6A0F]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:xAOD::FileMetaData_v1 Typ:xAOD::FileMetaData_v1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[3 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[3 , 0EFE2D2C-9E78-441D-9A87-9EE2B908AC81]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:xAOD::EventFormat_v1 Typ:xAOD::EventFormat_v1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[4 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[4 , 6C2DE6DF-6D52-43F6-B435-9F29812F40C0]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:IOVMetaDataContainer_p1 Typ:IOVMetaDataContainer_p1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[5 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[5 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[6 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[6 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 ##Shapes DEBUG No objects passing selection criteria... Container has 7 Entries in total. EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_All] ##Links ##Links DEBUG Opening ##Links DEBUG attributes# = 1 ##Links DEBUG Opened container ##Links of type ROOT_Tree -EmptyPoolFile.root DEBUG --->Reading Assoc:????/##Params [200] (2 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (3 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(EventStreamInfo_p3/Stream3) [203] (4 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (5 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(xAOD::EventFormat_v1/EventFormatStream3) [203] (6 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (7 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaDataHdr(DataHeader) [203] (8 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaDataHdrForm(DataHeaderForm) [203] (9 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/##Params [200] (2 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (3 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:BEE2BECF-A936-4078-9FDD-AD703C9ADF9F +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(EventStreamInfo_p3/Stream3) [203] (4 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:11DF1B8C-0DEE-4687-80D7-E74B520ACBB4 +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (5 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:C87E3828-4A7A-480A-95DE-0339539F6A0F +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(xAOD::EventFormat_v1/EventFormatStream3) [203] (6 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:0EFE2D2C-9E78-441D-9A87-9EE2B908AC81 +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (7 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:6C2DE6DF-6D52-43F6-B435-9F29812F40C0 +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaDataHdr(DataHeader) [203] (8 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaDataHdrForm(DataHeaderForm) [203] (9 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD ##Links DEBUG No objects passing selection criteria... Container has 8 Entries in total. EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_All] ##Params ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -EmptyPoolFile.root DEBUG --->Reading Param:FID=[????] +EmptyPoolFile.root DEBUG --->Reading Param:FID=[C7040C30-3363-7D42-B1B7-E3F3B1881030] EmptyPoolFile.root DEBUG --->Reading Param:PFN=[EmptyPoolFile.root] EmptyPoolFile.root DEBUG --->Reading Param:POOL_VSN=[1.1] EmptyPoolFile.root DEBUG --->Reading Param:FORMAT_VSN=[1.1] ##Params DEBUG No objects passing selection criteria... Container has 4 Entries in total. +PoolSvc INFO Failed to find container POOLContainer(DataHeader) to create POOL collection. PoolSvc DEBUG createCollection() type=ImplicitCollection, connection=PFN:EmptyPoolFile.root, name=POOLContainer_DataHeader, contextID=0 +PoolSvc INFO Failed to find container POOLContainer_DataHeader to create POOL collection. EventSelector DEBUG No events found in: EmptyPoolFile.root skipped!!! MetaDataSvc DEBUG handle() BeginInputFile for EmptyPoolFile.root MetaDataSvc DEBUG initInputMetaDataStore: file name EmptyPoolFile.root -EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdr(DataHeader) +EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdr(DataHeader) MetaDataHdr(Dat... DEBUG Opening MetaDataHdr(Dat... DEBUG attributes# = 1 MetaDataHdr(Dat... DEBUG Branch container 'DataHeader' MetaDataHdr(Dat... DEBUG Opened container MetaDataHdr(DataHeader) of type ROOT_Tree -EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdrForm(DataHeaderForm) +EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdrForm(DataHeaderForm) MetaDataHdrForm... DEBUG Opening MetaDataHdrForm... DEBUG attributes# = 1 MetaDataHdrForm... DEBUG Branch container 'DataHeaderForm' @@ -264,8 +324,9 @@ MetaDataSvc DEBUG Loaded input meta data store proxies MetaDataSvc DEBUG calling beginInputFile for ToolSvc.IOVDbMetaDataTool MetaDataSvc DEBUG handle() EndInputFile for eventless EmptyPoolFile.root MetaDataSvc DEBUG retireMetadataSource: eventless EmptyPoolFile.root -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=EmptyPoolFile.root -StorageSvc DEBUG Closing database: FID=???? +StorageSvc DEBUG Disconnect request for database: FID=C7040C30-3363-7D42-B1B7-E3F3B1881030 PFN=EmptyPoolFile.root +StorageSvc DEBUG Closing database: FID=C7040C30-3363-7D42-B1B7-E3F3B1881030 +Domain[ROOT_All] INFO -> Deaccess DbDatabase READ [ROOT_All] C7040C30-3363-7D42-B1B7-E3F3B1881030 EventSelector DEBUG Try item: "SimplePoolReplica1.root" from the collection list. PoolSvc DEBUG createCollection() type=RootCollection, connection=PFN:SimplePoolReplica1.root, name=SimplePoolReplica1.root, contextID=0 ApplicationMgr INFO Application Manager Started successfully @@ -278,6 +339,8 @@ RootDatabase.se... DEBUG Request tree cache RootDatabase.se... DEBUG File name SimplePoolReplica1.root RootDatabase.se... DEBUG Got tree CollectionTree read entry -1 RootDatabase.se... DEBUG Using Tree cache. Size: 100000 Nevents to learn with: 6 +PoolSvc INFO Database (SimplePoolReplica1.root) attribute [TREE_CACHE_LEARN_EVENTS]: 6 +PoolSvc INFO Database (SimplePoolReplica1.root) attribute [TREE_CACHE_SIZE]: 100000 MetaDataSvc DEBUG handle() BeginInputFile for SimplePoolReplica1.root MetaDataSvc DEBUG initInputMetaDataStore: file name SimplePoolReplica1.root MetaDataSvc DEBUG Loaded input meta data store proxies @@ -294,15 +357,15 @@ EventSelector INFO skipping event 9 EventSelector INFO skipping event 10 EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A] -SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_Tree] POOLContainer(DataHeader) +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A] +SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] POOLContainer(DataHeader) POOLContainer(D... DEBUG Opening POOLContainer(D... DEBUG attributes# = 1 POOLContainer(D... DEBUG Branch container 'DataHeader' POOLContainer(D... DEBUG Opened container POOLContainer(DataHeader) of type ROOT_Tree -SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_Tree] POOLContainerForm(DataHeaderForm) +SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] POOLContainerForm(DataHeaderForm) POOLContainerFo... DEBUG Opening POOLContainerFo... DEBUG attributes# = 1 POOLContainerFo... DEBUG Branch container 'DataHeaderForm' @@ -310,15 +373,17 @@ POOLContainerFo... DEBUG Opened container POOLContainerForm(DataHeaderForm) of AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits +AlgResourcePool INFO TopAlg list empty. Recovering the one of Application Manager AthenaEventLoopMgr INFO ===>>> start of run 1 <<<=== AthenaEventLoopMgr INFO ===>>> start processing event #10, run #1 0 events processed so far <<<=== -SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_Tree] CollectionTree(EventInfo_p4/McEventInfo) +SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] CollectionTree(EventInfo_p4/McEventInfo) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'EventInfo_p4_McEventInfo' CollectionTree(... DEBUG Opened container CollectionTree(EventInfo_p4/McEventInfo) of type ROOT_Tree +AthenaPoolConve... INFO massageEventInfo: unable to get OverrideRunNumberFromInput property from EventSelector ReadData DEBUG in execute() -SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaData(EventStreamInfo_p3/Stream1) +SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaData(EventStreamInfo_p3/Stream1) MetaData(EventS... DEBUG Opening MetaData(EventS... DEBUG attributes# = 1 MetaData(EventS... DEBUG Branch container 'EventStreamInfo_p3_Stream1' @@ -327,13 +392,16 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000A] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000A] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A] ReadData INFO EventInfo event: 10 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks -SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_Tree] CollectionTree(ExampleHitContainer_p1/MyHits) +SimplePoolRepli... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] CollectionTree(ExampleHitContainer_p1/MyHits) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'ExampleHitContainer_p1_MyHits' @@ -348,12 +416,15 @@ ReadData INFO Hit x = 1020.49 y = 63.5816 z = -951.864 detector = Du ReadData INFO Hit x = 1023.7 y = 57.9027 z = -953.684 detector = DummyHitDetector ReadData INFO Hit x = 1026.91 y = 52.2238 z = -955.073 detector = DummyHitDetector ReadData INFO Hit x = 1030.12 y = 46.5449 z = -956.169 detector = DummyHitDetector +PoolSvc INFO Database (SimplePoolReplica1.root) attribute [BYTES_READ]: 25318 +PoolSvc INFO Database (SimplePoolReplica1.root) attribute [READ_CALLS]: 24 AthenaEventLoopMgr INFO ===>>> done processing event #10, run #1 1 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B]. +ClassIDSvc INFO getRegistryEntries: read 13 CLIDRegistry entries for module ALL +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -363,9 +434,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000B] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000B] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B] ReadData INFO EventInfo event: 11 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -379,12 +453,14 @@ ReadData INFO Hit x = 1120.49 y = 63.5816 z = -1051.86 detector = Du ReadData INFO Hit x = 1123.7 y = 57.9027 z = -1053.68 detector = DummyHitDetector ReadData INFO Hit x = 1126.91 y = 52.2238 z = -1055.07 detector = DummyHitDetector ReadData INFO Hit x = 1130.12 y = 46.5449 z = -1056.17 detector = DummyHitDetector +PoolSvc INFO Database (SimplePoolReplica1.root) attribute [BYTES_READ]: 25318 +PoolSvc INFO Database (SimplePoolReplica1.root) attribute [READ_CALLS]: 24 AthenaEventLoopMgr INFO ===>>> done processing event #11, run #1 2 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -394,9 +470,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000C] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000C] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C] ReadData INFO EventInfo event: 12 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -410,12 +489,14 @@ ReadData INFO Hit x = 1220.49 y = 63.5816 z = -1151.86 detector = Du ReadData INFO Hit x = 1223.7 y = 57.9027 z = -1153.68 detector = DummyHitDetector ReadData INFO Hit x = 1226.91 y = 52.2238 z = -1155.07 detector = DummyHitDetector ReadData INFO Hit x = 1230.12 y = 46.5449 z = -1156.17 detector = DummyHitDetector +PoolSvc INFO Database (SimplePoolReplica1.root) attribute [BYTES_READ]: 25318 +PoolSvc INFO Database (SimplePoolReplica1.root) attribute [READ_CALLS]: 24 AthenaEventLoopMgr INFO ===>>> done processing event #12, run #1 3 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -425,9 +506,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000D] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000D] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D] ReadData INFO EventInfo event: 13 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -441,12 +525,14 @@ ReadData INFO Hit x = 1320.49 y = 63.5816 z = -1251.86 detector = Du ReadData INFO Hit x = 1323.7 y = 57.9027 z = -1253.68 detector = DummyHitDetector ReadData INFO Hit x = 1326.91 y = 52.2238 z = -1255.07 detector = DummyHitDetector ReadData INFO Hit x = 1330.12 y = 46.5449 z = -1256.17 detector = DummyHitDetector +PoolSvc INFO Database (SimplePoolReplica1.root) attribute [BYTES_READ]: 25318 +PoolSvc INFO Database (SimplePoolReplica1.root) attribute [READ_CALLS]: 24 AthenaEventLoopMgr INFO ===>>> done processing event #13, run #1 4 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -456,9 +542,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000E] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000E] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E] ReadData INFO EventInfo event: 14 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -472,12 +561,14 @@ ReadData INFO Hit x = 1420.49 y = 63.5816 z = -1351.86 detector = Du ReadData INFO Hit x = 1423.7 y = 57.9027 z = -1353.68 detector = DummyHitDetector ReadData INFO Hit x = 1426.91 y = 52.2238 z = -1355.07 detector = DummyHitDetector ReadData INFO Hit x = 1430.12 y = 46.5449 z = -1356.17 detector = DummyHitDetector +PoolSvc INFO Database (SimplePoolReplica1.root) attribute [BYTES_READ]: 25318 +PoolSvc INFO Database (SimplePoolReplica1.root) attribute [READ_CALLS]: 24 AthenaEventLoopMgr INFO ===>>> done processing event #14, run #1 5 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -487,9 +578,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000F] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000F] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F] ReadData INFO EventInfo event: 15 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -503,12 +597,14 @@ ReadData INFO Hit x = 1520.49 y = 63.5816 z = -1451.86 detector = Du ReadData INFO Hit x = 1523.7 y = 57.9027 z = -1453.68 detector = DummyHitDetector ReadData INFO Hit x = 1526.91 y = 52.2238 z = -1455.07 detector = DummyHitDetector ReadData INFO Hit x = 1530.12 y = 46.5449 z = -1456.17 detector = DummyHitDetector +PoolSvc INFO Database (SimplePoolReplica1.root) attribute [BYTES_READ]: 25318 +PoolSvc INFO Database (SimplePoolReplica1.root) attribute [READ_CALLS]: 24 AthenaEventLoopMgr INFO ===>>> done processing event #15, run #1 6 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -518,9 +614,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000010] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000010] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010] ReadData INFO EventInfo event: 16 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -534,12 +633,14 @@ ReadData INFO Hit x = 1620.49 y = 63.5816 z = -1551.86 detector = Du ReadData INFO Hit x = 1623.7 y = 57.9027 z = -1553.68 detector = DummyHitDetector ReadData INFO Hit x = 1626.91 y = 52.2238 z = -1555.07 detector = DummyHitDetector ReadData INFO Hit x = 1630.12 y = 46.5449 z = -1556.17 detector = DummyHitDetector +PoolSvc INFO Database (SimplePoolReplica1.root) attribute [BYTES_READ]: 25318 +PoolSvc INFO Database (SimplePoolReplica1.root) attribute [READ_CALLS]: 24 AthenaEventLoopMgr INFO ===>>> done processing event #16, run #1 7 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -549,9 +650,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000011] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000011] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011] ReadData INFO EventInfo event: 17 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -565,12 +669,14 @@ ReadData INFO Hit x = 1720.49 y = 63.5816 z = -1651.86 detector = Du ReadData INFO Hit x = 1723.7 y = 57.9027 z = -1653.68 detector = DummyHitDetector ReadData INFO Hit x = 1726.91 y = 52.2238 z = -1655.07 detector = DummyHitDetector ReadData INFO Hit x = 1730.12 y = 46.5449 z = -1656.17 detector = DummyHitDetector +PoolSvc INFO Database (SimplePoolReplica1.root) attribute [BYTES_READ]: 25318 +PoolSvc INFO Database (SimplePoolReplica1.root) attribute [READ_CALLS]: 24 AthenaEventLoopMgr INFO ===>>> done processing event #17, run #1 8 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -580,9 +686,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000012] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000012] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012] ReadData INFO EventInfo event: 18 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -596,12 +705,14 @@ ReadData INFO Hit x = 1820.49 y = 63.5816 z = -1751.86 detector = Du ReadData INFO Hit x = 1823.7 y = 57.9027 z = -1753.68 detector = DummyHitDetector ReadData INFO Hit x = 1826.91 y = 52.2238 z = -1755.07 detector = DummyHitDetector ReadData INFO Hit x = 1830.12 y = 46.5449 z = -1756.17 detector = DummyHitDetector +PoolSvc INFO Database (SimplePoolReplica1.root) attribute [BYTES_READ]: 25318 +PoolSvc INFO Database (SimplePoolReplica1.root) attribute [READ_CALLS]: 24 AthenaEventLoopMgr INFO ===>>> done processing event #18, run #1 9 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -611,9 +722,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000013] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000013] +ReadData INFO DataHeader (Event Content) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013] ReadData INFO EventInfo event: 19 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -627,150 +741,169 @@ ReadData INFO Hit x = 1920.49 y = 63.5816 z = -1851.86 detector = Du ReadData INFO Hit x = 1923.7 y = 57.9027 z = -1853.68 detector = DummyHitDetector ReadData INFO Hit x = 1926.91 y = 52.2238 z = -1855.07 detector = DummyHitDetector ReadData INFO Hit x = 1930.12 y = 46.5449 z = -1856.17 detector = DummyHitDetector +PoolSvc INFO Database (SimplePoolReplica1.root) attribute [BYTES_READ]: 25318 +PoolSvc INFO Database (SimplePoolReplica1.root) attribute [READ_CALLS]: 24 AthenaEventLoopMgr INFO ===>>> done processing event #19, run #1 10 events processed so far <<<=== -MetaDataSvc DEBUG handle() EndInputFile for FID:???? -MetaDataSvc DEBUG retireMetadataSource: FID:???? -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=SimplePoolReplica1.root -StorageSvc DEBUG Closing database: FID=???? +MetaDataSvc DEBUG handle() EndInputFile for FID:095498FF-E805-B142-9948-BD2D4AC79975 +MetaDataSvc DEBUG retireMetadataSource: FID:095498FF-E805-B142-9948-BD2D4AC79975 +EventSelector INFO Disconnecting input sourceID: 095498FF-E805-B142-9948-BD2D4AC79975 +StorageSvc DEBUG Disconnect request for database: FID=095498FF-E805-B142-9948-BD2D4AC79975 PFN=SimplePoolReplica1.root +StorageSvc DEBUG Closing database: FID=095498FF-E805-B142-9948-BD2D4AC79975 +Domain[ROOT_All] INFO -> Deaccess DbDatabase READ [ROOT_All] 095498FF-E805-B142-9948-BD2D4AC79975 +Domain[ROOT_All] INFO > Deaccess DbDomain READ [ROOT_All] EventSelector DEBUG Try item: "EmptyPoolFile.root" from the collection list. PoolSvc DEBUG createCollection() type=RootCollection, connection=PFN:EmptyPoolFile.root, name=EmptyPoolFile.root, contextID=0 PoolSvc DEBUG createCollection() type=ImplicitCollection, connection=PFN:EmptyPoolFile.root, name=POOLContainer(DataHeader), contextID=0 +PersistencySvc:... DEBUG lookupPFN: EmptyPoolFile.root returned FID: 'C7040C30-3363-7D42-B1B7-E3F3B1881030' tech=ROOT_All +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain READ [ROOT_All] +Domain[ROOT_All] INFO -> Access DbDatabase READ [ROOT_All] C7040C30-3363-7D42-B1B7-E3F3B1881030 +Domain[ROOT_All] INFO EmptyPoolFile.root EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 ##Shapes DEBUG Opened container ##Shapes of type ROOT_Tree -EmptyPoolFile.root DEBUG --->Reading Shape[0 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[0 , BEE2BECF-A936-4078-9FDD-AD703C9ADF9F]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:xAOD::FileMetaDataAuxInfo_v1 Typ:xAOD::FileMetaDataAuxInfo_v1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[1 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[1 , 11DF1B8C-0DEE-4687-80D7-E74B520ACBB4]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:EventStreamInfo_p3 Typ:EventStreamInfo_p3 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[2 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[2 , C87E3828-4A7A-480A-95DE-0339539F6A0F]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:xAOD::FileMetaData_v1 Typ:xAOD::FileMetaData_v1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[3 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[3 , 0EFE2D2C-9E78-441D-9A87-9EE2B908AC81]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:xAOD::EventFormat_v1 Typ:xAOD::EventFormat_v1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[4 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[4 , 6C2DE6DF-6D52-43F6-B435-9F29812F40C0]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:IOVMetaDataContainer_p1 Typ:IOVMetaDataContainer_p1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[5 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[5 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[6 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[6 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 ##Shapes DEBUG No objects passing selection criteria... Container has 7 Entries in total. EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_All] ##Links ##Links DEBUG Opening ##Links DEBUG attributes# = 1 ##Links DEBUG Opened container ##Links of type ROOT_Tree -EmptyPoolFile.root DEBUG --->Reading Assoc:????/##Params [200] (2 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (3 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(EventStreamInfo_p3/Stream3) [203] (4 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (5 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(xAOD::EventFormat_v1/EventFormatStream3) [203] (6 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (7 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaDataHdr(DataHeader) [203] (8 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaDataHdrForm(DataHeaderForm) [203] (9 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/##Params [200] (2 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (3 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:BEE2BECF-A936-4078-9FDD-AD703C9ADF9F +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(EventStreamInfo_p3/Stream3) [203] (4 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:11DF1B8C-0DEE-4687-80D7-E74B520ACBB4 +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (5 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:C87E3828-4A7A-480A-95DE-0339539F6A0F +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(xAOD::EventFormat_v1/EventFormatStream3) [203] (6 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:0EFE2D2C-9E78-441D-9A87-9EE2B908AC81 +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (7 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:6C2DE6DF-6D52-43F6-B435-9F29812F40C0 +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaDataHdr(DataHeader) [203] (8 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaDataHdrForm(DataHeaderForm) [203] (9 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD ##Links DEBUG No objects passing selection criteria... Container has 8 Entries in total. EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_All] ##Params ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -EmptyPoolFile.root DEBUG --->Reading Param:FID=[????] +EmptyPoolFile.root DEBUG --->Reading Param:FID=[C7040C30-3363-7D42-B1B7-E3F3B1881030] EmptyPoolFile.root DEBUG --->Reading Param:PFN=[EmptyPoolFile.root] EmptyPoolFile.root DEBUG --->Reading Param:POOL_VSN=[1.1] EmptyPoolFile.root DEBUG --->Reading Param:FORMAT_VSN=[1.1] ##Params DEBUG No objects passing selection criteria... Container has 4 Entries in total. +PoolSvc INFO Failed to find container POOLContainer(DataHeader) to create POOL collection. PoolSvc DEBUG createCollection() type=ImplicitCollection, connection=PFN:EmptyPoolFile.root, name=POOLContainer_DataHeader, contextID=0 +PoolSvc INFO Failed to find container POOLContainer_DataHeader to create POOL collection. EventSelector DEBUG No events found in: EmptyPoolFile.root skipped!!! MetaDataSvc DEBUG handle() BeginInputFile for EmptyPoolFile.root MetaDataSvc DEBUG initInputMetaDataStore: file name EmptyPoolFile.root -EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdr(DataHeader) +EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdr(DataHeader) MetaDataHdr(Dat... DEBUG Opening MetaDataHdr(Dat... DEBUG attributes# = 1 MetaDataHdr(Dat... DEBUG Branch container 'DataHeader' MetaDataHdr(Dat... DEBUG Opened container MetaDataHdr(DataHeader) of type ROOT_Tree MetaDataSvc DEBUG Loaded input meta data store proxies MetaDataSvc DEBUG calling beginInputFile for ToolSvc.IOVDbMetaDataTool -EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_Tree] MetaData(IOVMetaDataContainer_p1//TagInfo) +EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaData(IOVMetaDataContainer_p1//TagInfo) MetaData(IOVMet... DEBUG Opening MetaData(IOVMet... DEBUG attributes# = 1 MetaData(IOVMet... DEBUG Branch container 'IOVMetaDataContainer_p1__TagInfo' MetaData(IOVMet... DEBUG Opened container MetaData(IOVMetaDataContainer_p1//TagInfo) of type ROOT_Tree MetaDataSvc DEBUG handle() EndInputFile for eventless EmptyPoolFile.root MetaDataSvc DEBUG retireMetadataSource: eventless EmptyPoolFile.root -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=EmptyPoolFile.root -StorageSvc DEBUG Closing database: FID=???? +StorageSvc DEBUG Disconnect request for database: FID=C7040C30-3363-7D42-B1B7-E3F3B1881030 PFN=EmptyPoolFile.root +StorageSvc DEBUG Closing database: FID=C7040C30-3363-7D42-B1B7-E3F3B1881030 +Domain[ROOT_All] INFO -> Deaccess DbDatabase READ [ROOT_All] C7040C30-3363-7D42-B1B7-E3F3B1881030 +Domain[ROOT_All] INFO > Deaccess DbDomain READ [ROOT_All] EventSelector DEBUG Try item: "SimplePoolFile2.root" from the collection list. PoolSvc DEBUG createCollection() type=RootCollection, connection=PFN:SimplePoolFile2.root, name=SimplePoolFile2.root, contextID=0 +PersistencySvc:... DEBUG lookupPFN: SimplePoolFile2.root returned FID: '73F77177-D136-9344-B64D-29693F68D6C2' tech=ROOT_All +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain READ [ROOT_All] +Domain[ROOT_All] INFO -> Access DbDatabase READ [ROOT_All] 73F77177-D136-9344-B64D-29693F68D6C2 +Domain[ROOT_All] INFO SimplePoolFile2.root SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 ##Shapes DEBUG Opened container ##Shapes of type ROOT_Tree -SimplePoolFile2... DEBUG --->Reading Shape[0 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Reading Shape[0 , C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7]: [1 Column(s)] SimplePoolFile2... DEBUG ---->[0]:EventInfo_p4 Typ:EventInfo_p4 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile2... DEBUG --->Reading Shape[1 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Reading Shape[1 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] SimplePoolFile2... DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile2... DEBUG --->Reading Shape[2 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Reading Shape[2 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] SimplePoolFile2... DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile2... DEBUG --->Reading Shape[3 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Reading Shape[3 , E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A]: [1 Column(s)] SimplePoolFile2... DEBUG ---->[0]:Token Typ:Token [18] Size:0 Offset:0 #Elements:1 -SimplePoolFile2... DEBUG --->Reading Shape[4 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Reading Shape[4 , BBACA313-D7B0-3A4C-9161-089CACF4B1CC]: [1 Column(s)] SimplePoolFile2... DEBUG ---->[0]:unsigned int Typ:unsigned int [3] Size:0 Offset:0 #Elements:1 -SimplePoolFile2... DEBUG --->Reading Shape[5 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Reading Shape[5 , BEE2BECF-A936-4078-9FDD-AD703C9ADF9F]: [1 Column(s)] SimplePoolFile2... DEBUG ---->[0]:xAOD::FileMetaDataAuxInfo_v1 Typ:xAOD::FileMetaDataAuxInfo_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile2... DEBUG --->Reading Shape[6 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Reading Shape[6 , 11DF1B8C-0DEE-4687-80D7-E74B520ACBB4]: [1 Column(s)] SimplePoolFile2... DEBUG ---->[0]:EventStreamInfo_p3 Typ:EventStreamInfo_p3 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile2... DEBUG --->Reading Shape[7 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Reading Shape[7 , C87E3828-4A7A-480A-95DE-0339539F6A0F]: [1 Column(s)] SimplePoolFile2... DEBUG ---->[0]:xAOD::FileMetaData_v1 Typ:xAOD::FileMetaData_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile2... DEBUG --->Reading Shape[8 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Reading Shape[8 , 0EFE2D2C-9E78-441D-9A87-9EE2B908AC81]: [1 Column(s)] SimplePoolFile2... DEBUG ---->[0]:xAOD::EventFormat_v1 Typ:xAOD::EventFormat_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile2... DEBUG --->Reading Shape[9 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Reading Shape[9 , 6C2DE6DF-6D52-43F6-B435-9F29812F40C0]: [1 Column(s)] SimplePoolFile2... DEBUG ---->[0]:IOVMetaDataContainer_p1 Typ:IOVMetaDataContainer_p1 [21] Size:0 Offset:0 #Elements:1 ##Shapes DEBUG No objects passing selection criteria... Container has 10 Entries in total. SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_All] ##Links ##Links DEBUG Opening ##Links DEBUG attributes# = 1 ##Links DEBUG Opened container ##Links of type ROOT_Tree -SimplePoolFile2... DEBUG --->Reading Assoc:????/##Params [200] (2 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/POOLContainer(DataHeader) [203] (4 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/POOLContainerForm(DataHeaderForm) [203] (5 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/POOLCollectionTree(Token) [202] (6 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/POOLCollectionTree(RunNumber) [202] (7 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventNumber) [202] (8 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/POOLCollectionTree(MagicNumber) [202] (9 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (a , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/MetaData(EventStreamInfo_p3/Stream2) [203] (b , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (c , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/MetaData(xAOD::EventFormat_v1/EventFormatStream2) [203] (d , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (e , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/MetaDataHdr(DataHeader) [203] (f , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/MetaDataHdrForm(DataHeaderForm) [203] (10 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/##Params [200] (2 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7 +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/POOLContainer(DataHeader) [203] (4 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/POOLContainerForm(DataHeaderForm) [203] (5 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/POOLCollectionTree(Token) [202] (6 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/POOLCollectionTree(RunNumber) [202] (7 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/POOLCollectionTree(EventNumber) [202] (8 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/POOLCollectionTree(MagicNumber) [202] (9 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (a , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:BEE2BECF-A936-4078-9FDD-AD703C9ADF9F +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/MetaData(EventStreamInfo_p3/Stream2) [203] (b , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:11DF1B8C-0DEE-4687-80D7-E74B520ACBB4 +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (c , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:C87E3828-4A7A-480A-95DE-0339539F6A0F +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/MetaData(xAOD::EventFormat_v1/EventFormatStream2) [203] (d , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:0EFE2D2C-9E78-441D-9A87-9EE2B908AC81 +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (e , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:6C2DE6DF-6D52-43F6-B435-9F29812F40C0 +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/MetaDataHdr(DataHeader) [203] (f , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/MetaDataHdrForm(DataHeaderForm) [203] (10 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD ##Links DEBUG No objects passing selection criteria... Container has 15 Entries in total. SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_All] ##Params ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -SimplePoolFile2... DEBUG --->Reading Param:FID=[????] +SimplePoolFile2... DEBUG --->Reading Param:FID=[73F77177-D136-9344-B64D-29693F68D6C2] SimplePoolFile2... DEBUG --->Reading Param:PFN=[SimplePoolFile2.root] SimplePoolFile2... DEBUG --->Reading Param:POOL_VSN=[1.1] SimplePoolFile2... DEBUG --->Reading Param:FORMAT_VSN=[1.1] @@ -784,50 +917,52 @@ RootDatabase.se... DEBUG Request tree cache RootDatabase.se... DEBUG File name SimplePoolFile2.root RootDatabase.se... DEBUG Got tree CollectionTree read entry -1 RootDatabase.se... DEBUG Using Tree cache. Size: 100000 Nevents to learn with: 6 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [TREE_CACHE_LEARN_EVENTS]: 6 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [TREE_CACHE_SIZE]: 100000 MetaDataSvc DEBUG handle() BeginInputFile for SimplePoolFile2.root MetaDataSvc DEBUG initInputMetaDataStore: file name SimplePoolFile2.root -SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdr(DataHeader) +SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdr(DataHeader) MetaDataHdr(Dat... DEBUG Opening MetaDataHdr(Dat... DEBUG attributes# = 1 MetaDataHdr(Dat... DEBUG Branch container 'DataHeader' MetaDataHdr(Dat... DEBUG Opened container MetaDataHdr(DataHeader) of type ROOT_Tree -SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdrForm(DataHeaderForm) +SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdrForm(DataHeaderForm) MetaDataHdrForm... DEBUG Opening MetaDataHdrForm... DEBUG attributes# = 1 MetaDataHdrForm... DEBUG Branch container 'DataHeaderForm' MetaDataHdrForm... DEBUG Opened container MetaDataHdrForm(DataHeaderForm) of type ROOT_Tree MetaDataSvc DEBUG Loaded input meta data store proxies MetaDataSvc DEBUG calling beginInputFile for ToolSvc.IOVDbMetaDataTool -SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaData(IOVMetaDataContainer_p1//TagInfo) +SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaData(IOVMetaDataContainer_p1//TagInfo) MetaData(IOVMet... DEBUG Opening MetaData(IOVMet... DEBUG attributes# = 1 MetaData(IOVMet... DEBUG Branch container 'IOVMetaDataContainer_p1__TagInfo' MetaData(IOVMet... DEBUG Opened container MetaData(IOVMetaDataContainer_p1//TagInfo) of type ROOT_Tree EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000000]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000000]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000000] -SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_Tree] POOLContainer(DataHeader) +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000000]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000000]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000000] +SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] POOLContainer(DataHeader) POOLContainer(D... DEBUG Opening POOLContainer(D... DEBUG attributes# = 1 POOLContainer(D... DEBUG Branch container 'DataHeader' POOLContainer(D... DEBUG Opened container POOLContainer(DataHeader) of type ROOT_Tree -SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_Tree] POOLContainerForm(DataHeaderForm) +SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] POOLContainerForm(DataHeaderForm) POOLContainerFo... DEBUG Opening POOLContainerFo... DEBUG attributes# = 1 POOLContainerFo... DEBUG Branch container 'DataHeaderForm' POOLContainerFo... DEBUG Opened container POOLContainerForm(DataHeaderForm) of type ROOT_Tree AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo -SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_Tree] CollectionTree(EventInfo_p4/McEventInfo) +SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] CollectionTree(EventInfo_p4/McEventInfo) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'EventInfo_p4_McEventInfo' CollectionTree(... DEBUG Opened container CollectionTree(EventInfo_p4/McEventInfo) of type ROOT_Tree AthenaEventLoopMgr INFO ===>>> start processing event #0, run #1 10 events processed so far <<<=== ReadData DEBUG in execute() -SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaData(EventStreamInfo_p3/Stream2) +SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaData(EventStreamInfo_p3/Stream2) MetaData(EventS... DEBUG Opening MetaData(EventS... DEBUG attributes# = 1 MetaData(EventS... DEBUG Branch container 'EventStreamInfo_p3_Stream2' @@ -835,19 +970,23 @@ MetaData(EventS... DEBUG Opened container MetaData(EventStreamInfo_p3/Stream2) ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000000] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000000] ReadData INFO EventInfo event: 0 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #0, run #1 11 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000001]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000001]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000001] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000001]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000001]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000001] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #1, run #1 11 events processed so far <<<=== @@ -855,19 +994,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000001] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000001] ReadData INFO EventInfo event: 1 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #1, run #1 12 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000002]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000002]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000002] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000002]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000002]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000002] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #2, run #1 12 events processed so far <<<=== @@ -875,19 +1018,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000002] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000002] ReadData INFO EventInfo event: 2 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #2, run #1 13 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000003]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000003]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000003] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000003]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000003]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000003] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #3, run #1 13 events processed so far <<<=== @@ -895,19 +1042,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000003] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000003] ReadData INFO EventInfo event: 3 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #3, run #1 14 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000004]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000004]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000004] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000004]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000004]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000004] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #4, run #1 14 events processed so far <<<=== @@ -915,19 +1066,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000004] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000004] ReadData INFO EventInfo event: 4 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #4, run #1 15 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000005]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000005]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000005] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000005]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000005]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000005] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #5, run #1 15 events processed so far <<<=== @@ -935,19 +1090,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000005] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000005] ReadData INFO EventInfo event: 5 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #5, run #1 16 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000006]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000006]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000006] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000006]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000006]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000006] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #6, run #1 16 events processed so far <<<=== @@ -955,19 +1114,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000006] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000006] ReadData INFO EventInfo event: 6 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #6, run #1 17 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000007]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000007]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000007] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000007]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000007]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000007] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #7, run #1 17 events processed so far <<<=== @@ -975,19 +1138,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000007] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000007] ReadData INFO EventInfo event: 7 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #7, run #1 18 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000008]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000008]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000008] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000008]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000008]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000008] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #8, run #1 18 events processed so far <<<=== @@ -995,19 +1162,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000008] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000008] ReadData INFO EventInfo event: 8 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #8, run #1 19 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000009]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000009]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000009] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000009]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000009]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000009] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #9, run #1 19 events processed so far <<<=== @@ -1015,19 +1186,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000009] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000009] ReadData INFO EventInfo event: 9 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #9, run #1 20 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000A]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000A]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000A] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000A]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000A]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000A] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #10, run #1 20 events processed so far <<<=== @@ -1035,19 +1210,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000A] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000A] ReadData INFO EventInfo event: 10 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #10, run #1 21 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000B]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000B]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000B] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000B]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000B]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000B] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #11, run #1 21 events processed so far <<<=== @@ -1055,19 +1234,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000B] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000B] ReadData INFO EventInfo event: 11 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #11, run #1 22 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000C]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000C]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000C] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000C]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000C]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000C] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #12, run #1 22 events processed so far <<<=== @@ -1075,19 +1258,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000C] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000C] ReadData INFO EventInfo event: 12 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #12, run #1 23 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000D]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000D]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000D] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000D]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000D]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000D] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #13, run #1 23 events processed so far <<<=== @@ -1095,19 +1282,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000D] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000D] ReadData INFO EventInfo event: 13 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #13, run #1 24 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000E]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000E]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000E] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000E]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000E]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000E] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #14, run #1 24 events processed so far <<<=== @@ -1115,19 +1306,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000E] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000E] ReadData INFO EventInfo event: 14 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #14, run #1 25 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000F]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000F]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000F] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000F]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000F]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000F] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #15, run #1 25 events processed so far <<<=== @@ -1135,19 +1330,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000F] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000F] ReadData INFO EventInfo event: 15 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #15, run #1 26 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000010]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000010]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000010] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000010]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000010]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000010] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #16, run #1 26 events processed so far <<<=== @@ -1155,19 +1354,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000010] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000010] ReadData INFO EventInfo event: 16 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #16, run #1 27 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000011]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000011]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000011] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000011]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000011]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000011] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #17, run #1 27 events processed so far <<<=== @@ -1175,19 +1378,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000011] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000011] ReadData INFO EventInfo event: 17 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #17, run #1 28 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000012]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000012]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000012] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000012]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000012]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000012] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #18, run #1 28 events processed so far <<<=== @@ -1195,19 +1402,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000012] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000012] ReadData INFO EventInfo event: 18 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #18, run #1 29 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000013]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000013]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000013] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000013]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000013]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000013] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #19, run #1 29 events processed so far <<<=== @@ -1215,89 +1426,101 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000013] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000013] ReadData INFO EventInfo event: 19 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #19, run #1 30 events processed so far <<<=== -MetaDataSvc DEBUG handle() EndInputFile for FID:???? -MetaDataSvc DEBUG retireMetadataSource: FID:???? -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=SimplePoolFile2.root -StorageSvc DEBUG Closing database: FID=???? +MetaDataSvc DEBUG handle() EndInputFile for FID:73F77177-D136-9344-B64D-29693F68D6C2 +MetaDataSvc DEBUG retireMetadataSource: FID:73F77177-D136-9344-B64D-29693F68D6C2 +EventSelector INFO Disconnecting input sourceID: 73F77177-D136-9344-B64D-29693F68D6C2 +StorageSvc DEBUG Disconnect request for database: FID=73F77177-D136-9344-B64D-29693F68D6C2 PFN=SimplePoolFile2.root +StorageSvc DEBUG Closing database: FID=73F77177-D136-9344-B64D-29693F68D6C2 +Domain[ROOT_All] INFO -> Deaccess DbDatabase READ [ROOT_All] 73F77177-D136-9344-B64D-29693F68D6C2 +Domain[ROOT_All] INFO > Deaccess DbDomain READ [ROOT_All] EventSelector DEBUG Try item: "SimplePoolFile4.root" from the collection list. PoolSvc DEBUG createCollection() type=RootCollection, connection=PFN:SimplePoolFile4.root, name=SimplePoolFile4.root, contextID=0 +PersistencySvc:... DEBUG lookupPFN: SimplePoolFile4.root returned FID: '298DE14D-49CF-674A-9171-CEBBD9BEC6F8' tech=ROOT_All +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain READ [ROOT_All] +Domain[ROOT_All] INFO -> Access DbDatabase READ [ROOT_All] 298DE14D-49CF-674A-9171-CEBBD9BEC6F8 +Domain[ROOT_All] INFO SimplePoolFile4.root SimplePoolFile4... DEBUG --> Access DbContainer READ [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 ##Shapes DEBUG Opened container ##Shapes of type ROOT_Tree -SimplePoolFile4... DEBUG --->Reading Shape[0 , ????]: [1 Column(s)] +SimplePoolFile4... DEBUG --->Reading Shape[0 , C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7]: [1 Column(s)] SimplePoolFile4... DEBUG ---->[0]:EventInfo_p4 Typ:EventInfo_p4 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile4... DEBUG --->Reading Shape[1 , ????]: [1 Column(s)] +SimplePoolFile4... DEBUG --->Reading Shape[1 , FF777FDA-721C-4756-BBF3-4CE28C2A3AF5]: [1 Column(s)] SimplePoolFile4... DEBUG ---->[0]:ExampleTrackContainer_p1 Typ:ExampleTrackContainer_p1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile4... DEBUG --->Reading Shape[2 , ????]: [1 Column(s)] +SimplePoolFile4... DEBUG --->Reading Shape[2 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] SimplePoolFile4... DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile4... DEBUG --->Reading Shape[3 , ????]: [1 Column(s)] +SimplePoolFile4... DEBUG --->Reading Shape[3 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] SimplePoolFile4... DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile4... DEBUG --->Reading Shape[4 , ????]: [1 Column(s)] +SimplePoolFile4... DEBUG --->Reading Shape[4 , E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A]: [1 Column(s)] SimplePoolFile4... DEBUG ---->[0]:Token Typ:Token [18] Size:0 Offset:0 #Elements:1 -SimplePoolFile4... DEBUG --->Reading Shape[5 , ????]: [1 Column(s)] +SimplePoolFile4... DEBUG --->Reading Shape[5 , BBACA313-D7B0-3A4C-9161-089CACF4B1CC]: [1 Column(s)] SimplePoolFile4... DEBUG ---->[0]:unsigned int Typ:unsigned int [3] Size:0 Offset:0 #Elements:1 -SimplePoolFile4... DEBUG --->Reading Shape[6 , ????]: [1 Column(s)] +SimplePoolFile4... DEBUG --->Reading Shape[6 , BEE2BECF-A936-4078-9FDD-AD703C9ADF9F]: [1 Column(s)] SimplePoolFile4... DEBUG ---->[0]:xAOD::FileMetaDataAuxInfo_v1 Typ:xAOD::FileMetaDataAuxInfo_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile4... DEBUG --->Reading Shape[7 , ????]: [1 Column(s)] +SimplePoolFile4... DEBUG --->Reading Shape[7 , 11DF1B8C-0DEE-4687-80D7-E74B520ACBB4]: [1 Column(s)] SimplePoolFile4... DEBUG ---->[0]:EventStreamInfo_p3 Typ:EventStreamInfo_p3 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile4... DEBUG --->Reading Shape[8 , ????]: [1 Column(s)] +SimplePoolFile4... DEBUG --->Reading Shape[8 , C87E3828-4A7A-480A-95DE-0339539F6A0F]: [1 Column(s)] SimplePoolFile4... DEBUG ---->[0]:xAOD::FileMetaData_v1 Typ:xAOD::FileMetaData_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile4... DEBUG --->Reading Shape[9 , ????]: [1 Column(s)] +SimplePoolFile4... DEBUG --->Reading Shape[9 , 0EFE2D2C-9E78-441D-9A87-9EE2B908AC81]: [1 Column(s)] SimplePoolFile4... DEBUG ---->[0]:xAOD::EventFormat_v1 Typ:xAOD::EventFormat_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile4... DEBUG --->Reading Shape[10 , ????]: [1 Column(s)] +SimplePoolFile4... DEBUG --->Reading Shape[10 , 6C2DE6DF-6D52-43F6-B435-9F29812F40C0]: [1 Column(s)] SimplePoolFile4... DEBUG ---->[0]:IOVMetaDataContainer_p1 Typ:IOVMetaDataContainer_p1 [21] Size:0 Offset:0 #Elements:1 ##Shapes DEBUG No objects passing selection criteria... Container has 11 Entries in total. SimplePoolFile4... DEBUG --> Access DbContainer READ [ROOT_All] ##Links ##Links DEBUG Opening ##Links DEBUG attributes# = 1 ##Links DEBUG Opened container ##Links of type ROOT_Tree -SimplePoolFile4... DEBUG --->Reading Assoc:????/##Params [200] (2 , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --->Reading Assoc:????/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --->Reading Assoc:????/CollectionTree(ExampleTrackContainer_p1/MyTracks) [203] (4 , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --->Reading Assoc:????/POOLContainer(DataHeader) [203] (5 , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --->Reading Assoc:????/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --->Reading Assoc:????/POOLCollectionTree(Token) [202] (7 , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --->Reading Assoc:????/POOLCollectionTree(RunNumber) [202] (8 , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventNumber) [202] (9 , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --->Reading Assoc:????/POOLCollectionTree(MagicNumber) [202] (a , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (b , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --->Reading Assoc:????/MetaData(EventStreamInfo_p3/Stream1) [203] (c , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (d , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --->Reading Assoc:????/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [203] (e , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --->Reading Assoc:????/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (f , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --->Reading Assoc:????/MetaDataHdr(DataHeader) [203] (10 , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --->Reading Assoc:????/MetaDataHdrForm(DataHeaderForm) [203] (11 , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? +SimplePoolFile4... DEBUG --->Reading Assoc:298DE14D-49CF-674A-9171-CEBBD9BEC6F8/##Params [200] (2 , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B +SimplePoolFile4... DEBUG --->Reading Assoc:298DE14D-49CF-674A-9171-CEBBD9BEC6F8/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7 +SimplePoolFile4... DEBUG --->Reading Assoc:298DE14D-49CF-674A-9171-CEBBD9BEC6F8/CollectionTree(ExampleTrackContainer_p1/MyTracks) [203] (4 , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:FF777FDA-721C-4756-BBF3-4CE28C2A3AF5 +SimplePoolFile4... DEBUG --->Reading Assoc:298DE14D-49CF-674A-9171-CEBBD9BEC6F8/POOLContainer(DataHeader) [203] (5 , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile4... DEBUG --->Reading Assoc:298DE14D-49CF-674A-9171-CEBBD9BEC6F8/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD +SimplePoolFile4... DEBUG --->Reading Assoc:298DE14D-49CF-674A-9171-CEBBD9BEC6F8/POOLCollectionTree(Token) [202] (7 , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A +SimplePoolFile4... DEBUG --->Reading Assoc:298DE14D-49CF-674A-9171-CEBBD9BEC6F8/POOLCollectionTree(RunNumber) [202] (8 , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile4... DEBUG --->Reading Assoc:298DE14D-49CF-674A-9171-CEBBD9BEC6F8/POOLCollectionTree(EventNumber) [202] (9 , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile4... DEBUG --->Reading Assoc:298DE14D-49CF-674A-9171-CEBBD9BEC6F8/POOLCollectionTree(MagicNumber) [202] (a , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile4... DEBUG --->Reading Assoc:298DE14D-49CF-674A-9171-CEBBD9BEC6F8/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (b , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:BEE2BECF-A936-4078-9FDD-AD703C9ADF9F +SimplePoolFile4... DEBUG --->Reading Assoc:298DE14D-49CF-674A-9171-CEBBD9BEC6F8/MetaData(EventStreamInfo_p3/Stream1) [203] (c , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:11DF1B8C-0DEE-4687-80D7-E74B520ACBB4 +SimplePoolFile4... DEBUG --->Reading Assoc:298DE14D-49CF-674A-9171-CEBBD9BEC6F8/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (d , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:C87E3828-4A7A-480A-95DE-0339539F6A0F +SimplePoolFile4... DEBUG --->Reading Assoc:298DE14D-49CF-674A-9171-CEBBD9BEC6F8/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [203] (e , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:0EFE2D2C-9E78-441D-9A87-9EE2B908AC81 +SimplePoolFile4... DEBUG --->Reading Assoc:298DE14D-49CF-674A-9171-CEBBD9BEC6F8/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (f , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:6C2DE6DF-6D52-43F6-B435-9F29812F40C0 +SimplePoolFile4... DEBUG --->Reading Assoc:298DE14D-49CF-674A-9171-CEBBD9BEC6F8/MetaDataHdr(DataHeader) [203] (10 , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile4... DEBUG --->Reading Assoc:298DE14D-49CF-674A-9171-CEBBD9BEC6F8/MetaDataHdrForm(DataHeaderForm) [203] (11 , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD ##Links DEBUG No objects passing selection criteria... Container has 16 Entries in total. SimplePoolFile4... DEBUG --> Access DbContainer READ [ROOT_All] ##Params ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -SimplePoolFile4... DEBUG --->Reading Param:FID=[????] +SimplePoolFile4... DEBUG --->Reading Param:FID=[298DE14D-49CF-674A-9171-CEBBD9BEC6F8] SimplePoolFile4... DEBUG --->Reading Param:PFN=[SimplePoolFile4.root] SimplePoolFile4... DEBUG --->Reading Param:POOL_VSN=[1.1] SimplePoolFile4... DEBUG --->Reading Param:FORMAT_VSN=[1.1] @@ -1311,36 +1534,38 @@ RootDatabase.se... DEBUG Request tree cache RootDatabase.se... DEBUG File name SimplePoolFile4.root RootDatabase.se... DEBUG Got tree CollectionTree read entry -1 RootDatabase.se... DEBUG Using Tree cache. Size: 100000 Nevents to learn with: 6 +PoolSvc INFO Database (SimplePoolFile4.root) attribute [TREE_CACHE_LEARN_EVENTS]: 6 +PoolSvc INFO Database (SimplePoolFile4.root) attribute [TREE_CACHE_SIZE]: 100000 MetaDataSvc DEBUG handle() BeginInputFile for SimplePoolFile4.root MetaDataSvc DEBUG initInputMetaDataStore: file name SimplePoolFile4.root -SimplePoolFile4... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdr(DataHeader) +SimplePoolFile4... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdr(DataHeader) MetaDataHdr(Dat... DEBUG Opening MetaDataHdr(Dat... DEBUG attributes# = 1 MetaDataHdr(Dat... DEBUG Branch container 'DataHeader' MetaDataHdr(Dat... DEBUG Opened container MetaDataHdr(DataHeader) of type ROOT_Tree -SimplePoolFile4... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdrForm(DataHeaderForm) +SimplePoolFile4... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdrForm(DataHeaderForm) MetaDataHdrForm... DEBUG Opening MetaDataHdrForm... DEBUG attributes# = 1 MetaDataHdrForm... DEBUG Branch container 'DataHeaderForm' MetaDataHdrForm... DEBUG Opened container MetaDataHdrForm(DataHeaderForm) of type ROOT_Tree MetaDataSvc DEBUG Loaded input meta data store proxies MetaDataSvc DEBUG calling beginInputFile for ToolSvc.IOVDbMetaDataTool -SimplePoolFile4... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaData(IOVMetaDataContainer_p1//TagInfo) +SimplePoolFile4... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaData(IOVMetaDataContainer_p1//TagInfo) MetaData(IOVMet... DEBUG Opening MetaData(IOVMet... DEBUG attributes# = 1 MetaData(IOVMet... DEBUG Branch container 'IOVMetaDataContainer_p1__TagInfo' MetaData(IOVMet... DEBUG Opened container MetaData(IOVMetaDataContainer_p1//TagInfo) of type ROOT_Tree EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000000]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000000]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000000] -SimplePoolFile4... DEBUG --> Access DbContainer READ [ROOT_Tree] POOLContainer(DataHeader) +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000] +SimplePoolFile4... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] POOLContainer(DataHeader) POOLContainer(D... DEBUG Opening POOLContainer(D... DEBUG attributes# = 1 POOLContainer(D... DEBUG Branch container 'DataHeader' POOLContainer(D... DEBUG Opened container POOLContainer(DataHeader) of type ROOT_Tree -SimplePoolFile4... DEBUG --> Access DbContainer READ [ROOT_Tree] POOLContainerForm(DataHeaderForm) +SimplePoolFile4... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] POOLContainerForm(DataHeaderForm) POOLContainerFo... DEBUG Opening POOLContainerFo... DEBUG attributes# = 1 POOLContainerFo... DEBUG Branch container 'DataHeaderForm' @@ -1348,14 +1573,14 @@ POOLContainerFo... DEBUG Opened container POOLContainerForm(DataHeaderForm) of AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks -SimplePoolFile4... DEBUG --> Access DbContainer READ [ROOT_Tree] CollectionTree(EventInfo_p4/McEventInfo) +SimplePoolFile4... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] CollectionTree(EventInfo_p4/McEventInfo) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'EventInfo_p4_McEventInfo' CollectionTree(... DEBUG Opened container CollectionTree(EventInfo_p4/McEventInfo) of type ROOT_Tree AthenaEventLoopMgr INFO ===>>> start processing event #0, run #1 30 events processed so far <<<=== ReadData DEBUG in execute() -SimplePoolFile4... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaData(EventStreamInfo_p3/Stream1) +SimplePoolFile4... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaData(EventStreamInfo_p3/Stream1) MetaData(EventS... DEBUG Opening MetaData(EventS... DEBUG attributes# = 1 MetaData(EventS... DEBUG Branch container 'EventStreamInfo_p3_Stream1' @@ -1364,12 +1589,17 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000000] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000000] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000] +ReadData INFO DataHeader (Provenance) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000] ReadData INFO EventInfo event: 0 run: 1 ReadData INFO Get Smart data ptr 1 -SimplePoolFile4... DEBUG --> Access DbContainer READ [ROOT_Tree] CollectionTree(ExampleTrackContainer_p1/MyTracks) +SimplePoolFile4... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] CollectionTree(ExampleTrackContainer_p1/MyTracks) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'ExampleTrackContainer_p1_MyTracks' @@ -1378,12 +1608,14 @@ ReadData INFO Track pt = 74.8928 eta = 3.1676 phi = 2.6161 detector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile4.root) attribute [BYTES_READ]: 23456 +PoolSvc INFO Database (SimplePoolFile4.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #0, run #1 31 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000001]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000001]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000001] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1393,21 +1625,28 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000001] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000001] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001] +ReadData INFO DataHeader (Provenance) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001] ReadData INFO EventInfo event: 1 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 137.584 eta = -39.525 phi = 17.2679 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile4.root) attribute [BYTES_READ]: 23456 +PoolSvc INFO Database (SimplePoolFile4.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #1, run #1 32 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000002]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000002]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000002] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1417,21 +1656,28 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000002] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000002] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002] +ReadData INFO DataHeader (Provenance) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002] ReadData INFO EventInfo event: 2 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 228.154 eta = -6.2704 phi = 31.9197 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile4.root) attribute [BYTES_READ]: 23456 +PoolSvc INFO Database (SimplePoolFile4.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #2, run #1 33 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000003]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000003]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000003] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1441,21 +1687,28 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000003] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000003] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003] +ReadData INFO DataHeader (Provenance) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003] ReadData INFO EventInfo event: 3 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 324.306 eta = -15.8941 phi = 46.5715 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile4.root) attribute [BYTES_READ]: 23456 +PoolSvc INFO Database (SimplePoolFile4.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #3, run #1 34 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000004]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000004]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000004] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1465,21 +1718,28 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000004] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000004] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004] +ReadData INFO DataHeader (Provenance) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004] ReadData INFO EventInfo event: 4 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 422.255 eta = -13.279 phi = 61.2233 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile4.root) attribute [BYTES_READ]: 23456 +PoolSvc INFO Database (SimplePoolFile4.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #4, run #1 35 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000005]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000005]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000005] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1489,21 +1749,28 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000005] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000005] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005] +ReadData INFO DataHeader (Provenance) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005] ReadData INFO EventInfo event: 5 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 520.987 eta = -12.3511 phi = 75.8751 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile4.root) attribute [BYTES_READ]: 23456 +PoolSvc INFO Database (SimplePoolFile4.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #5, run #1 36 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000006]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000006]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000006] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1513,21 +1780,28 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000006] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000006] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006] +ReadData INFO DataHeader (Provenance) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006] ReadData INFO EventInfo event: 6 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 620.127 eta = -11.8468 phi = 90.5269 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile4.root) attribute [BYTES_READ]: 23456 +PoolSvc INFO Database (SimplePoolFile4.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #6, run #1 37 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000007]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000007]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000007] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1537,21 +1811,28 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000007] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000007] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007] +ReadData INFO DataHeader (Provenance) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007] ReadData INFO EventInfo event: 7 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 719.507 eta = -11.5247 phi = 105.179 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile4.root) attribute [BYTES_READ]: 23456 +PoolSvc INFO Database (SimplePoolFile4.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #7, run #1 38 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000008]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000008]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000008] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1561,21 +1842,28 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000008] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000008] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008] +ReadData INFO DataHeader (Provenance) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008] ReadData INFO EventInfo event: 8 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 819.038 eta = -11.2998 phi = 119.831 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile4.root) attribute [BYTES_READ]: 23456 +PoolSvc INFO Database (SimplePoolFile4.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #8, run #1 39 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000009]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000009]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000009] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1585,21 +1873,28 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000009] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000009] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009] +ReadData INFO DataHeader (Provenance) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009] ReadData INFO EventInfo event: 9 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 918.671 eta = -11.1334 phi = 134.482 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile4.root) attribute [BYTES_READ]: 23456 +PoolSvc INFO Database (SimplePoolFile4.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #9, run #1 40 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1609,21 +1904,28 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000A] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-0000000A] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A] +ReadData INFO DataHeader (Provenance) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A] ReadData INFO EventInfo event: 10 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1018.38 eta = -11.0052 phi = 149.134 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile4.root) attribute [BYTES_READ]: 23456 +PoolSvc INFO Database (SimplePoolFile4.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #10, run #1 41 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1633,21 +1935,28 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000B] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-0000000B] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B] +ReadData INFO DataHeader (Provenance) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B] ReadData INFO EventInfo event: 11 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1118.13 eta = -10.9031 phi = 163.786 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile4.root) attribute [BYTES_READ]: 23456 +PoolSvc INFO Database (SimplePoolFile4.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #11, run #1 42 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1657,21 +1966,28 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000C] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-0000000C] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C] +ReadData INFO DataHeader (Provenance) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C] ReadData INFO EventInfo event: 12 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1217.93 eta = -10.82 phi = 178.438 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile4.root) attribute [BYTES_READ]: 23456 +PoolSvc INFO Database (SimplePoolFile4.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #12, run #1 43 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1681,21 +1997,28 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000D] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-0000000D] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D] +ReadData INFO DataHeader (Provenance) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D] ReadData INFO EventInfo event: 13 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1317.76 eta = -10.751 phi = 193.09 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile4.root) attribute [BYTES_READ]: 23456 +PoolSvc INFO Database (SimplePoolFile4.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #13, run #1 44 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1705,21 +2028,28 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000E] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-0000000E] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E] +ReadData INFO DataHeader (Provenance) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E] ReadData INFO EventInfo event: 14 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1417.61 eta = -10.6927 phi = 207.741 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile4.root) attribute [BYTES_READ]: 23456 +PoolSvc INFO Database (SimplePoolFile4.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #14, run #1 45 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1729,21 +2059,28 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000F] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-0000000F] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F] +ReadData INFO DataHeader (Provenance) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F] ReadData INFO EventInfo event: 15 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1517.49 eta = -10.6429 phi = 222.393 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile4.root) attribute [BYTES_READ]: 23456 +PoolSvc INFO Database (SimplePoolFile4.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #15, run #1 46 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1753,21 +2090,28 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000010] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000010] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010] +ReadData INFO DataHeader (Provenance) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010] ReadData INFO EventInfo event: 16 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1617.37 eta = -10.5997 phi = 237.045 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile4.root) attribute [BYTES_READ]: 23456 +PoolSvc INFO Database (SimplePoolFile4.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #16, run #1 47 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1777,21 +2121,28 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000011] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000011] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011] +ReadData INFO DataHeader (Provenance) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011] ReadData INFO EventInfo event: 17 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1717.27 eta = -10.562 phi = 251.697 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile4.root) attribute [BYTES_READ]: 23456 +PoolSvc INFO Database (SimplePoolFile4.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #17, run #1 48 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1801,21 +2152,28 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000012] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000012] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012] +ReadData INFO DataHeader (Provenance) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012] ReadData INFO EventInfo event: 18 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1817.19 eta = -10.5288 phi = 266.349 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile4.root) attribute [BYTES_READ]: 23456 +PoolSvc INFO Database (SimplePoolFile4.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #18, run #1 49 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1825,20 +2183,30 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000013] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000013] +ReadData INFO DataHeader (Event Content) [DB=298DE14D-49CF-674A-9171-CEBBD9BEC6F8][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013] +ReadData INFO DataHeader (Provenance) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013] +ReadData INFO DataHeader (Provenance) [DB=095498FF-E805-B142-9948-BD2D4AC79975][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013] ReadData INFO EventInfo event: 19 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1917.11 eta = -10.4993 phi = 281 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile4.root) attribute [BYTES_READ]: 23456 +PoolSvc INFO Database (SimplePoolFile4.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #19, run #1 50 events processed so far <<<=== -MetaDataSvc DEBUG handle() EndInputFile for FID:???? -MetaDataSvc DEBUG retireMetadataSource: FID:???? -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=SimplePoolFile4.root -StorageSvc DEBUG Closing database: FID=???? +MetaDataSvc DEBUG handle() EndInputFile for FID:298DE14D-49CF-674A-9171-CEBBD9BEC6F8 +MetaDataSvc DEBUG retireMetadataSource: FID:298DE14D-49CF-674A-9171-CEBBD9BEC6F8 +EventSelector INFO Disconnecting input sourceID: 298DE14D-49CF-674A-9171-CEBBD9BEC6F8 +StorageSvc DEBUG Disconnect request for database: FID=298DE14D-49CF-674A-9171-CEBBD9BEC6F8 PFN=SimplePoolFile4.root +StorageSvc DEBUG Closing database: FID=298DE14D-49CF-674A-9171-CEBBD9BEC6F8 +Domain[ROOT_All] INFO -> Deaccess DbDatabase READ [ROOT_All] 298DE14D-49CF-674A-9171-CEBBD9BEC6F8 +Domain[ROOT_All] INFO > Deaccess DbDomain READ [ROOT_All] AthenaEventLoopMgr INFO No more events in event selection MetaDataSvc DEBUG MetaDataSvc::stop() PoolSvc DEBUG Disconnect request for contextId=0 @@ -1846,11 +2214,15 @@ PoolSvc DEBUG Disconnected PersistencySvc session PoolSvc DEBUG Disconnect request for contextId=1 ApplicationMgr INFO Application Manager Stopped successfully ReadData INFO in finalize() +ReadData DEBUG Calling destructor AthDictLoaderSvc INFO in finalize... ToolSvc INFO Removing all tools created by ToolSvc *****Chrono***** INFO **************************************************************************************************** *****Chrono***** INFO The Final CPU consumption ( Chrono ) Table (ordered) *****Chrono***** INFO **************************************************************************************************** +cObjR_ALL INFO Time User : Tot= 10 [ms] Ave/Min/Max= 0.0662(+- 0.811)/ 0/ 10 [ms] #=151 +cObj_ALL INFO Time User : Tot= 20 [ms] Ave/Min/Max= 0.139(+- 1.17)/ 0/ 10 [ms] #=144 +ChronoStatSvc INFO Time User : Tot= 300 [ms] #= 1 *****Chrono***** INFO **************************************************************************************************** ChronoStatSvc.f... INFO Service finalized successfully ApplicationMgr INFO Application Manager Finalized successfully diff --git a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_ReadConcat.ref b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_ReadConcat.ref index 561293a105b36f5d792a810080ad2ff3e8f7d222..ab147d9c1c1f3bd2f93a95f6078a289800c8b6bf 100644 --- a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_ReadConcat.ref +++ b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_ReadConcat.ref @@ -1,12 +1,45 @@ +Mon Oct 18 10:24:42 CDT 2021 +Preloading tcmalloc_minimal.so +Athena INFO including file "AthenaCommon/Preparation.py" +Athena INFO including file "AthenaCommon/Atlas.UnixStandardJob.py" Athena INFO executing ROOT6Setup +Athena INFO including file "AthenaCommon/Execution.py" +Athena INFO including file "AthenaPoolExampleAlgorithms/AthenaPoolExample_ReadJobOptions.py" +Py:ConfigurableDb INFO Read module info for 5082 configurables from 58 genConfDb files +Py:ConfigurableDb INFO No duplicates have been found: that's good ! +Athena INFO including file "AthenaCommon/runbatch.py" +ApplicationMgr SUCCESS +==================================================================================================================================== + Welcome to ApplicationMgr (GaudiCoreSvc v36r0) + running on atlaslogin01.hep.anl.gov on Mon Oct 18 10:24:55 2021 +==================================================================================================================================== ApplicationMgr INFO Application Manager Configured successfully AthDictLoaderSvc INFO in initialize... AthDictLoaderSvc INFO acquired Dso-registry +ClassIDSvc INFO getRegistryEntries: read 3039 CLIDRegistry entries for module ALL AthenaEventLoopMgr INFO Initializing AthenaEventLoopMgr +ClassIDSvc INFO getRegistryEntries: read 863 CLIDRegistry entries for module ALL +ReadData DEBUG Property update for OutputLevel : new value = 2 ReadData INFO in initialize() +MetaDataSvc DEBUG Property update for OutputLevel : new value = 2 MetaDataSvc INFO Initializing MetaDataSvc +PoolSvc DEBUG Property update for OutputLevel : new value = 2 +PoolSvc DEBUG Service base class initialized successfully +PoolSvc INFO Set connectionsvc retry/timeout/IDLE timeout to 'ConnectionRetrialPeriod':300/ 'ConnectionRetrialTimeOut':3600/ 'ConnectionTimeOut':5 seconds with connection cleanup disabled +PoolSvc INFO Frontier compression level set to 5 +DBReplicaSvc INFO Frontier server at (serverurl=http://atlasfrontier-ai.cern.ch:8000/atlr)(serverurl=http://frontier-atlas.lcg.triumf.ca:3128/ATLAS_frontier)(serverurl=http://ccfrontier.in2p3.fr:23128/ccin2p3-AtlasFrontier)(proxyurl=http://atlasbpfrontier.cern.ch:3127)(proxyurl=http://atlasbpfrontier.fnal.gov:3127) will be considered for COOL data +DBReplicaSvc INFO Read replica configuration from /users/gemmeren/workarea/build/x86_64-centos7-gcc8-opt/share/dbreplica.config +DBReplicaSvc INFO Total of 1 servers found for host atlaslogin01.hep.anl.gov [ATLF ] +PoolSvc INFO Successfully setup replica sorting algorithm PoolSvc DEBUG OutputLevel is 2 +PoolSvc INFO Setting up APR FileCatalog and Streams +PoolSvc INFO POOL WriteCatalog is file:Catalog1.xml +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain READ [ROOT_All] +MetaDataSvc INFO Found MetaDataTools = PublicToolHandleArray(['IOVDbMetaDataTool']) +EventSelector DEBUG Property update for OutputLevel : new value = 2 EventSelector DEBUG Initializing EventSelector +EventSelector DEBUG Service base class initialized successfully EventSelector DEBUG Events to skip: 9, 10 IoComponentMgr INFO IoComponent EventSelector has already had file EmptyPoolFile.root registered with i/o mode READ EventSelector DEBUG reinitialization... @@ -14,178 +47,199 @@ EventSelector INFO EventSelection with query EventSelector DEBUG Try item: "EmptyPoolFile.root" from the collection list. PoolSvc DEBUG createCollection() type=RootCollection, connection=PFN:EmptyPoolFile.root, name=EmptyPoolFile.root, contextID=0 PoolSvc DEBUG createCollection() type=ImplicitCollection, connection=PFN:EmptyPoolFile.root, name=POOLContainer(DataHeader), contextID=0 +PersistencySvc:... DEBUG lookupPFN: EmptyPoolFile.root returned FID: 'C7040C30-3363-7D42-B1B7-E3F3B1881030' tech=ROOT_All +Domain[ROOT_All] INFO -> Access DbDatabase READ [ROOT_All] C7040C30-3363-7D42-B1B7-E3F3B1881030 +Domain[ROOT_All] INFO EmptyPoolFile.root EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 ##Shapes DEBUG Opened container ##Shapes of type ROOT_Tree -EmptyPoolFile.root DEBUG --->Reading Shape[0 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[0 , BEE2BECF-A936-4078-9FDD-AD703C9ADF9F]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:xAOD::FileMetaDataAuxInfo_v1 Typ:xAOD::FileMetaDataAuxInfo_v1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[1 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[1 , 11DF1B8C-0DEE-4687-80D7-E74B520ACBB4]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:EventStreamInfo_p3 Typ:EventStreamInfo_p3 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[2 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[2 , C87E3828-4A7A-480A-95DE-0339539F6A0F]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:xAOD::FileMetaData_v1 Typ:xAOD::FileMetaData_v1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[3 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[3 , 0EFE2D2C-9E78-441D-9A87-9EE2B908AC81]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:xAOD::EventFormat_v1 Typ:xAOD::EventFormat_v1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[4 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[4 , 6C2DE6DF-6D52-43F6-B435-9F29812F40C0]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:IOVMetaDataContainer_p1 Typ:IOVMetaDataContainer_p1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[5 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[5 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[6 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[6 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 ##Shapes DEBUG No objects passing selection criteria... Container has 7 Entries in total. EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_All] ##Links ##Links DEBUG Opening ##Links DEBUG attributes# = 1 ##Links DEBUG Opened container ##Links of type ROOT_Tree -EmptyPoolFile.root DEBUG --->Reading Assoc:????/##Params [200] (2 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (3 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(EventStreamInfo_p3/Stream3) [203] (4 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (5 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(xAOD::EventFormat_v1/EventFormatStream3) [203] (6 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (7 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaDataHdr(DataHeader) [203] (8 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaDataHdrForm(DataHeaderForm) [203] (9 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/##Params [200] (2 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (3 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:BEE2BECF-A936-4078-9FDD-AD703C9ADF9F +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(EventStreamInfo_p3/Stream3) [203] (4 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:11DF1B8C-0DEE-4687-80D7-E74B520ACBB4 +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (5 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:C87E3828-4A7A-480A-95DE-0339539F6A0F +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(xAOD::EventFormat_v1/EventFormatStream3) [203] (6 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:0EFE2D2C-9E78-441D-9A87-9EE2B908AC81 +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (7 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:6C2DE6DF-6D52-43F6-B435-9F29812F40C0 +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaDataHdr(DataHeader) [203] (8 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaDataHdrForm(DataHeaderForm) [203] (9 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD ##Links DEBUG No objects passing selection criteria... Container has 8 Entries in total. EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_All] ##Params ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -EmptyPoolFile.root DEBUG --->Reading Param:FID=[????] +EmptyPoolFile.root DEBUG --->Reading Param:FID=[C7040C30-3363-7D42-B1B7-E3F3B1881030] EmptyPoolFile.root DEBUG --->Reading Param:PFN=[EmptyPoolFile.root] EmptyPoolFile.root DEBUG --->Reading Param:POOL_VSN=[1.1] EmptyPoolFile.root DEBUG --->Reading Param:FORMAT_VSN=[1.1] ##Params DEBUG No objects passing selection criteria... Container has 4 Entries in total. +PoolSvc INFO Failed to find container POOLContainer(DataHeader) to create POOL collection. PoolSvc DEBUG createCollection() type=ImplicitCollection, connection=PFN:EmptyPoolFile.root, name=POOLContainer_DataHeader, contextID=0 +PoolSvc INFO Failed to find container POOLContainer_DataHeader to create POOL collection. EventSelector DEBUG No events found in: EmptyPoolFile.root skipped!!! -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=EmptyPoolFile.root -StorageSvc DEBUG Closing database: FID=???? +StorageSvc DEBUG Disconnect request for database: FID=C7040C30-3363-7D42-B1B7-E3F3B1881030 PFN=EmptyPoolFile.root +StorageSvc DEBUG Closing database: FID=C7040C30-3363-7D42-B1B7-E3F3B1881030 +Domain[ROOT_All] INFO -> Deaccess DbDatabase READ [ROOT_All] C7040C30-3363-7D42-B1B7-E3F3B1881030 +Domain[ROOT_All] INFO > Deaccess DbDomain READ [ROOT_All] EventSelector DEBUG Try item: "SimplePoolFile1.root" from the collection list. PoolSvc DEBUG createCollection() type=RootCollection, connection=PFN:SimplePoolFile1.root, name=SimplePoolFile1.root, contextID=0 -MetaDataSvc DEBUG handle() FirstInputFile for FID:???? -MetaDataSvc DEBUG initInputMetaDataStore: file name FID:???? +MetaDataSvc DEBUG handle() FirstInputFile for FID:F2313678-C96A-964F-89E8-08BAB39F2DA7 +MetaDataSvc DEBUG initInputMetaDataStore: file name FID:F2313678-C96A-964F-89E8-08BAB39F2DA7 +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain READ [ROOT_All] +Domain[ROOT_All] INFO -> Access DbDatabase READ [ROOT_All] F2313678-C96A-964F-89E8-08BAB39F2DA7 +Domain[ROOT_All] INFO SimplePoolFile1.root SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 ##Shapes DEBUG Opened container ##Shapes of type ROOT_Tree -SimplePoolFile1... DEBUG --->Reading Shape[0 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[0 , C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:EventInfo_p4 Typ:EventInfo_p4 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[1 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[1 , 6BB89FA1-EB62-4641-97CA-3F8DB6588053]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:ExampleHitContainer_p1 Typ:ExampleHitContainer_p1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[2 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[2 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[3 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[3 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[4 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[4 , E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:Token Typ:Token [18] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[5 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[5 , 13FF06C5-AB4B-6EDD-68AB-3E6350E95305]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:bool Typ:bool [9] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[6 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[6 , BBACA313-D7B0-3A4C-9161-089CACF4B1CC]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:unsigned int Typ:unsigned int [3] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[7 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[7 , 388BE2E0-4452-7BB9-2563-DA3365C64623]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:unsigned long long Typ:unsigned long long [23] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[8 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[8 , 64DE6A54-6E0B-BCDF-8A08-6EF31347E768]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:float Typ:float [10] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[9 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[9 , BEE2BECF-A936-4078-9FDD-AD703C9ADF9F]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:xAOD::FileMetaDataAuxInfo_v1 Typ:xAOD::FileMetaDataAuxInfo_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[10 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[10 , 11DF1B8C-0DEE-4687-80D7-E74B520ACBB4]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:EventStreamInfo_p3 Typ:EventStreamInfo_p3 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[11 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[11 , C87E3828-4A7A-480A-95DE-0339539F6A0F]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:xAOD::FileMetaData_v1 Typ:xAOD::FileMetaData_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[12 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[12 , 0EFE2D2C-9E78-441D-9A87-9EE2B908AC81]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:xAOD::EventFormat_v1 Typ:xAOD::EventFormat_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[13 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[13 , 6C2DE6DF-6D52-43F6-B435-9F29812F40C0]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:IOVMetaDataContainer_p1 Typ:IOVMetaDataContainer_p1 [21] Size:0 Offset:0 #Elements:1 ##Shapes DEBUG No objects passing selection criteria... Container has 14 Entries in total. SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_All] ##Links ##Links DEBUG Opening ##Links DEBUG attributes# = 1 ##Links DEBUG Opened container ##Links of type ROOT_Tree -SimplePoolFile1... DEBUG --->Reading Assoc:????/##Params [200] (2 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/CollectionTree(ExampleHitContainer_p1/MyHits) [203] (4 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLContainer(DataHeader) [203] (5 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(Token) [202] (7 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(IsSimulation) [202] (8 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(IsCalibration) [202] (9 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(IsTestBeam) [202] (a , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(McChannel) [202] (b , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(RunNumber) [202] (c , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventNumber) [202] (d , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(LumiBlockN) [202] (e , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(ConditionsRun) [202] (f , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventTime) [202] (10 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventTimeNanoSec) [202] (11 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(BunchId) [202] (12 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventWeight) [202] (13 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (14 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaData(EventStreamInfo_p3/Stream1) [203] (15 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (16 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [203] (17 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (18 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaDataHdr(DataHeader) [203] (19 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaDataHdrForm(DataHeaderForm) [203] (1a , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/##Params [200] (2 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/CollectionTree(ExampleHitContainer_p1/MyHits) [203] (4 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:6BB89FA1-EB62-4641-97CA-3F8DB6588053 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLContainer(DataHeader) [203] (5 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(Token) [202] (7 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(IsSimulation) [202] (8 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:13FF06C5-AB4B-6EDD-68AB-3E6350E95305 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(IsCalibration) [202] (9 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:13FF06C5-AB4B-6EDD-68AB-3E6350E95305 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(IsTestBeam) [202] (a , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:13FF06C5-AB4B-6EDD-68AB-3E6350E95305 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(McChannel) [202] (b , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(RunNumber) [202] (c , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(EventNumber) [202] (d , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:388BE2E0-4452-7BB9-2563-DA3365C64623 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(LumiBlockN) [202] (e , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(ConditionsRun) [202] (f , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(EventTime) [202] (10 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(EventTimeNanoSec) [202] (11 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(BunchId) [202] (12 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(EventWeight) [202] (13 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:64DE6A54-6E0B-BCDF-8A08-6EF31347E768 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (14 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BEE2BECF-A936-4078-9FDD-AD703C9ADF9F +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(EventStreamInfo_p3/Stream1) [203] (15 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:11DF1B8C-0DEE-4687-80D7-E74B520ACBB4 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (16 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:C87E3828-4A7A-480A-95DE-0339539F6A0F +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [203] (17 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:0EFE2D2C-9E78-441D-9A87-9EE2B908AC81 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (18 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:6C2DE6DF-6D52-43F6-B435-9F29812F40C0 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaDataHdr(DataHeader) [203] (19 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaDataHdrForm(DataHeaderForm) [203] (1a , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD ##Links DEBUG No objects passing selection criteria... Container has 25 Entries in total. SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_All] ##Params ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -SimplePoolFile1... DEBUG --->Reading Param:FID=[????] +SimplePoolFile1... DEBUG --->Reading Param:FID=[F2313678-C96A-964F-89E8-08BAB39F2DA7] SimplePoolFile1... DEBUG --->Reading Param:PFN=[SimplePoolFile1.root] SimplePoolFile1... DEBUG --->Reading Param:POOL_VSN=[1.1] SimplePoolFile1... DEBUG --->Reading Param:FORMAT_VSN=[1.1] ##Params DEBUG No objects passing selection criteria... Container has 4 Entries in total. -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdr(DataHeader) +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdr(DataHeader) MetaDataHdr(Dat... DEBUG Opening MetaDataHdr(Dat... DEBUG attributes# = 1 MetaDataHdr(Dat... DEBUG Branch container 'DataHeader' MetaDataHdr(Dat... DEBUG Opened container MetaDataHdr(DataHeader) of type ROOT_Tree -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdrForm(DataHeaderForm) +ClassIDSvc INFO getRegistryEntries: read 1725 CLIDRegistry entries for module ALL +EventPersistenc... INFO Added successfully Conversion service:AthenaPoolCnvSvc +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdrForm(DataHeaderForm) MetaDataHdrForm... DEBUG Opening MetaDataHdrForm... DEBUG attributes# = 1 MetaDataHdrForm... DEBUG Branch container 'DataHeaderForm' MetaDataHdrForm... DEBUG Opened container MetaDataHdrForm(DataHeaderForm) of type ROOT_Tree MetaDataSvc DEBUG Loaded input meta data store proxies -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaData(IOVMetaDataContainer_p1//TagInfo) +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaData(IOVMetaDataContainer_p1//TagInfo) MetaData(IOVMet... DEBUG Opening MetaData(IOVMet... DEBUG attributes# = 1 MetaData(IOVMet... DEBUG Branch container 'IOVMetaDataContainer_p1__TagInfo' MetaData(IOVMet... DEBUG Opened container MetaData(IOVMetaDataContainer_p1//TagInfo) of type ROOT_Tree +ClassIDSvc INFO getRegistryEntries: read 8 CLIDRegistry entries for module ALL MetaDataSvc DEBUG Registering all Tools in ToolHandleArray MetaDataTools MetaDataSvc DEBUG Adding public ToolHandle tool ToolSvc.IOVDbMetaDataTool (IOVDbMetaDataTool) +MetaDataSvc INFO AlgTool: ToolSvc.IOVDbMetaDataTool +AthenaPoolAddre... DEBUG Property update for OutputLevel : new value = 2 +AthenaPoolAddre... DEBUG Service base class initialized successfully +ReadData DEBUG input handles: 3 +ReadData DEBUG output handles: 0 +ReadData DEBUG Data Deps for ReadData + + INPUT ( 'DataHeader' , 'StoreGateSvc+EventSelector' ) + INPUT ( 'ExampleHitContainer' , 'StoreGateSvc+MyHits' ) + INPUT ( 'ExampleTrackContainer' , 'StoreGateSvc+MyTracks' ) AthenaEventLoopMgr INFO Setup EventSelector service EventSelector @@ -193,65 +247,70 @@ ApplicationMgr INFO Application Manager Initialized successfully EventSelector DEBUG Try item: "EmptyPoolFile.root" from the collection list. PoolSvc DEBUG createCollection() type=RootCollection, connection=PFN:EmptyPoolFile.root, name=EmptyPoolFile.root, contextID=0 PoolSvc DEBUG createCollection() type=ImplicitCollection, connection=PFN:EmptyPoolFile.root, name=POOLContainer(DataHeader), contextID=0 +PersistencySvc:... DEBUG lookupPFN: EmptyPoolFile.root returned FID: 'C7040C30-3363-7D42-B1B7-E3F3B1881030' tech=ROOT_All +Domain[ROOT_All] INFO -> Access DbDatabase READ [ROOT_All] C7040C30-3363-7D42-B1B7-E3F3B1881030 +Domain[ROOT_All] INFO EmptyPoolFile.root EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 ##Shapes DEBUG Opened container ##Shapes of type ROOT_Tree -EmptyPoolFile.root DEBUG --->Reading Shape[0 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[0 , BEE2BECF-A936-4078-9FDD-AD703C9ADF9F]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:xAOD::FileMetaDataAuxInfo_v1 Typ:xAOD::FileMetaDataAuxInfo_v1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[1 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[1 , 11DF1B8C-0DEE-4687-80D7-E74B520ACBB4]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:EventStreamInfo_p3 Typ:EventStreamInfo_p3 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[2 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[2 , C87E3828-4A7A-480A-95DE-0339539F6A0F]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:xAOD::FileMetaData_v1 Typ:xAOD::FileMetaData_v1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[3 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[3 , 0EFE2D2C-9E78-441D-9A87-9EE2B908AC81]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:xAOD::EventFormat_v1 Typ:xAOD::EventFormat_v1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[4 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[4 , 6C2DE6DF-6D52-43F6-B435-9F29812F40C0]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:IOVMetaDataContainer_p1 Typ:IOVMetaDataContainer_p1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[5 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[5 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[6 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[6 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 ##Shapes DEBUG No objects passing selection criteria... Container has 7 Entries in total. EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_All] ##Links ##Links DEBUG Opening ##Links DEBUG attributes# = 1 ##Links DEBUG Opened container ##Links of type ROOT_Tree -EmptyPoolFile.root DEBUG --->Reading Assoc:????/##Params [200] (2 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (3 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(EventStreamInfo_p3/Stream3) [203] (4 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (5 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(xAOD::EventFormat_v1/EventFormatStream3) [203] (6 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (7 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaDataHdr(DataHeader) [203] (8 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaDataHdrForm(DataHeaderForm) [203] (9 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/##Params [200] (2 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (3 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:BEE2BECF-A936-4078-9FDD-AD703C9ADF9F +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(EventStreamInfo_p3/Stream3) [203] (4 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:11DF1B8C-0DEE-4687-80D7-E74B520ACBB4 +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (5 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:C87E3828-4A7A-480A-95DE-0339539F6A0F +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(xAOD::EventFormat_v1/EventFormatStream3) [203] (6 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:0EFE2D2C-9E78-441D-9A87-9EE2B908AC81 +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (7 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:6C2DE6DF-6D52-43F6-B435-9F29812F40C0 +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaDataHdr(DataHeader) [203] (8 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaDataHdrForm(DataHeaderForm) [203] (9 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD ##Links DEBUG No objects passing selection criteria... Container has 8 Entries in total. EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_All] ##Params ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -EmptyPoolFile.root DEBUG --->Reading Param:FID=[????] +EmptyPoolFile.root DEBUG --->Reading Param:FID=[C7040C30-3363-7D42-B1B7-E3F3B1881030] EmptyPoolFile.root DEBUG --->Reading Param:PFN=[EmptyPoolFile.root] EmptyPoolFile.root DEBUG --->Reading Param:POOL_VSN=[1.1] EmptyPoolFile.root DEBUG --->Reading Param:FORMAT_VSN=[1.1] ##Params DEBUG No objects passing selection criteria... Container has 4 Entries in total. +PoolSvc INFO Failed to find container POOLContainer(DataHeader) to create POOL collection. PoolSvc DEBUG createCollection() type=ImplicitCollection, connection=PFN:EmptyPoolFile.root, name=POOLContainer_DataHeader, contextID=0 +PoolSvc INFO Failed to find container POOLContainer_DataHeader to create POOL collection. EventSelector DEBUG No events found in: EmptyPoolFile.root skipped!!! MetaDataSvc DEBUG handle() BeginInputFile for EmptyPoolFile.root MetaDataSvc DEBUG initInputMetaDataStore: file name EmptyPoolFile.root -EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdr(DataHeader) +EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdr(DataHeader) MetaDataHdr(Dat... DEBUG Opening MetaDataHdr(Dat... DEBUG attributes# = 1 MetaDataHdr(Dat... DEBUG Branch container 'DataHeader' MetaDataHdr(Dat... DEBUG Opened container MetaDataHdr(DataHeader) of type ROOT_Tree -EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdrForm(DataHeaderForm) +EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdrForm(DataHeaderForm) MetaDataHdrForm... DEBUG Opening MetaDataHdrForm... DEBUG attributes# = 1 MetaDataHdrForm... DEBUG Branch container 'DataHeaderForm' @@ -260,8 +319,9 @@ MetaDataSvc DEBUG Loaded input meta data store proxies MetaDataSvc DEBUG calling beginInputFile for ToolSvc.IOVDbMetaDataTool MetaDataSvc DEBUG handle() EndInputFile for eventless EmptyPoolFile.root MetaDataSvc DEBUG retireMetadataSource: eventless EmptyPoolFile.root -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=EmptyPoolFile.root -StorageSvc DEBUG Closing database: FID=???? +StorageSvc DEBUG Disconnect request for database: FID=C7040C30-3363-7D42-B1B7-E3F3B1881030 PFN=EmptyPoolFile.root +StorageSvc DEBUG Closing database: FID=C7040C30-3363-7D42-B1B7-E3F3B1881030 +Domain[ROOT_All] INFO -> Deaccess DbDatabase READ [ROOT_All] C7040C30-3363-7D42-B1B7-E3F3B1881030 EventSelector DEBUG Try item: "SimplePoolFile1.root" from the collection list. PoolSvc DEBUG createCollection() type=RootCollection, connection=PFN:SimplePoolFile1.root, name=SimplePoolFile1.root, contextID=0 ApplicationMgr INFO Application Manager Started successfully @@ -274,6 +334,8 @@ RootDatabase.se... DEBUG Request tree cache RootDatabase.se... DEBUG File name SimplePoolFile1.root RootDatabase.se... DEBUG Got tree CollectionTree read entry -1 RootDatabase.se... DEBUG Using Tree cache. Size: 100000 Nevents to learn with: 6 +PoolSvc INFO Database (SimplePoolFile1.root) attribute [TREE_CACHE_LEARN_EVENTS]: 6 +PoolSvc INFO Database (SimplePoolFile1.root) attribute [TREE_CACHE_SIZE]: 100000 MetaDataSvc DEBUG handle() BeginInputFile for SimplePoolFile1.root MetaDataSvc DEBUG initInputMetaDataStore: file name SimplePoolFile1.root MetaDataSvc DEBUG Loaded input meta data store proxies @@ -290,15 +352,15 @@ EventSelector INFO skipping event 9 EventSelector INFO skipping event 10 EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A] -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] POOLContainer(DataHeader) +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A] +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] POOLContainer(DataHeader) POOLContainer(D... DEBUG Opening POOLContainer(D... DEBUG attributes# = 1 POOLContainer(D... DEBUG Branch container 'DataHeader' POOLContainer(D... DEBUG Opened container POOLContainer(DataHeader) of type ROOT_Tree -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] POOLContainerForm(DataHeaderForm) +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] POOLContainerForm(DataHeaderForm) POOLContainerFo... DEBUG Opening POOLContainerFo... DEBUG attributes# = 1 POOLContainerFo... DEBUG Branch container 'DataHeaderForm' @@ -306,10 +368,11 @@ POOLContainerFo... DEBUG Opened container POOLContainerForm(DataHeaderForm) of AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits +AlgResourcePool INFO TopAlg list empty. Recovering the one of Application Manager AthenaEventLoopMgr INFO ===>>> start of run 1 <<<=== AthenaEventLoopMgr INFO ===>>> start processing event #10, run #1 0 events processed so far <<<=== ReadData DEBUG in execute() -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaData(EventStreamInfo_p3/Stream1) +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaData(EventStreamInfo_p3/Stream1) MetaData(EventS... DEBUG Opening MetaData(EventS... DEBUG attributes# = 1 MetaData(EventS... DEBUG Branch container 'EventStreamInfo_p3_Stream1' @@ -318,13 +381,16 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000A] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000A] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A] ReadData INFO EventInfo event: 10 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] CollectionTree(ExampleHitContainer_p1/MyHits) +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] CollectionTree(ExampleHitContainer_p1/MyHits) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'ExampleHitContainer_p1_MyHits' @@ -339,12 +405,15 @@ ReadData INFO Hit x = 1020.49 y = 63.5816 z = -951.864 detector = Du ReadData INFO Hit x = 1023.7 y = 57.9027 z = -953.684 detector = DummyHitDetector ReadData INFO Hit x = 1026.91 y = 52.2238 z = -955.073 detector = DummyHitDetector ReadData INFO Hit x = 1030.12 y = 46.5449 z = -956.169 detector = DummyHitDetector +PoolSvc INFO Database (SimplePoolFile1.root) attribute [BYTES_READ]: 24917 +PoolSvc INFO Database (SimplePoolFile1.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #10, run #1 1 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B]. +ClassIDSvc INFO getRegistryEntries: read 13 CLIDRegistry entries for module ALL +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -354,9 +423,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000B] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000B] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B] ReadData INFO EventInfo event: 11 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -370,12 +442,14 @@ ReadData INFO Hit x = 1120.49 y = 63.5816 z = -1051.86 detector = Du ReadData INFO Hit x = 1123.7 y = 57.9027 z = -1053.68 detector = DummyHitDetector ReadData INFO Hit x = 1126.91 y = 52.2238 z = -1055.07 detector = DummyHitDetector ReadData INFO Hit x = 1130.12 y = 46.5449 z = -1056.17 detector = DummyHitDetector +PoolSvc INFO Database (SimplePoolFile1.root) attribute [BYTES_READ]: 24917 +PoolSvc INFO Database (SimplePoolFile1.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #11, run #1 2 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -385,9 +459,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000C] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000C] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C] ReadData INFO EventInfo event: 12 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -401,12 +478,14 @@ ReadData INFO Hit x = 1220.49 y = 63.5816 z = -1151.86 detector = Du ReadData INFO Hit x = 1223.7 y = 57.9027 z = -1153.68 detector = DummyHitDetector ReadData INFO Hit x = 1226.91 y = 52.2238 z = -1155.07 detector = DummyHitDetector ReadData INFO Hit x = 1230.12 y = 46.5449 z = -1156.17 detector = DummyHitDetector +PoolSvc INFO Database (SimplePoolFile1.root) attribute [BYTES_READ]: 24917 +PoolSvc INFO Database (SimplePoolFile1.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #12, run #1 3 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -416,9 +495,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000D] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000D] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D] ReadData INFO EventInfo event: 13 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -432,12 +514,14 @@ ReadData INFO Hit x = 1320.49 y = 63.5816 z = -1251.86 detector = Du ReadData INFO Hit x = 1323.7 y = 57.9027 z = -1253.68 detector = DummyHitDetector ReadData INFO Hit x = 1326.91 y = 52.2238 z = -1255.07 detector = DummyHitDetector ReadData INFO Hit x = 1330.12 y = 46.5449 z = -1256.17 detector = DummyHitDetector +PoolSvc INFO Database (SimplePoolFile1.root) attribute [BYTES_READ]: 24917 +PoolSvc INFO Database (SimplePoolFile1.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #13, run #1 4 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -447,9 +531,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000E] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000E] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E] ReadData INFO EventInfo event: 14 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -463,12 +550,14 @@ ReadData INFO Hit x = 1420.49 y = 63.5816 z = -1351.86 detector = Du ReadData INFO Hit x = 1423.7 y = 57.9027 z = -1353.68 detector = DummyHitDetector ReadData INFO Hit x = 1426.91 y = 52.2238 z = -1355.07 detector = DummyHitDetector ReadData INFO Hit x = 1430.12 y = 46.5449 z = -1356.17 detector = DummyHitDetector +PoolSvc INFO Database (SimplePoolFile1.root) attribute [BYTES_READ]: 24917 +PoolSvc INFO Database (SimplePoolFile1.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #14, run #1 5 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -478,9 +567,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000F] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000F] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F] ReadData INFO EventInfo event: 15 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -494,12 +586,14 @@ ReadData INFO Hit x = 1520.49 y = 63.5816 z = -1451.86 detector = Du ReadData INFO Hit x = 1523.7 y = 57.9027 z = -1453.68 detector = DummyHitDetector ReadData INFO Hit x = 1526.91 y = 52.2238 z = -1455.07 detector = DummyHitDetector ReadData INFO Hit x = 1530.12 y = 46.5449 z = -1456.17 detector = DummyHitDetector +PoolSvc INFO Database (SimplePoolFile1.root) attribute [BYTES_READ]: 24917 +PoolSvc INFO Database (SimplePoolFile1.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #15, run #1 6 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -509,9 +603,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000010] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000010] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010] ReadData INFO EventInfo event: 16 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -525,12 +622,14 @@ ReadData INFO Hit x = 1620.49 y = 63.5816 z = -1551.86 detector = Du ReadData INFO Hit x = 1623.7 y = 57.9027 z = -1553.68 detector = DummyHitDetector ReadData INFO Hit x = 1626.91 y = 52.2238 z = -1555.07 detector = DummyHitDetector ReadData INFO Hit x = 1630.12 y = 46.5449 z = -1556.17 detector = DummyHitDetector +PoolSvc INFO Database (SimplePoolFile1.root) attribute [BYTES_READ]: 24917 +PoolSvc INFO Database (SimplePoolFile1.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #16, run #1 7 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -540,9 +639,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000011] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000011] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011] ReadData INFO EventInfo event: 17 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -556,12 +658,14 @@ ReadData INFO Hit x = 1720.49 y = 63.5816 z = -1651.86 detector = Du ReadData INFO Hit x = 1723.7 y = 57.9027 z = -1653.68 detector = DummyHitDetector ReadData INFO Hit x = 1726.91 y = 52.2238 z = -1655.07 detector = DummyHitDetector ReadData INFO Hit x = 1730.12 y = 46.5449 z = -1656.17 detector = DummyHitDetector +PoolSvc INFO Database (SimplePoolFile1.root) attribute [BYTES_READ]: 24917 +PoolSvc INFO Database (SimplePoolFile1.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #17, run #1 8 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -571,9 +675,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000012] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000012] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012] ReadData INFO EventInfo event: 18 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -587,12 +694,14 @@ ReadData INFO Hit x = 1820.49 y = 63.5816 z = -1751.86 detector = Du ReadData INFO Hit x = 1823.7 y = 57.9027 z = -1753.68 detector = DummyHitDetector ReadData INFO Hit x = 1826.91 y = 52.2238 z = -1755.07 detector = DummyHitDetector ReadData INFO Hit x = 1830.12 y = 46.5449 z = -1756.17 detector = DummyHitDetector +PoolSvc INFO Database (SimplePoolFile1.root) attribute [BYTES_READ]: 24917 +PoolSvc INFO Database (SimplePoolFile1.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #18, run #1 9 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -602,9 +711,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000013] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000013] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013] ReadData INFO EventInfo event: 19 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -618,150 +730,169 @@ ReadData INFO Hit x = 1920.49 y = 63.5816 z = -1851.86 detector = Du ReadData INFO Hit x = 1923.7 y = 57.9027 z = -1853.68 detector = DummyHitDetector ReadData INFO Hit x = 1926.91 y = 52.2238 z = -1855.07 detector = DummyHitDetector ReadData INFO Hit x = 1930.12 y = 46.5449 z = -1856.17 detector = DummyHitDetector +PoolSvc INFO Database (SimplePoolFile1.root) attribute [BYTES_READ]: 24917 +PoolSvc INFO Database (SimplePoolFile1.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #19, run #1 10 events processed so far <<<=== -MetaDataSvc DEBUG handle() EndInputFile for FID:???? -MetaDataSvc DEBUG retireMetadataSource: FID:???? -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=SimplePoolFile1.root -StorageSvc DEBUG Closing database: FID=???? +MetaDataSvc DEBUG handle() EndInputFile for FID:F2313678-C96A-964F-89E8-08BAB39F2DA7 +MetaDataSvc DEBUG retireMetadataSource: FID:F2313678-C96A-964F-89E8-08BAB39F2DA7 +EventSelector INFO Disconnecting input sourceID: F2313678-C96A-964F-89E8-08BAB39F2DA7 +StorageSvc DEBUG Disconnect request for database: FID=F2313678-C96A-964F-89E8-08BAB39F2DA7 PFN=SimplePoolFile1.root +StorageSvc DEBUG Closing database: FID=F2313678-C96A-964F-89E8-08BAB39F2DA7 +Domain[ROOT_All] INFO -> Deaccess DbDatabase READ [ROOT_All] F2313678-C96A-964F-89E8-08BAB39F2DA7 +Domain[ROOT_All] INFO > Deaccess DbDomain READ [ROOT_All] EventSelector DEBUG Try item: "EmptyPoolFile.root" from the collection list. PoolSvc DEBUG createCollection() type=RootCollection, connection=PFN:EmptyPoolFile.root, name=EmptyPoolFile.root, contextID=0 PoolSvc DEBUG createCollection() type=ImplicitCollection, connection=PFN:EmptyPoolFile.root, name=POOLContainer(DataHeader), contextID=0 +PersistencySvc:... DEBUG lookupPFN: EmptyPoolFile.root returned FID: 'C7040C30-3363-7D42-B1B7-E3F3B1881030' tech=ROOT_All +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain READ [ROOT_All] +Domain[ROOT_All] INFO -> Access DbDatabase READ [ROOT_All] C7040C30-3363-7D42-B1B7-E3F3B1881030 +Domain[ROOT_All] INFO EmptyPoolFile.root EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 ##Shapes DEBUG Opened container ##Shapes of type ROOT_Tree -EmptyPoolFile.root DEBUG --->Reading Shape[0 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[0 , BEE2BECF-A936-4078-9FDD-AD703C9ADF9F]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:xAOD::FileMetaDataAuxInfo_v1 Typ:xAOD::FileMetaDataAuxInfo_v1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[1 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[1 , 11DF1B8C-0DEE-4687-80D7-E74B520ACBB4]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:EventStreamInfo_p3 Typ:EventStreamInfo_p3 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[2 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[2 , C87E3828-4A7A-480A-95DE-0339539F6A0F]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:xAOD::FileMetaData_v1 Typ:xAOD::FileMetaData_v1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[3 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[3 , 0EFE2D2C-9E78-441D-9A87-9EE2B908AC81]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:xAOD::EventFormat_v1 Typ:xAOD::EventFormat_v1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[4 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[4 , 6C2DE6DF-6D52-43F6-B435-9F29812F40C0]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:IOVMetaDataContainer_p1 Typ:IOVMetaDataContainer_p1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[5 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[5 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --->Reading Shape[6 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Reading Shape[6 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 ##Shapes DEBUG No objects passing selection criteria... Container has 7 Entries in total. EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_All] ##Links ##Links DEBUG Opening ##Links DEBUG attributes# = 1 ##Links DEBUG Opened container ##Links of type ROOT_Tree -EmptyPoolFile.root DEBUG --->Reading Assoc:????/##Params [200] (2 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (3 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(EventStreamInfo_p3/Stream3) [203] (4 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (5 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(xAOD::EventFormat_v1/EventFormatStream3) [203] (6 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (7 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaDataHdr(DataHeader) [203] (8 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Reading Assoc:????/MetaDataHdrForm(DataHeaderForm) [203] (9 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/##Params [200] (2 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (3 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:BEE2BECF-A936-4078-9FDD-AD703C9ADF9F +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(EventStreamInfo_p3/Stream3) [203] (4 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:11DF1B8C-0DEE-4687-80D7-E74B520ACBB4 +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (5 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:C87E3828-4A7A-480A-95DE-0339539F6A0F +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(xAOD::EventFormat_v1/EventFormatStream3) [203] (6 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:0EFE2D2C-9E78-441D-9A87-9EE2B908AC81 +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (7 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:6C2DE6DF-6D52-43F6-B435-9F29812F40C0 +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaDataHdr(DataHeader) [203] (8 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +EmptyPoolFile.root DEBUG --->Reading Assoc:C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaDataHdrForm(DataHeaderForm) [203] (9 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD ##Links DEBUG No objects passing selection criteria... Container has 8 Entries in total. EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_All] ##Params ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -EmptyPoolFile.root DEBUG --->Reading Param:FID=[????] +EmptyPoolFile.root DEBUG --->Reading Param:FID=[C7040C30-3363-7D42-B1B7-E3F3B1881030] EmptyPoolFile.root DEBUG --->Reading Param:PFN=[EmptyPoolFile.root] EmptyPoolFile.root DEBUG --->Reading Param:POOL_VSN=[1.1] EmptyPoolFile.root DEBUG --->Reading Param:FORMAT_VSN=[1.1] ##Params DEBUG No objects passing selection criteria... Container has 4 Entries in total. +PoolSvc INFO Failed to find container POOLContainer(DataHeader) to create POOL collection. PoolSvc DEBUG createCollection() type=ImplicitCollection, connection=PFN:EmptyPoolFile.root, name=POOLContainer_DataHeader, contextID=0 +PoolSvc INFO Failed to find container POOLContainer_DataHeader to create POOL collection. EventSelector DEBUG No events found in: EmptyPoolFile.root skipped!!! MetaDataSvc DEBUG handle() BeginInputFile for EmptyPoolFile.root MetaDataSvc DEBUG initInputMetaDataStore: file name EmptyPoolFile.root -EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdr(DataHeader) +EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdr(DataHeader) MetaDataHdr(Dat... DEBUG Opening MetaDataHdr(Dat... DEBUG attributes# = 1 MetaDataHdr(Dat... DEBUG Branch container 'DataHeader' MetaDataHdr(Dat... DEBUG Opened container MetaDataHdr(DataHeader) of type ROOT_Tree MetaDataSvc DEBUG Loaded input meta data store proxies MetaDataSvc DEBUG calling beginInputFile for ToolSvc.IOVDbMetaDataTool -EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_Tree] MetaData(IOVMetaDataContainer_p1//TagInfo) +EmptyPoolFile.root DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaData(IOVMetaDataContainer_p1//TagInfo) MetaData(IOVMet... DEBUG Opening MetaData(IOVMet... DEBUG attributes# = 1 MetaData(IOVMet... DEBUG Branch container 'IOVMetaDataContainer_p1__TagInfo' MetaData(IOVMet... DEBUG Opened container MetaData(IOVMetaDataContainer_p1//TagInfo) of type ROOT_Tree MetaDataSvc DEBUG handle() EndInputFile for eventless EmptyPoolFile.root MetaDataSvc DEBUG retireMetadataSource: eventless EmptyPoolFile.root -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=EmptyPoolFile.root -StorageSvc DEBUG Closing database: FID=???? +StorageSvc DEBUG Disconnect request for database: FID=C7040C30-3363-7D42-B1B7-E3F3B1881030 PFN=EmptyPoolFile.root +StorageSvc DEBUG Closing database: FID=C7040C30-3363-7D42-B1B7-E3F3B1881030 +Domain[ROOT_All] INFO -> Deaccess DbDatabase READ [ROOT_All] C7040C30-3363-7D42-B1B7-E3F3B1881030 +Domain[ROOT_All] INFO > Deaccess DbDomain READ [ROOT_All] EventSelector DEBUG Try item: "SimplePoolFile2.root" from the collection list. PoolSvc DEBUG createCollection() type=RootCollection, connection=PFN:SimplePoolFile2.root, name=SimplePoolFile2.root, contextID=0 +PersistencySvc:... DEBUG lookupPFN: SimplePoolFile2.root returned FID: '73F77177-D136-9344-B64D-29693F68D6C2' tech=ROOT_All +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain READ [ROOT_All] +Domain[ROOT_All] INFO -> Access DbDatabase READ [ROOT_All] 73F77177-D136-9344-B64D-29693F68D6C2 +Domain[ROOT_All] INFO SimplePoolFile2.root SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 ##Shapes DEBUG Opened container ##Shapes of type ROOT_Tree -SimplePoolFile2... DEBUG --->Reading Shape[0 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Reading Shape[0 , C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7]: [1 Column(s)] SimplePoolFile2... DEBUG ---->[0]:EventInfo_p4 Typ:EventInfo_p4 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile2... DEBUG --->Reading Shape[1 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Reading Shape[1 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] SimplePoolFile2... DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile2... DEBUG --->Reading Shape[2 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Reading Shape[2 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] SimplePoolFile2... DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile2... DEBUG --->Reading Shape[3 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Reading Shape[3 , E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A]: [1 Column(s)] SimplePoolFile2... DEBUG ---->[0]:Token Typ:Token [18] Size:0 Offset:0 #Elements:1 -SimplePoolFile2... DEBUG --->Reading Shape[4 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Reading Shape[4 , BBACA313-D7B0-3A4C-9161-089CACF4B1CC]: [1 Column(s)] SimplePoolFile2... DEBUG ---->[0]:unsigned int Typ:unsigned int [3] Size:0 Offset:0 #Elements:1 -SimplePoolFile2... DEBUG --->Reading Shape[5 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Reading Shape[5 , BEE2BECF-A936-4078-9FDD-AD703C9ADF9F]: [1 Column(s)] SimplePoolFile2... DEBUG ---->[0]:xAOD::FileMetaDataAuxInfo_v1 Typ:xAOD::FileMetaDataAuxInfo_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile2... DEBUG --->Reading Shape[6 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Reading Shape[6 , 11DF1B8C-0DEE-4687-80D7-E74B520ACBB4]: [1 Column(s)] SimplePoolFile2... DEBUG ---->[0]:EventStreamInfo_p3 Typ:EventStreamInfo_p3 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile2... DEBUG --->Reading Shape[7 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Reading Shape[7 , C87E3828-4A7A-480A-95DE-0339539F6A0F]: [1 Column(s)] SimplePoolFile2... DEBUG ---->[0]:xAOD::FileMetaData_v1 Typ:xAOD::FileMetaData_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile2... DEBUG --->Reading Shape[8 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Reading Shape[8 , 0EFE2D2C-9E78-441D-9A87-9EE2B908AC81]: [1 Column(s)] SimplePoolFile2... DEBUG ---->[0]:xAOD::EventFormat_v1 Typ:xAOD::EventFormat_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile2... DEBUG --->Reading Shape[9 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Reading Shape[9 , 6C2DE6DF-6D52-43F6-B435-9F29812F40C0]: [1 Column(s)] SimplePoolFile2... DEBUG ---->[0]:IOVMetaDataContainer_p1 Typ:IOVMetaDataContainer_p1 [21] Size:0 Offset:0 #Elements:1 ##Shapes DEBUG No objects passing selection criteria... Container has 10 Entries in total. SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_All] ##Links ##Links DEBUG Opening ##Links DEBUG attributes# = 1 ##Links DEBUG Opened container ##Links of type ROOT_Tree -SimplePoolFile2... DEBUG --->Reading Assoc:????/##Params [200] (2 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/POOLContainer(DataHeader) [203] (4 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/POOLContainerForm(DataHeaderForm) [203] (5 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/POOLCollectionTree(Token) [202] (6 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/POOLCollectionTree(RunNumber) [202] (7 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventNumber) [202] (8 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/POOLCollectionTree(MagicNumber) [202] (9 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (a , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/MetaData(EventStreamInfo_p3/Stream2) [203] (b , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (c , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/MetaData(xAOD::EventFormat_v1/EventFormatStream2) [203] (d , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (e , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/MetaDataHdr(DataHeader) [203] (f , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Reading Assoc:????/MetaDataHdrForm(DataHeaderForm) [203] (10 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/##Params [200] (2 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7 +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/POOLContainer(DataHeader) [203] (4 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/POOLContainerForm(DataHeaderForm) [203] (5 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/POOLCollectionTree(Token) [202] (6 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/POOLCollectionTree(RunNumber) [202] (7 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/POOLCollectionTree(EventNumber) [202] (8 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/POOLCollectionTree(MagicNumber) [202] (9 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (a , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:BEE2BECF-A936-4078-9FDD-AD703C9ADF9F +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/MetaData(EventStreamInfo_p3/Stream2) [203] (b , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:11DF1B8C-0DEE-4687-80D7-E74B520ACBB4 +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (c , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:C87E3828-4A7A-480A-95DE-0339539F6A0F +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/MetaData(xAOD::EventFormat_v1/EventFormatStream2) [203] (d , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:0EFE2D2C-9E78-441D-9A87-9EE2B908AC81 +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (e , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:6C2DE6DF-6D52-43F6-B435-9F29812F40C0 +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/MetaDataHdr(DataHeader) [203] (f , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile2... DEBUG --->Reading Assoc:73F77177-D136-9344-B64D-29693F68D6C2/MetaDataHdrForm(DataHeaderForm) [203] (10 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD ##Links DEBUG No objects passing selection criteria... Container has 15 Entries in total. SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_All] ##Params ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -SimplePoolFile2... DEBUG --->Reading Param:FID=[????] +SimplePoolFile2... DEBUG --->Reading Param:FID=[73F77177-D136-9344-B64D-29693F68D6C2] SimplePoolFile2... DEBUG --->Reading Param:PFN=[SimplePoolFile2.root] SimplePoolFile2... DEBUG --->Reading Param:POOL_VSN=[1.1] SimplePoolFile2... DEBUG --->Reading Param:FORMAT_VSN=[1.1] @@ -775,50 +906,53 @@ RootDatabase.se... DEBUG Request tree cache RootDatabase.se... DEBUG File name SimplePoolFile2.root RootDatabase.se... DEBUG Got tree CollectionTree read entry -1 RootDatabase.se... DEBUG Using Tree cache. Size: 100000 Nevents to learn with: 6 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [TREE_CACHE_LEARN_EVENTS]: 6 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [TREE_CACHE_SIZE]: 100000 MetaDataSvc DEBUG handle() BeginInputFile for SimplePoolFile2.root MetaDataSvc DEBUG initInputMetaDataStore: file name SimplePoolFile2.root -SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdr(DataHeader) +SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdr(DataHeader) MetaDataHdr(Dat... DEBUG Opening MetaDataHdr(Dat... DEBUG attributes# = 1 MetaDataHdr(Dat... DEBUG Branch container 'DataHeader' MetaDataHdr(Dat... DEBUG Opened container MetaDataHdr(DataHeader) of type ROOT_Tree -SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdrForm(DataHeaderForm) +SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdrForm(DataHeaderForm) MetaDataHdrForm... DEBUG Opening MetaDataHdrForm... DEBUG attributes# = 1 MetaDataHdrForm... DEBUG Branch container 'DataHeaderForm' MetaDataHdrForm... DEBUG Opened container MetaDataHdrForm(DataHeaderForm) of type ROOT_Tree MetaDataSvc DEBUG Loaded input meta data store proxies MetaDataSvc DEBUG calling beginInputFile for ToolSvc.IOVDbMetaDataTool -SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaData(IOVMetaDataContainer_p1//TagInfo) +SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaData(IOVMetaDataContainer_p1//TagInfo) MetaData(IOVMet... DEBUG Opening MetaData(IOVMet... DEBUG attributes# = 1 MetaData(IOVMet... DEBUG Branch container 'IOVMetaDataContainer_p1__TagInfo' MetaData(IOVMet... DEBUG Opened container MetaData(IOVMetaDataContainer_p1//TagInfo) of type ROOT_Tree EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000000]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000000]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000000] -SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_Tree] POOLContainer(DataHeader) +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000000]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000000]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000000] +SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] POOLContainer(DataHeader) POOLContainer(D... DEBUG Opening POOLContainer(D... DEBUG attributes# = 1 POOLContainer(D... DEBUG Branch container 'DataHeader' POOLContainer(D... DEBUG Opened container POOLContainer(DataHeader) of type ROOT_Tree -SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_Tree] POOLContainerForm(DataHeaderForm) +SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] POOLContainerForm(DataHeaderForm) POOLContainerFo... DEBUG Opening POOLContainerFo... DEBUG attributes# = 1 POOLContainerFo... DEBUG Branch container 'DataHeaderForm' POOLContainerFo... DEBUG Opened container POOLContainerForm(DataHeaderForm) of type ROOT_Tree AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo -SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_Tree] CollectionTree(EventInfo_p4/McEventInfo) +SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] CollectionTree(EventInfo_p4/McEventInfo) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'EventInfo_p4_McEventInfo' CollectionTree(... DEBUG Opened container CollectionTree(EventInfo_p4/McEventInfo) of type ROOT_Tree +AthenaPoolConve... INFO massageEventInfo: unable to get OverrideRunNumberFromInput property from EventSelector AthenaEventLoopMgr INFO ===>>> start processing event #0, run #1 10 events processed so far <<<=== ReadData DEBUG in execute() -SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaData(EventStreamInfo_p3/Stream2) +SimplePoolFile2... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaData(EventStreamInfo_p3/Stream2) MetaData(EventS... DEBUG Opening MetaData(EventS... DEBUG attributes# = 1 MetaData(EventS... DEBUG Branch container 'EventStreamInfo_p3_Stream2' @@ -826,19 +960,23 @@ MetaData(EventS... DEBUG Opened container MetaData(EventStreamInfo_p3/Stream2) ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000000] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000000] ReadData INFO EventInfo event: 0 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #0, run #1 11 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000001]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000001]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000001] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000001]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000001]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000001] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #1, run #1 11 events processed so far <<<=== @@ -846,19 +984,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000001] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000001] ReadData INFO EventInfo event: 1 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #1, run #1 12 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000002]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000002]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000002] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000002]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000002]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000002] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #2, run #1 12 events processed so far <<<=== @@ -866,19 +1008,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000002] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000002] ReadData INFO EventInfo event: 2 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #2, run #1 13 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000003]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000003]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000003] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000003]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000003]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000003] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #3, run #1 13 events processed so far <<<=== @@ -886,19 +1032,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000003] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000003] ReadData INFO EventInfo event: 3 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #3, run #1 14 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000004]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000004]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000004] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000004]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000004]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000004] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #4, run #1 14 events processed so far <<<=== @@ -906,19 +1056,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000004] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000004] ReadData INFO EventInfo event: 4 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #4, run #1 15 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000005]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000005]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000005] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000005]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000005]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000005] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #5, run #1 15 events processed so far <<<=== @@ -926,19 +1080,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000005] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000005] ReadData INFO EventInfo event: 5 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #5, run #1 16 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000006]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000006]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000006] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000006]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000006]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000006] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #6, run #1 16 events processed so far <<<=== @@ -946,19 +1104,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000006] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000006] ReadData INFO EventInfo event: 6 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #6, run #1 17 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000007]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000007]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000007] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000007]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000007]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000007] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #7, run #1 17 events processed so far <<<=== @@ -966,19 +1128,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000007] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000007] ReadData INFO EventInfo event: 7 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #7, run #1 18 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000008]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000008]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000008] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000008]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000008]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000008] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #8, run #1 18 events processed so far <<<=== @@ -986,19 +1152,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000008] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000008] ReadData INFO EventInfo event: 8 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #8, run #1 19 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000009]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000009]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000009] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000009]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000009]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000009] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #9, run #1 19 events processed so far <<<=== @@ -1006,19 +1176,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000009] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000009] ReadData INFO EventInfo event: 9 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #9, run #1 20 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000A]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000A]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000A] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000A]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000A]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000A] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #10, run #1 20 events processed so far <<<=== @@ -1026,19 +1200,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000A] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000A] ReadData INFO EventInfo event: 10 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #10, run #1 21 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000B]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000B]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000B] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000B]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000B]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000B] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #11, run #1 21 events processed so far <<<=== @@ -1046,19 +1224,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000B] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000B] ReadData INFO EventInfo event: 11 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #11, run #1 22 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000C]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000C]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000C] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000C]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000C]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000C] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #12, run #1 22 events processed so far <<<=== @@ -1066,19 +1248,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000C] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000C] ReadData INFO EventInfo event: 12 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #12, run #1 23 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000D]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000D]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000D] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000D]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000D]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000D] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #13, run #1 23 events processed so far <<<=== @@ -1086,19 +1272,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000D] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000D] ReadData INFO EventInfo event: 13 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #13, run #1 24 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000E]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000E]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000E] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000E]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000E]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000E] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #14, run #1 24 events processed so far <<<=== @@ -1106,19 +1296,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000E] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000E] ReadData INFO EventInfo event: 14 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #14, run #1 25 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000F]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000F]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-0000000F] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000F]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000F]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000F] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #15, run #1 25 events processed so far <<<=== @@ -1126,19 +1320,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000F] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-0000000F] ReadData INFO EventInfo event: 15 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #15, run #1 26 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000010]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000010]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000010] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000010]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000010]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000010] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #16, run #1 26 events processed so far <<<=== @@ -1146,19 +1344,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000010] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000010] ReadData INFO EventInfo event: 16 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #16, run #1 27 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000011]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000011]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000011] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000011]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000011]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000011] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #17, run #1 27 events processed so far <<<=== @@ -1166,19 +1368,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000011] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000011] ReadData INFO EventInfo event: 17 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #17, run #1 28 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000012]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000012]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000012] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000012]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000012]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000012] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #18, run #1 28 events processed so far <<<=== @@ -1186,19 +1392,23 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000012] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000012] ReadData INFO EventInfo event: 18 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #18, run #1 29 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 3 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000013]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000013]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000004-00000013] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000013]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000013]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000013] AthenaPoolAddre... DEBUG The current Event contains: 2 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaEventLoopMgr INFO ===>>> start processing event #19, run #1 29 events processed so far <<<=== @@ -1206,113 +1416,125 @@ ReadData DEBUG in execute() ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000013] +ReadData INFO DataHeader (Event Content) [DB=73F77177-D136-9344-B64D-29693F68D6C2][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000004-00000013] ReadData INFO EventInfo event: 19 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile2.root) attribute [BYTES_READ]: 21247 +PoolSvc INFO Database (SimplePoolFile2.root) attribute [READ_CALLS]: 22 AthenaEventLoopMgr INFO ===>>> done processing event #19, run #1 30 events processed so far <<<=== -MetaDataSvc DEBUG handle() EndInputFile for FID:???? -MetaDataSvc DEBUG retireMetadataSource: FID:???? -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=SimplePoolFile2.root -StorageSvc DEBUG Closing database: FID=???? +MetaDataSvc DEBUG handle() EndInputFile for FID:73F77177-D136-9344-B64D-29693F68D6C2 +MetaDataSvc DEBUG retireMetadataSource: FID:73F77177-D136-9344-B64D-29693F68D6C2 +EventSelector INFO Disconnecting input sourceID: 73F77177-D136-9344-B64D-29693F68D6C2 +StorageSvc DEBUG Disconnect request for database: FID=73F77177-D136-9344-B64D-29693F68D6C2 PFN=SimplePoolFile2.root +StorageSvc DEBUG Closing database: FID=73F77177-D136-9344-B64D-29693F68D6C2 +Domain[ROOT_All] INFO -> Deaccess DbDatabase READ [ROOT_All] 73F77177-D136-9344-B64D-29693F68D6C2 +Domain[ROOT_All] INFO > Deaccess DbDomain READ [ROOT_All] EventSelector DEBUG Try item: "SimplePoolFile3.root" from the collection list. PoolSvc DEBUG createCollection() type=RootCollection, connection=PFN:SimplePoolFile3.root, name=SimplePoolFile3.root, contextID=0 +PersistencySvc:... DEBUG lookupPFN: SimplePoolFile3.root returned FID: 'A811B014-0297-AD47-AF4C-B75EF418982D' tech=ROOT_All +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain READ [ROOT_All] +Domain[ROOT_All] INFO -> Access DbDatabase READ [ROOT_All] A811B014-0297-AD47-AF4C-B75EF418982D +Domain[ROOT_All] INFO SimplePoolFile3.root SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 ##Shapes DEBUG Opened container ##Shapes of type ROOT_Tree -SimplePoolFile3... DEBUG --->Reading Shape[0 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[0 , C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:EventInfo_p4 Typ:EventInfo_p4 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --->Reading Shape[1 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[1 , FF777FDA-721C-4756-BBF3-4CE28C2A3AF5]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:ExampleTrackContainer_p1 Typ:ExampleTrackContainer_p1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --->Reading Shape[2 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[2 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --->Reading Shape[3 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[3 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --->Reading Shape[4 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[4 , E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:Token Typ:Token [18] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --->Reading Shape[5 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[5 , 13FF06C5-AB4B-6EDD-68AB-3E6350E95305]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:bool Typ:bool [9] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --->Reading Shape[6 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[6 , BBACA313-D7B0-3A4C-9161-089CACF4B1CC]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:unsigned int Typ:unsigned int [3] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --->Reading Shape[7 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[7 , 388BE2E0-4452-7BB9-2563-DA3365C64623]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:unsigned long long Typ:unsigned long long [23] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --->Reading Shape[8 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[8 , 64DE6A54-6E0B-BCDF-8A08-6EF31347E768]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:float Typ:float [10] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --->Reading Shape[9 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[9 , BEE2BECF-A936-4078-9FDD-AD703C9ADF9F]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:xAOD::FileMetaDataAuxInfo_v1 Typ:xAOD::FileMetaDataAuxInfo_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --->Reading Shape[10 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[10 , 11DF1B8C-0DEE-4687-80D7-E74B520ACBB4]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:EventStreamInfo_p3 Typ:EventStreamInfo_p3 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --->Reading Shape[11 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[11 , C87E3828-4A7A-480A-95DE-0339539F6A0F]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:xAOD::FileMetaData_v1 Typ:xAOD::FileMetaData_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --->Reading Shape[12 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[12 , 0EFE2D2C-9E78-441D-9A87-9EE2B908AC81]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:xAOD::EventFormat_v1 Typ:xAOD::EventFormat_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile3... DEBUG --->Reading Shape[13 , ????]: [1 Column(s)] +SimplePoolFile3... DEBUG --->Reading Shape[13 , 6C2DE6DF-6D52-43F6-B435-9F29812F40C0]: [1 Column(s)] SimplePoolFile3... DEBUG ---->[0]:IOVMetaDataContainer_p1 Typ:IOVMetaDataContainer_p1 [21] Size:0 Offset:0 #Elements:1 ##Shapes DEBUG No objects passing selection criteria... Container has 14 Entries in total. SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_All] ##Links ##Links DEBUG Opening ##Links DEBUG attributes# = 1 ##Links DEBUG Opened container ##Links of type ROOT_Tree -SimplePoolFile3... DEBUG --->Reading Assoc:????/##Params [200] (2 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/CollectionTree(ExampleTrackContainer_p1/MyTracks) [203] (4 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/POOLContainer(DataHeader) [203] (5 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/POOLCollectionTree(Token) [202] (7 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/POOLCollectionTree(IsSimulation) [202] (8 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/POOLCollectionTree(IsCalibration) [202] (9 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/POOLCollectionTree(IsTestBeam) [202] (a , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/POOLCollectionTree(McChannel) [202] (b , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/POOLCollectionTree(RunNumber) [202] (c , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventNumber) [202] (d , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/POOLCollectionTree(LumiBlockN) [202] (e , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/POOLCollectionTree(ConditionsRun) [202] (f , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventTime) [202] (10 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventTimeNanoSec) [202] (11 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/POOLCollectionTree(BunchId) [202] (12 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventWeight) [202] (13 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (14 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/MetaData(EventStreamInfo_p3/Stream2) [203] (15 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (16 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/MetaData(xAOD::EventFormat_v1/EventFormatStream2) [203] (17 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (18 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/MetaDataHdr(DataHeader) [203] (19 , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? -SimplePoolFile3... DEBUG --->Reading Assoc:????/MetaDataHdrForm(DataHeaderForm) [203] (1a , ffffffff) -SimplePoolFile3... DEBUG ---->ClassID:???? +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/##Params [200] (2 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7 +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/CollectionTree(ExampleTrackContainer_p1/MyTracks) [203] (4 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:FF777FDA-721C-4756-BBF3-4CE28C2A3AF5 +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/POOLContainer(DataHeader) [203] (5 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(Token) [202] (7 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(IsSimulation) [202] (8 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:13FF06C5-AB4B-6EDD-68AB-3E6350E95305 +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(IsCalibration) [202] (9 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:13FF06C5-AB4B-6EDD-68AB-3E6350E95305 +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(IsTestBeam) [202] (a , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:13FF06C5-AB4B-6EDD-68AB-3E6350E95305 +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(McChannel) [202] (b , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(RunNumber) [202] (c , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(EventNumber) [202] (d , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:388BE2E0-4452-7BB9-2563-DA3365C64623 +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(LumiBlockN) [202] (e , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(ConditionsRun) [202] (f , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(EventTime) [202] (10 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(EventTimeNanoSec) [202] (11 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(BunchId) [202] (12 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/POOLCollectionTree(EventWeight) [202] (13 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:64DE6A54-6E0B-BCDF-8A08-6EF31347E768 +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (14 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:BEE2BECF-A936-4078-9FDD-AD703C9ADF9F +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/MetaData(EventStreamInfo_p3/Stream2) [203] (15 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:11DF1B8C-0DEE-4687-80D7-E74B520ACBB4 +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (16 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:C87E3828-4A7A-480A-95DE-0339539F6A0F +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/MetaData(xAOD::EventFormat_v1/EventFormatStream2) [203] (17 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:0EFE2D2C-9E78-441D-9A87-9EE2B908AC81 +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (18 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:6C2DE6DF-6D52-43F6-B435-9F29812F40C0 +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/MetaDataHdr(DataHeader) [203] (19 , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile3... DEBUG --->Reading Assoc:A811B014-0297-AD47-AF4C-B75EF418982D/MetaDataHdrForm(DataHeaderForm) [203] (1a , ffffffffffffffff) +SimplePoolFile3... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD ##Links DEBUG No objects passing selection criteria... Container has 25 Entries in total. SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_All] ##Params ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -SimplePoolFile3... DEBUG --->Reading Param:FID=[????] +SimplePoolFile3... DEBUG --->Reading Param:FID=[A811B014-0297-AD47-AF4C-B75EF418982D] SimplePoolFile3... DEBUG --->Reading Param:PFN=[SimplePoolFile3.root] SimplePoolFile3... DEBUG --->Reading Param:POOL_VSN=[1.1] SimplePoolFile3... DEBUG --->Reading Param:FORMAT_VSN=[1.1] @@ -1326,36 +1548,38 @@ RootDatabase.se... DEBUG Request tree cache RootDatabase.se... DEBUG File name SimplePoolFile3.root RootDatabase.se... DEBUG Got tree CollectionTree read entry -1 RootDatabase.se... DEBUG Using Tree cache. Size: 100000 Nevents to learn with: 6 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [TREE_CACHE_LEARN_EVENTS]: 6 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [TREE_CACHE_SIZE]: 100000 MetaDataSvc DEBUG handle() BeginInputFile for SimplePoolFile3.root MetaDataSvc DEBUG initInputMetaDataStore: file name SimplePoolFile3.root -SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdr(DataHeader) +SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdr(DataHeader) MetaDataHdr(Dat... DEBUG Opening MetaDataHdr(Dat... DEBUG attributes# = 1 MetaDataHdr(Dat... DEBUG Branch container 'DataHeader' MetaDataHdr(Dat... DEBUG Opened container MetaDataHdr(DataHeader) of type ROOT_Tree -SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdrForm(DataHeaderForm) +SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdrForm(DataHeaderForm) MetaDataHdrForm... DEBUG Opening MetaDataHdrForm... DEBUG attributes# = 1 MetaDataHdrForm... DEBUG Branch container 'DataHeaderForm' MetaDataHdrForm... DEBUG Opened container MetaDataHdrForm(DataHeaderForm) of type ROOT_Tree MetaDataSvc DEBUG Loaded input meta data store proxies MetaDataSvc DEBUG calling beginInputFile for ToolSvc.IOVDbMetaDataTool -SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaData(IOVMetaDataContainer_p1//TagInfo) +SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaData(IOVMetaDataContainer_p1//TagInfo) MetaData(IOVMet... DEBUG Opening MetaData(IOVMet... DEBUG attributes# = 1 MetaData(IOVMet... DEBUG Branch container 'IOVMetaDataContainer_p1__TagInfo' MetaData(IOVMet... DEBUG Opened container MetaData(IOVMetaDataContainer_p1//TagInfo) of type ROOT_Tree EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000000]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000000]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000000] -SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_Tree] POOLContainer(DataHeader) +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000] +SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] POOLContainer(DataHeader) POOLContainer(D... DEBUG Opening POOLContainer(D... DEBUG attributes# = 1 POOLContainer(D... DEBUG Branch container 'DataHeader' POOLContainer(D... DEBUG Opened container POOLContainer(DataHeader) of type ROOT_Tree -SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_Tree] POOLContainerForm(DataHeaderForm) +SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] POOLContainerForm(DataHeaderForm) POOLContainerFo... DEBUG Opening POOLContainerFo... DEBUG attributes# = 1 POOLContainerFo... DEBUG Branch container 'DataHeaderForm' @@ -1365,7 +1589,7 @@ AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks AthenaEventLoopMgr INFO ===>>> start processing event #0, run #1 30 events processed so far <<<=== ReadData DEBUG in execute() -SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaData(EventStreamInfo_p3/Stream2) +SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaData(EventStreamInfo_p3/Stream2) MetaData(EventS... DEBUG Opening MetaData(EventS... DEBUG attributes# = 1 MetaData(EventS... DEBUG Branch container 'EventStreamInfo_p3_Stream2' @@ -1374,12 +1598,16 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000000] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000000] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000] ReadData INFO EventInfo event: 0 run: 1 ReadData INFO Get Smart data ptr 1 -SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_Tree] CollectionTree(ExampleTrackContainer_p1/MyTracks) +SimplePoolFile3... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] CollectionTree(ExampleTrackContainer_p1/MyTracks) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'ExampleTrackContainer_p1_MyTracks' @@ -1388,12 +1616,14 @@ ReadData INFO Track pt = 74.8928 eta = 3.1676 phi = 2.6161 detector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23859 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #0, run #1 31 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000001]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000001]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000001] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1403,21 +1633,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000001] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000001] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001] ReadData INFO EventInfo event: 1 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 137.584 eta = -39.525 phi = 17.2679 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23859 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #1, run #1 32 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000002]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000002]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000002] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1427,21 +1663,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000002] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000002] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002] ReadData INFO EventInfo event: 2 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 228.154 eta = -6.2704 phi = 31.9197 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23859 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #2, run #1 33 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000003]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000003]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000003] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1451,21 +1693,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000003] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000003] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003] ReadData INFO EventInfo event: 3 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 324.306 eta = -15.8941 phi = 46.5715 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23859 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #3, run #1 34 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000004]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000004]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000004] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1475,21 +1723,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000004] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000004] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004] ReadData INFO EventInfo event: 4 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 422.255 eta = -13.279 phi = 61.2233 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23859 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #4, run #1 35 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000005]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000005]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000005] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1499,21 +1753,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000005] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000005] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005] ReadData INFO EventInfo event: 5 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 520.987 eta = -12.3511 phi = 75.8751 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23859 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #5, run #1 36 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000006]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000006]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000006] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1523,21 +1783,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000006] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000006] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006] ReadData INFO EventInfo event: 6 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 620.127 eta = -11.8468 phi = 90.5269 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23859 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #6, run #1 37 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000007]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000007]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000007] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1547,21 +1813,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000007] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000007] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007] ReadData INFO EventInfo event: 7 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 719.507 eta = -11.5247 phi = 105.179 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23859 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #7, run #1 38 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000008]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000008]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000008] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1571,21 +1843,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000008] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000008] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008] ReadData INFO EventInfo event: 8 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 819.038 eta = -11.2998 phi = 119.831 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23859 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #8, run #1 39 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000009]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000009]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000009] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1595,21 +1873,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000009] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000009] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009] ReadData INFO EventInfo event: 9 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 918.671 eta = -11.1334 phi = 134.482 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23859 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #9, run #1 40 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1619,21 +1903,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000A] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-0000000A] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A] ReadData INFO EventInfo event: 10 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1018.38 eta = -11.0052 phi = 149.134 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23859 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #10, run #1 41 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1643,21 +1933,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000B] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-0000000B] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B] ReadData INFO EventInfo event: 11 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1118.13 eta = -10.9031 phi = 163.786 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23859 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #11, run #1 42 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1667,21 +1963,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000C] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-0000000C] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C] ReadData INFO EventInfo event: 12 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1217.93 eta = -10.82 phi = 178.438 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23859 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #12, run #1 43 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1691,21 +1993,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000D] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-0000000D] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D] ReadData INFO EventInfo event: 13 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1317.76 eta = -10.751 phi = 193.09 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23859 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #13, run #1 44 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1715,21 +2023,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000E] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-0000000E] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E] ReadData INFO EventInfo event: 14 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1417.61 eta = -10.6927 phi = 207.741 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23859 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #14, run #1 45 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1739,21 +2053,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000F] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-0000000F] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F] ReadData INFO EventInfo event: 15 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1517.49 eta = -10.6429 phi = 222.393 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23859 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #15, run #1 46 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1763,21 +2083,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000010] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000010] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010] ReadData INFO EventInfo event: 16 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1617.37 eta = -10.5997 phi = 237.045 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23859 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #16, run #1 47 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1787,21 +2113,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000011] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000011] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011] ReadData INFO EventInfo event: 17 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1717.27 eta = -10.562 phi = 251.697 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23859 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #17, run #1 48 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1811,21 +2143,27 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000012] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000012] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012] ReadData INFO EventInfo event: 18 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1817.19 eta = -10.5288 phi = 266.349 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23859 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #18, run #1 49 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9103, name = MyTracks @@ -1835,20 +2173,29 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9103, key = MyTracks -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream2 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000013] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=CollectionTree(ExampleTrackContainer_p1/MyTracks)][CLID=FF777FDA-721C-4756-BBF3-4CE28C2A3AF5][TECH=00000203][OID=00000004-00000013] +ReadData INFO DataHeader (Event Content) [DB=A811B014-0297-AD47-AF4C-B75EF418982D][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013] +ReadData INFO DataHeader (Provenance) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013] ReadData INFO EventInfo event: 19 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Track pt = 1917.11 eta = -10.4993 phi = 281 detector = Track made in: DummyHitDetector DataProxy WARNING accessData: IOA pointer not set ReadData WARNING Could not follow ExampleTrackContainer/MyTracks ElementLinks to ExampleHitContainer/MyHits ReadData INFO Could not find ExampleHitContainer/MyHits +PoolSvc INFO Database (SimplePoolFile3.root) attribute [BYTES_READ]: 23859 +PoolSvc INFO Database (SimplePoolFile3.root) attribute [READ_CALLS]: 23 AthenaEventLoopMgr INFO ===>>> done processing event #19, run #1 50 events processed so far <<<=== -MetaDataSvc DEBUG handle() EndInputFile for FID:???? -MetaDataSvc DEBUG retireMetadataSource: FID:???? -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=SimplePoolFile3.root -StorageSvc DEBUG Closing database: FID=???? +MetaDataSvc DEBUG handle() EndInputFile for FID:A811B014-0297-AD47-AF4C-B75EF418982D +MetaDataSvc DEBUG retireMetadataSource: FID:A811B014-0297-AD47-AF4C-B75EF418982D +EventSelector INFO Disconnecting input sourceID: A811B014-0297-AD47-AF4C-B75EF418982D +StorageSvc DEBUG Disconnect request for database: FID=A811B014-0297-AD47-AF4C-B75EF418982D PFN=SimplePoolFile3.root +StorageSvc DEBUG Closing database: FID=A811B014-0297-AD47-AF4C-B75EF418982D +Domain[ROOT_All] INFO -> Deaccess DbDatabase READ [ROOT_All] A811B014-0297-AD47-AF4C-B75EF418982D +Domain[ROOT_All] INFO > Deaccess DbDomain READ [ROOT_All] AthenaEventLoopMgr INFO No more events in event selection MetaDataSvc DEBUG MetaDataSvc::stop() PoolSvc DEBUG Disconnect request for contextId=0 @@ -1856,11 +2203,15 @@ PoolSvc DEBUG Disconnected PersistencySvc session PoolSvc DEBUG Disconnect request for contextId=1 ApplicationMgr INFO Application Manager Stopped successfully ReadData INFO in finalize() +ReadData DEBUG Calling destructor AthDictLoaderSvc INFO in finalize... ToolSvc INFO Removing all tools created by ToolSvc *****Chrono***** INFO **************************************************************************************************** *****Chrono***** INFO The Final CPU consumption ( Chrono ) Table (ordered) *****Chrono***** INFO **************************************************************************************************** +cObjR_ALL INFO Time User : Tot= 20 [ms] Ave/Min/Max= 0.165(+- 1.27)/ 0/ 10 [ms] #=121 +cObj_ALL INFO Time User : Tot= 60 [ms] Ave/Min/Max= 0.526(+- 2.23)/ 0/ 10 [ms] #=114 +ChronoStatSvc INFO Time User : Tot= 300 [ms] #= 1 *****Chrono***** INFO **************************************************************************************************** ChronoStatSvc.f... INFO Service finalized successfully ApplicationMgr INFO Application Manager Finalized successfully diff --git a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_WCond.ref b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_WCond.ref index 4ab2bfd4e1e0da30f75f3b773d89d504498f1c32..c18deef6aaf1707870d50d317ced8f929619657d 100644 --- a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_WCond.ref +++ b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_WCond.ref @@ -1,139 +1,192 @@ +Mon Oct 18 10:25:00 CDT 2021 +Preloading tcmalloc_minimal.so +Athena INFO including file "AthenaCommon/Preparation.py" +Athena INFO including file "AthenaCommon/Atlas.UnixStandardJob.py" Athena INFO executing ROOT6Setup +Athena INFO including file "AthenaCommon/Execution.py" +Athena INFO including file "AthenaPoolExampleAlgorithms/AthenaPoolExample_WCondJobOptions.py" +Py:ConfigurableDb INFO Read module info for 5082 configurables from 58 genConfDb files +Py:ConfigurableDb INFO No duplicates have been found: that's good ! +Athena INFO including file "AthenaCommon/runbatch.py" +ApplicationMgr SUCCESS +==================================================================================================================================== + Welcome to ApplicationMgr (GaudiCoreSvc v36r0) + running on atlaslogin01.hep.anl.gov on Mon Oct 18 10:25:11 2021 +==================================================================================================================================== ApplicationMgr INFO Application Manager Configured successfully AthDictLoaderSvc INFO in initialize... AthDictLoaderSvc INFO acquired Dso-registry +ClassIDSvc INFO getRegistryEntries: read 3039 CLIDRegistry entries for module ALL AthenaEventLoopMgr INFO Initializing AthenaEventLoopMgr +ClassIDSvc INFO getRegistryEntries: read 1027 CLIDRegistry entries for module ALL +Stream1 DEBUG Property update for OutputLevel : new value = 2 Stream1 DEBUG in initialize() ToolSvc.Stream1... INFO Initializing ToolSvc.Stream1Tool +PoolSvc DEBUG Property update for OutputLevel : new value = 2 +PoolSvc DEBUG Service base class initialized successfully +PoolSvc INFO Set connectionsvc retry/timeout/IDLE timeout to 'ConnectionRetrialPeriod':300/ 'ConnectionRetrialTimeOut':3600/ 'ConnectionTimeOut':5 seconds with connection cleanup disabled +PoolSvc INFO Frontier compression level set to 5 +DBReplicaSvc INFO Frontier server at (serverurl=http://atlasfrontier-ai.cern.ch:8000/atlr)(serverurl=http://frontier-atlas.lcg.triumf.ca:3128/ATLAS_frontier)(serverurl=http://ccfrontier.in2p3.fr:23128/ccin2p3-AtlasFrontier)(proxyurl=http://atlasbpfrontier.cern.ch:3127)(proxyurl=http://atlasbpfrontier.fnal.gov:3127) will be considered for COOL data +DBReplicaSvc INFO Read replica configuration from /users/gemmeren/workarea/build/x86_64-centos7-gcc8-opt/share/dbreplica.config +DBReplicaSvc INFO Total of 1 servers found for host atlaslogin01.hep.anl.gov [ATLF ] +PoolSvc INFO Successfully setup replica sorting algorithm PoolSvc DEBUG OutputLevel is 2 +PoolSvc INFO Setting up APR FileCatalog and Streams +PoolSvc INFO POOL WriteCatalog is file:Catalog1.xml +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain READ [ROOT_All] +Stream1 DEBUG input handles: 0 +Stream1 DEBUG output handles: 0 +Stream1 DEBUG Data Deps for Stream1 +ReadData DEBUG Property update for OutputLevel : new value = 2 ReadData INFO in initialize() +MetaDataSvc DEBUG Property update for OutputLevel : new value = 2 MetaDataSvc INFO Initializing MetaDataSvc +MetaDataSvc INFO Found MetaDataTools = PublicToolHandleArray(['IOVDbMetaDataTool']) +EventSelector DEBUG Property update for OutputLevel : new value = 2 EventSelector DEBUG Initializing EventSelector +EventSelector DEBUG Service base class initialized successfully EventSelector DEBUG reinitialization... EventSelector INFO EventSelection with query EventSelector DEBUG Try item: "SimplePoolFile1.root" from the collection list. PoolSvc DEBUG createCollection() type=RootCollection, connection=PFN:SimplePoolFile1.root, name=SimplePoolFile1.root, contextID=0 -MetaDataSvc DEBUG handle() FirstInputFile for FID:???? -MetaDataSvc DEBUG initInputMetaDataStore: file name FID:???? +MetaDataSvc DEBUG handle() FirstInputFile for FID:F2313678-C96A-964F-89E8-08BAB39F2DA7 +MetaDataSvc DEBUG initInputMetaDataStore: file name FID:F2313678-C96A-964F-89E8-08BAB39F2DA7 +Domain[ROOT_All] INFO -> Access DbDatabase READ [ROOT_All] F2313678-C96A-964F-89E8-08BAB39F2DA7 +Domain[ROOT_All] INFO SimplePoolFile1.root SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 ##Shapes DEBUG Opened container ##Shapes of type ROOT_Tree -SimplePoolFile1... DEBUG --->Reading Shape[0 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[0 , C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:EventInfo_p4 Typ:EventInfo_p4 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[1 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[1 , 6BB89FA1-EB62-4641-97CA-3F8DB6588053]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:ExampleHitContainer_p1 Typ:ExampleHitContainer_p1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[2 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[2 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[3 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[3 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[4 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[4 , E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:Token Typ:Token [18] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[5 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[5 , 13FF06C5-AB4B-6EDD-68AB-3E6350E95305]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:bool Typ:bool [9] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[6 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[6 , BBACA313-D7B0-3A4C-9161-089CACF4B1CC]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:unsigned int Typ:unsigned int [3] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[7 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[7 , 388BE2E0-4452-7BB9-2563-DA3365C64623]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:unsigned long long Typ:unsigned long long [23] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[8 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[8 , 64DE6A54-6E0B-BCDF-8A08-6EF31347E768]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:float Typ:float [10] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[9 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[9 , BEE2BECF-A936-4078-9FDD-AD703C9ADF9F]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:xAOD::FileMetaDataAuxInfo_v1 Typ:xAOD::FileMetaDataAuxInfo_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[10 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[10 , 11DF1B8C-0DEE-4687-80D7-E74B520ACBB4]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:EventStreamInfo_p3 Typ:EventStreamInfo_p3 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[11 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[11 , C87E3828-4A7A-480A-95DE-0339539F6A0F]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:xAOD::FileMetaData_v1 Typ:xAOD::FileMetaData_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[12 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[12 , 0EFE2D2C-9E78-441D-9A87-9EE2B908AC81]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:xAOD::EventFormat_v1 Typ:xAOD::EventFormat_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --->Reading Shape[13 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Reading Shape[13 , 6C2DE6DF-6D52-43F6-B435-9F29812F40C0]: [1 Column(s)] SimplePoolFile1... DEBUG ---->[0]:IOVMetaDataContainer_p1 Typ:IOVMetaDataContainer_p1 [21] Size:0 Offset:0 #Elements:1 ##Shapes DEBUG No objects passing selection criteria... Container has 14 Entries in total. SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_All] ##Links ##Links DEBUG Opening ##Links DEBUG attributes# = 1 ##Links DEBUG Opened container ##Links of type ROOT_Tree -SimplePoolFile1... DEBUG --->Reading Assoc:????/##Params [200] (2 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/CollectionTree(ExampleHitContainer_p1/MyHits) [203] (4 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLContainer(DataHeader) [203] (5 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(Token) [202] (7 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(IsSimulation) [202] (8 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(IsCalibration) [202] (9 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(IsTestBeam) [202] (a , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(McChannel) [202] (b , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(RunNumber) [202] (c , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventNumber) [202] (d , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(LumiBlockN) [202] (e , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(ConditionsRun) [202] (f , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventTime) [202] (10 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventTimeNanoSec) [202] (11 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(BunchId) [202] (12 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/POOLCollectionTree(EventWeight) [202] (13 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (14 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaData(EventStreamInfo_p3/Stream1) [203] (15 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (16 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [203] (17 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (18 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaDataHdr(DataHeader) [203] (19 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Reading Assoc:????/MetaDataHdrForm(DataHeaderForm) [203] (1a , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/##Params [200] (2 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/CollectionTree(ExampleHitContainer_p1/MyHits) [203] (4 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:6BB89FA1-EB62-4641-97CA-3F8DB6588053 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLContainer(DataHeader) [203] (5 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(Token) [202] (7 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(IsSimulation) [202] (8 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:13FF06C5-AB4B-6EDD-68AB-3E6350E95305 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(IsCalibration) [202] (9 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:13FF06C5-AB4B-6EDD-68AB-3E6350E95305 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(IsTestBeam) [202] (a , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:13FF06C5-AB4B-6EDD-68AB-3E6350E95305 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(McChannel) [202] (b , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(RunNumber) [202] (c , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(EventNumber) [202] (d , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:388BE2E0-4452-7BB9-2563-DA3365C64623 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(LumiBlockN) [202] (e , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(ConditionsRun) [202] (f , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(EventTime) [202] (10 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(EventTimeNanoSec) [202] (11 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(BunchId) [202] (12 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(EventWeight) [202] (13 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:64DE6A54-6E0B-BCDF-8A08-6EF31347E768 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (14 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BEE2BECF-A936-4078-9FDD-AD703C9ADF9F +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(EventStreamInfo_p3/Stream1) [203] (15 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:11DF1B8C-0DEE-4687-80D7-E74B520ACBB4 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (16 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:C87E3828-4A7A-480A-95DE-0339539F6A0F +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [203] (17 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:0EFE2D2C-9E78-441D-9A87-9EE2B908AC81 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (18 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:6C2DE6DF-6D52-43F6-B435-9F29812F40C0 +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaDataHdr(DataHeader) [203] (19 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile1... DEBUG --->Reading Assoc:F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaDataHdrForm(DataHeaderForm) [203] (1a , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD ##Links DEBUG No objects passing selection criteria... Container has 25 Entries in total. SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_All] ##Params ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -SimplePoolFile1... DEBUG --->Reading Param:FID=[????] +SimplePoolFile1... DEBUG --->Reading Param:FID=[F2313678-C96A-964F-89E8-08BAB39F2DA7] SimplePoolFile1... DEBUG --->Reading Param:PFN=[SimplePoolFile1.root] SimplePoolFile1... DEBUG --->Reading Param:POOL_VSN=[1.1] SimplePoolFile1... DEBUG --->Reading Param:FORMAT_VSN=[1.1] ##Params DEBUG No objects passing selection criteria... Container has 4 Entries in total. -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdr(DataHeader) +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdr(DataHeader) MetaDataHdr(Dat... DEBUG Opening MetaDataHdr(Dat... DEBUG attributes# = 1 MetaDataHdr(Dat... DEBUG Branch container 'DataHeader' MetaDataHdr(Dat... DEBUG Opened container MetaDataHdr(DataHeader) of type ROOT_Tree -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaDataHdrForm(DataHeaderForm) +ClassIDSvc INFO getRegistryEntries: read 1725 CLIDRegistry entries for module ALL +EventPersistenc... INFO Added successfully Conversion service:AthenaPoolCnvSvc +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaDataHdrForm(DataHeaderForm) MetaDataHdrForm... DEBUG Opening MetaDataHdrForm... DEBUG attributes# = 1 MetaDataHdrForm... DEBUG Branch container 'DataHeaderForm' MetaDataHdrForm... DEBUG Opened container MetaDataHdrForm(DataHeaderForm) of type ROOT_Tree MetaDataSvc DEBUG Loaded input meta data store proxies -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaData(IOVMetaDataContainer_p1//TagInfo) +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaData(IOVMetaDataContainer_p1//TagInfo) MetaData(IOVMet... DEBUG Opening MetaData(IOVMet... DEBUG attributes# = 1 MetaData(IOVMet... DEBUG Branch container 'IOVMetaDataContainer_p1__TagInfo' MetaData(IOVMet... DEBUG Opened container MetaData(IOVMetaDataContainer_p1//TagInfo) of type ROOT_Tree +ClassIDSvc INFO getRegistryEntries: read 8 CLIDRegistry entries for module ALL MetaDataSvc DEBUG Registering all Tools in ToolHandleArray MetaDataTools MetaDataSvc DEBUG Adding public ToolHandle tool ToolSvc.IOVDbMetaDataTool (IOVDbMetaDataTool) +MetaDataSvc INFO AlgTool: ToolSvc.IOVDbMetaDataTool +AthenaPoolAddre... DEBUG Property update for OutputLevel : new value = 2 +AthenaPoolAddre... DEBUG Service base class initialized successfully +ReadData DEBUG input handles: 3 +ReadData DEBUG output handles: 0 +ReadData DEBUG Data Deps for ReadData + + INPUT ( 'DataHeader' , 'StoreGateSvc+EventSelector' ) + INPUT ( 'ExampleHitContainer' , 'StoreGateSvc+MyHits' ) + INPUT ( 'ExampleTrackContainer' , 'StoreGateSvc+MyTracks' ) +WriteCond DEBUG Property update for OutputLevel : new value = 2 WriteCond INFO in initialize() AthenaPoolAddre... DEBUG Cannot retrieve DataHeader from DetectorStore. +WriteCond DEBUG input handles: 1 +WriteCond DEBUG output handles: 0 +WriteCond DEBUG Data Deps for WriteCond + INPUT ( 'ExampleHitContainer' , 'StoreGateSvc+MyHits' ) AthenaEventLoopMgr INFO Setup EventSelector service EventSelector ApplicationMgr INFO Application Manager Initialized successfully @@ -150,15 +203,15 @@ MetaDataSvc DEBUG Loaded input meta data store proxies MetaDataSvc DEBUG calling beginInputFile for ToolSvc.IOVDbMetaDataTool EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000000]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000000]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000000] -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] POOLContainer(DataHeader) +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000] +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] POOLContainer(DataHeader) POOLContainer(D... DEBUG Opening POOLContainer(D... DEBUG attributes# = 1 POOLContainer(D... DEBUG Branch container 'DataHeader' POOLContainer(D... DEBUG Opened container POOLContainer(DataHeader) of type ROOT_Tree -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] POOLContainerForm(DataHeaderForm) +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] POOLContainerForm(DataHeaderForm) POOLContainerFo... DEBUG Opening POOLContainerFo... DEBUG attributes# = 1 POOLContainerFo... DEBUG Branch container 'DataHeaderForm' @@ -166,10 +219,11 @@ POOLContainerFo... DEBUG Opened container POOLContainerForm(DataHeaderForm) of AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits +AlgResourcePool INFO TopAlg list empty. Recovering the one of Application Manager AthenaEventLoopMgr INFO ===>>> start of run 1 <<<=== AthenaEventLoopMgr INFO ===>>> start processing event #0, run #1 0 events processed so far <<<=== ReadData DEBUG in execute() -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] MetaData(EventStreamInfo_p3/Stream1) +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] MetaData(EventStreamInfo_p3/Stream1) MetaData(EventS... DEBUG Opening MetaData(EventS... DEBUG attributes# = 1 MetaData(EventS... DEBUG Branch container 'EventStreamInfo_p3_Stream1' @@ -178,13 +232,16 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000000] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000000] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000000] ReadData INFO EventInfo event: 0 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks -SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_Tree] CollectionTree(ExampleHitContainer_p1/MyHits) +SimplePoolFile1... DEBUG --> Access DbContainer READ [ROOT_TreeIndex] CollectionTree(ExampleHitContainer_p1/MyHits) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'ExampleHitContainer_p1_MyHits' @@ -214,9 +271,10 @@ WriteCond INFO registered all data AthenaEventLoopMgr INFO ===>>> done processing event #0, run #1 1 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000001]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000001]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000001] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001]. +ClassIDSvc INFO getRegistryEntries: read 13 CLIDRegistry entries for module ALL +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -226,9 +284,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000001] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000001] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000001] ReadData INFO EventInfo event: 1 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -257,9 +318,9 @@ WriteCond INFO registered all data AthenaEventLoopMgr INFO ===>>> done processing event #1, run #1 2 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000002]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000002]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000002] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -269,9 +330,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000002] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000002] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000002] ReadData INFO EventInfo event: 2 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -300,9 +364,9 @@ WriteCond INFO registered all data AthenaEventLoopMgr INFO ===>>> done processing event #2, run #1 3 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000003]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000003]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000003] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -312,9 +376,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000003] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000003] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000003] ReadData INFO EventInfo event: 3 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -343,9 +410,9 @@ WriteCond INFO registered all data AthenaEventLoopMgr INFO ===>>> done processing event #3, run #1 4 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000004]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000004]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000004] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -355,9 +422,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000004] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000004] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000004] ReadData INFO EventInfo event: 4 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -386,9 +456,9 @@ WriteCond INFO registered all data AthenaEventLoopMgr INFO ===>>> done processing event #4, run #1 5 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000005]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000005]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000005] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -398,9 +468,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000005] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000005] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000005] ReadData INFO EventInfo event: 5 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -429,9 +502,9 @@ WriteCond INFO registered all data AthenaEventLoopMgr INFO ===>>> done processing event #5, run #1 6 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000006]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000006]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000006] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -441,9 +514,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000006] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000006] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000006] ReadData INFO EventInfo event: 6 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -472,9 +548,9 @@ WriteCond INFO registered all data AthenaEventLoopMgr INFO ===>>> done processing event #6, run #1 7 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000007]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000007]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000007] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -484,9 +560,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000007] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000007] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000007] ReadData INFO EventInfo event: 7 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -515,9 +594,9 @@ WriteCond INFO registered all data AthenaEventLoopMgr INFO ===>>> done processing event #7, run #1 8 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000008]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000008]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000008] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -527,9 +606,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000008] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000008] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000008] ReadData INFO EventInfo event: 8 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -558,9 +640,9 @@ WriteCond INFO registered all data AthenaEventLoopMgr INFO ===>>> done processing event #8, run #1 9 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000009]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000009]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000009] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -570,9 +652,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000009] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000009] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000009] ReadData INFO EventInfo event: 9 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -601,9 +686,9 @@ WriteCond INFO registered all data AthenaEventLoopMgr INFO ===>>> done processing event #9, run #1 10 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000A] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -613,9 +698,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000A] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000A] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000A] ReadData INFO EventInfo event: 10 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -644,9 +732,9 @@ WriteCond INFO registered all data AthenaEventLoopMgr INFO ===>>> done processing event #10, run #1 11 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000B] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -656,9 +744,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000B] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000B] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000B] ReadData INFO EventInfo event: 11 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -687,9 +778,9 @@ WriteCond INFO registered all data AthenaEventLoopMgr INFO ===>>> done processing event #11, run #1 12 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000C] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -699,9 +790,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000C] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000C] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000C] ReadData INFO EventInfo event: 12 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -730,9 +824,9 @@ WriteCond INFO registered all data AthenaEventLoopMgr INFO ===>>> done processing event #12, run #1 13 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000D] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -742,9 +836,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000D] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000D] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000D] ReadData INFO EventInfo event: 13 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -773,9 +870,9 @@ WriteCond INFO registered all data AthenaEventLoopMgr INFO ===>>> done processing event #13, run #1 14 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000E] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -785,9 +882,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000E] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000E] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000E] ReadData INFO EventInfo event: 14 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -816,9 +916,9 @@ WriteCond INFO registered all data AthenaEventLoopMgr INFO ===>>> done processing event #14, run #1 15 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-0000000F] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -828,9 +928,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-0000000F] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-0000000F] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-0000000F] ReadData INFO EventInfo event: 15 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -859,9 +962,9 @@ WriteCond INFO registered all data AthenaEventLoopMgr INFO ===>>> done processing event #15, run #1 16 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000010] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -871,9 +974,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000010] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000010] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000010] ReadData INFO EventInfo event: 16 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -902,9 +1008,9 @@ WriteCond INFO registered all data AthenaEventLoopMgr INFO ===>>> done processing event #16, run #1 17 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000011] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -914,9 +1020,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000011] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000011] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000011] ReadData INFO EventInfo event: 17 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -945,9 +1054,9 @@ WriteCond INFO registered all data AthenaEventLoopMgr INFO ===>>> done processing event #17, run #1 18 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000012] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -957,9 +1066,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000012] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000012] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000012] ReadData INFO EventInfo event: 18 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -988,9 +1100,9 @@ WriteCond INFO registered all data AthenaEventLoopMgr INFO ===>>> done processing event #18, run #1 19 events processed so far <<<=== EventSelector DEBUG Get AttributeList from the collection EventSelector DEBUG AttributeList size 12 -EventSelector DEBUG record AthenaAttribute, name = Token = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013]. -EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013]. -EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=????][CNT=POOLContainer(DataHeader)][CLID=????][TECH=00000203][OID=00000005-00000013] +EventSelector DEBUG record AthenaAttribute, name = Token = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013]. +EventSelector DEBUG record AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013]. +EventSelector DEBUG found AthenaAttribute, name = eventRef = [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013] AthenaPoolAddre... DEBUG The current Event contains: 3 objects AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 2101, name = McEventInfo AthenaPoolAddre... DEBUG loadAddresses: DataObject address, clid = 9102, name = MyHits @@ -1000,9 +1112,12 @@ ReadData INFO EventStreamInfo: Number of events = 20 ReadData INFO EventStreamInfo: ItemList: ReadData INFO CLID = 2101, key = McEventInfo ReadData INFO CLID = 9102, key = MyHits -ReadData INFO CLID = 222376821, key = StreamX +ReadData INFO CLID = 222376821, key = Stream1 ReadData INFO EventType: Event type: sim/data - is sim , testbeam/atlas - is atlas , calib/physics - is physics ReadData INFO TagInfo: +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(EventInfo_p4/McEventInfo)][CLID=C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7][TECH=00000203][OID=00000003-00000013] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=CollectionTree(ExampleHitContainer_p1/MyHits)][CLID=6BB89FA1-EB62-4641-97CA-3F8DB6588053][TECH=00000203][OID=00000004-00000013] +ReadData INFO DataHeader (Event Content) [DB=F2313678-C96A-964F-89E8-08BAB39F2DA7][CNT=POOLContainer(DataHeader)][CLID=4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D][TECH=00000203][OID=00000005-00000013] ReadData INFO EventInfo event: 19 run: 1 ReadData INFO Get Smart data ptr 1 ReadData INFO Could not find ExampleTrackContainer/MyTracks @@ -1029,10 +1144,13 @@ WriteCond INFO Hit x = 1926.91 y = 52.2238 z = -1855.07 detector = Du WriteCond INFO Hit x = 1930.12 y = 46.5449 z = -1856.17 detector = DummyHitDetector WriteCond INFO registered all data AthenaEventLoopMgr INFO ===>>> done processing event #19, run #1 20 events processed so far <<<=== -MetaDataSvc DEBUG handle() EndInputFile for FID:???? -MetaDataSvc DEBUG retireMetadataSource: FID:???? -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=SimplePoolFile1.root -StorageSvc DEBUG Closing database: FID=???? +MetaDataSvc DEBUG handle() EndInputFile for FID:F2313678-C96A-964F-89E8-08BAB39F2DA7 +MetaDataSvc DEBUG retireMetadataSource: FID:F2313678-C96A-964F-89E8-08BAB39F2DA7 +EventSelector INFO Disconnecting input sourceID: F2313678-C96A-964F-89E8-08BAB39F2DA7 +StorageSvc DEBUG Disconnect request for database: FID=F2313678-C96A-964F-89E8-08BAB39F2DA7 PFN=SimplePoolFile1.root +StorageSvc DEBUG Closing database: FID=F2313678-C96A-964F-89E8-08BAB39F2DA7 +Domain[ROOT_All] INFO -> Deaccess DbDatabase READ [ROOT_All] F2313678-C96A-964F-89E8-08BAB39F2DA7 +Domain[ROOT_All] INFO > Deaccess DbDomain READ [ROOT_All] AthenaEventLoopMgr INFO No more events in event selection WriteCond INFO in finalize() WriteCond INFO Pedestal x = 193136 y = 14420 z = -175208 string = <..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o> @@ -1041,6 +1159,12 @@ PoolSvc DEBUG Disconnect request for contextId=0 PoolSvc DEBUG Disconnected PersistencySvc session PoolSvc DEBUG Disconnect request for contextId=1 ApplicationMgr INFO Application Manager Stopped successfully +Stream1 INFO Finalize: preparing to write conditions objects +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain UPDATE [ROOT_All] +PersistencySvc:... DEBUG lookupPFN: SimplePoolFile4.root returned FID: '298DE14D-49CF-674A-9171-CEBBD9BEC6F8' tech=ROOT_All +Domain[ROOT_All] INFO -> Access DbDatabase CREATE [ROOT_All] 298DE14D-49CF-674A-9171-CEBBD9BEC6F8 +Domain[ROOT_All] INFO SimplePoolFile4.root SimplePoolFile4... DEBUG --> Access DbContainer CREATE [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 @@ -1055,57 +1179,68 @@ SimplePoolFile4... DEBUG --> Access DbContainer CREATE [ROOT_All] ##Param ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -SimplePoolFile4... DEBUG --->Adding Assoc :????/##Params [200] (2 , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? +SimplePoolFile4... DEBUG --->Adding Assoc :298DE14D-49CF-674A-9171-CEBBD9BEC6F8/##Params [200] (2 , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B ##Params DEBUG No objects passing selection criteria... Container has 0 Entries in total. Stream1 INFO Identified a total of 1 objects to write out: Stream1 INFO 0: ExampleHitContainer#PedestalWriteData#PedestalWriteData StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO ExampleHitContainer_p1 [????] -SimplePoolFile4... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] ConditionsContainerExampleHitContainer_p1(PedestalWriteData) +StorageSvc INFO ExampleHitContainer_p1 [6BB89FA1-EB62-4641-97CA-3F8DB6588053] +SimplePoolFile4... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] ConditionsContainerExampleHitContainer_p1(PedestalWriteData) ConditionsConta... DEBUG Opening ConditionsConta... DEBUG attributes# = 1 ConditionsConta... DEBUG Branch container 'PedestalWriteData' ConditionsConta... DEBUG Opened container ConditionsContainerExampleHitContainer_p1(PedestalWriteData) of type ROOT_Tree -SimplePoolFile4... DEBUG --->Adding Assoc :????/ConditionsContainerExampleHitContainer_p1(PedestalWriteData) [203] (3 , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --->Adding Shape[0 , ????]: [1 Column(s)] +SimplePoolFile4... DEBUG --->Adding Assoc :298DE14D-49CF-674A-9171-CEBBD9BEC6F8/ConditionsContainerExampleHitContainer_p1(PedestalWriteData) [203] (3 , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:6BB89FA1-EB62-4641-97CA-3F8DB6588053 +SimplePoolFile4... DEBUG --->Adding Shape[0 , 6BB89FA1-EB62-4641-97CA-3F8DB6588053]: [1 Column(s)] SimplePoolFile4... DEBUG ---->Class:ExampleHitContainer_p1 SimplePoolFile4... DEBUG ---->[0]:ExampleHitContainer_p1 Typ:ExampleHitContainer_p1 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO DataHeader_p6 [????] -SimplePoolFile4... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLContainer(DataHeader) +StorageSvc INFO DataHeader_p6 [4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D] +SimplePoolFile4... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] POOLContainer(DataHeader) POOLContainer(D... DEBUG Opening POOLContainer(D... DEBUG attributes# = 1 POOLContainer(D... DEBUG Branch container 'DataHeader' POOLContainer(D... DEBUG Opened container POOLContainer(DataHeader) of type ROOT_Tree -SimplePoolFile4... DEBUG --->Adding Assoc :????/POOLContainer(DataHeader) [203] (4 , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --->Adding Shape[1 , ????]: [1 Column(s)] +SimplePoolFile4... DEBUG --->Adding Assoc :298DE14D-49CF-674A-9171-CEBBD9BEC6F8/POOLContainer(DataHeader) [203] (4 , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile4... DEBUG --->Adding Shape[1 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] SimplePoolFile4... DEBUG ---->Class:DataHeader_p6 SimplePoolFile4... DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO DataHeaderForm_p6 [????] -SimplePoolFile4... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLContainerForm(DataHeaderForm) +StorageSvc INFO DataHeaderForm_p6 [7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD] +SimplePoolFile4... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] POOLContainerForm(DataHeaderForm) POOLContainerFo... DEBUG Opening POOLContainerFo... DEBUG attributes# = 1 POOLContainerFo... DEBUG Branch container 'DataHeaderForm' POOLContainerFo... DEBUG Opened container POOLContainerForm(DataHeaderForm) of type ROOT_Tree -SimplePoolFile4... DEBUG --->Adding Assoc :????/POOLContainerForm(DataHeaderForm) [203] (5 , ffffffff) -SimplePoolFile4... DEBUG ---->ClassID:???? -SimplePoolFile4... DEBUG --->Adding Shape[2 , ????]: [1 Column(s)] +SimplePoolFile4... DEBUG --->Adding Assoc :298DE14D-49CF-674A-9171-CEBBD9BEC6F8/POOLContainerForm(DataHeaderForm) [203] (5 , ffffffffffffffff) +SimplePoolFile4... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD +SimplePoolFile4... DEBUG --->Adding Shape[2 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] SimplePoolFile4... DEBUG ---->Class:DataHeaderForm_p6 SimplePoolFile4... DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 Stream1 INFO Written 1 objects to output stream Stream1 INFO Objects NOT registered in IOV database ReadData INFO in finalize() -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=SimplePoolFile4.root -StorageSvc DEBUG Closing database: FID=???? +ReadData DEBUG Calling destructor +WriteCond DEBUG Calling destructor +StorageSvc DEBUG Disconnect request for database: FID=298DE14D-49CF-674A-9171-CEBBD9BEC6F8 PFN=SimplePoolFile4.root +StorageSvc DEBUG Closing database: FID=298DE14D-49CF-674A-9171-CEBBD9BEC6F8 +Domain[ROOT_All] INFO -> Deaccess DbDatabase CREATE [ROOT_All] 298DE14D-49CF-674A-9171-CEBBD9BEC6F8 +Domain[ROOT_All] INFO > Deaccess DbDomain UPDATE [ROOT_All] AthDictLoaderSvc INFO in finalize... ToolSvc INFO Removing all tools created by ToolSvc *****Chrono***** INFO **************************************************************************************************** *****Chrono***** INFO The Final CPU consumption ( Chrono ) Table (ordered) *****Chrono***** INFO **************************************************************************************************** +commitOutput INFO Time User : Tot= 0 [us] #= 1 +cRep_ALL INFO Time User : Tot= 0 [us] Ave/Min/Max= 0(+- 0)/ 0/ 0 [us] #= 2 +cObjR_ALL INFO Time User : Tot= 0 [us] Ave/Min/Max= 0(+- 0)/ 0/ 0 [us] #= 46 +fRep_ALL INFO Time User : Tot= 10 [ms] Ave/Min/Max= 5(+- 5)/ 0/ 10 [ms] #= 2 +cRepR_ALL INFO Time User : Tot= 10 [ms] Ave/Min/Max= 3.33(+- 4.71)/ 0/ 10 [ms] #= 3 +cObj_ALL INFO Time User : Tot= 30 [ms] Ave/Min/Max= 0.682(+- 2.52)/ 0/ 10 [ms] #= 44 +ChronoStatSvc INFO Time User : Tot= 260 [ms] #= 1 *****Chrono***** INFO **************************************************************************************************** ChronoStatSvc.f... INFO Service finalized successfully ApplicationMgr INFO Application Manager Finalized successfully diff --git a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_WMeta.ref b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_WMeta.ref index 6e37881643929e460804650696d2b221741761a9..3f834c04d523744434a136b7dd6a0d84f40cd294 100644 --- a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_WMeta.ref +++ b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_WMeta.ref @@ -1,15 +1,61 @@ +Mon Oct 18 10:25:32 CDT 2021 +Preloading tcmalloc_minimal.so +Athena INFO including file "AthenaCommon/Preparation.py" +Athena INFO including file "AthenaCommon/Atlas.UnixStandardJob.py" Athena INFO executing ROOT6Setup +Athena INFO including file "AthenaCommon/Execution.py" +Athena INFO including file "AthenaPoolExampleAlgorithms/AthenaPoolExample_WMetaJobOptions.py" +Py:ConfigurableDb INFO Read module info for 5082 configurables from 58 genConfDb files +Py:ConfigurableDb INFO No duplicates have been found: that's good ! +Athena INFO including file "AthenaCommon/runbatch.py" +ApplicationMgr SUCCESS +==================================================================================================================================== + Welcome to ApplicationMgr (GaudiCoreSvc v36r0) + running on atlaslogin01.hep.anl.gov on Mon Oct 18 10:25:43 2021 +==================================================================================================================================== ApplicationMgr INFO Application Manager Configured successfully AthDictLoaderSvc INFO in initialize... AthDictLoaderSvc INFO acquired Dso-registry +ClassIDSvc INFO getRegistryEntries: read 3039 CLIDRegistry entries for module ALL AthenaEventLoopMgr INFO Initializing AthenaEventLoopMgr +ClassIDSvc INFO getRegistryEntries: read 722 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 350 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 593 CLIDRegistry entries for module ALL +xAODMaker::Even... INFO Initializing xAODMaker::EventInfoCnvAlg MetaDataSvc INFO Initializing MetaDataSvc +AthenaPoolCnvSvc DEBUG Property update for OutputLevel : new value = 2 +PoolSvc DEBUG Property update for OutputLevel : new value = 2 +PoolSvc DEBUG Service base class initialized successfully +PoolSvc INFO io_register[PoolSvc](xmlcatalog_file:Catalog2.xml) [ok] +PoolSvc INFO Set connectionsvc retry/timeout/IDLE timeout to 'ConnectionRetrialPeriod':300/ 'ConnectionRetrialTimeOut':3600/ 'ConnectionTimeOut':5 seconds with connection cleanup disabled +PoolSvc INFO Frontier compression level set to 5 +DBReplicaSvc INFO Frontier server at (serverurl=http://atlasfrontier-ai.cern.ch:8000/atlr)(serverurl=http://frontier-atlas.lcg.triumf.ca:3128/ATLAS_frontier)(serverurl=http://ccfrontier.in2p3.fr:23128/ccin2p3-AtlasFrontier)(proxyurl=http://atlasbpfrontier.cern.ch:3127)(proxyurl=http://atlasbpfrontier.fnal.gov:3127) will be considered for COOL data +DBReplicaSvc INFO Read replica configuration from /users/gemmeren/workarea/build/x86_64-centos7-gcc8-opt/share/dbreplica.config +DBReplicaSvc INFO Total of 1 servers found for host atlaslogin01.hep.anl.gov [ATLF ] +PoolSvc INFO Successfully setup replica sorting algorithm PoolSvc DEBUG OutputLevel is 2 +PoolSvc INFO Setting up APR FileCatalog and Streams +PoolSvc INFO POOL WriteCatalog is xmlcatalog_file:Catalog2.xml +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain READ [ROOT_All] AthenaPoolCnvSvc DEBUG Registering all Tools in ToolHandleArray OutputStreamingTool +MetaDataSvc INFO Found MetaDataTools = PublicToolHandleArray([]) +xAODMaker::Even... INFO Beam conditions service not available +xAODMaker::Even... INFO Will not fill beam spot information into xAOD::EventInfo +ClassIDSvc INFO getRegistryEntries: read 1151 CLIDRegistry entries for module ALL +WriteData DEBUG Property update for OutputLevel : new value = 2 WriteData INFO in initialize() +WriteData DEBUG input handles: 0 +WriteData DEBUG output handles: 2 +WriteData DEBUG Data Deps for WriteData + OUTPUT ( 'ExampleHitContainer' , 'StoreGateSvc+MyHits' ) + OUTPUT ( 'ExampleHitContainer' , 'StoreGateSvc+PetersHits' ) WriteCond INFO in initialize() +Stream1 DEBUG Property update for OutputLevel : new value = 2 +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 Stream1 DEBUG In initialize Stream1 DEBUG Found IDecisionSvc. DecisionSvc INFO Inserting stream: Stream1 with no Algs @@ -17,16 +63,35 @@ Stream1 DEBUG End initialize Stream1 DEBUG In initialize Stream1 DEBUG Found StoreGateSvc store. Stream1 DEBUG Found MetaDataStore store. +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 Stream1.Stream1... INFO Initializing Stream1.Stream1Tool +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +Stream1.FileMet... DEBUG Property update for OutputLevel : new value = 2 +TagInfoMgr INFO AlgTool: TagInfoMgr.IOVDbMetaDataTool Stream1.FileMet... DEBUG Creating new xAOD::FileMetaData object to fill +Stream1.Thinnin... DEBUG Property update for OutputLevel : new value = 2 +Stream1 INFO Found HelperTools = PrivateToolHandleArray(['MakeEventStreamInfo/Stream1_MakeEventStreamInfo','xAODMaker::EventFormatStreamHelperTool/Stream1_MakeEventFormat','xAODMaker::FileMetaDataCreatorTool/FileMetaDataCreatorTool','Athena::ThinningCacheTool/ThinningCacheTool_Stream1']) Stream1 INFO Data output: ROOTTREE:SimplePoolFile5.root -Stream1 INFO ../O reinitialization... +Stream1 INFO I/O reinitialization... +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +ClassIDSvc INFO getRegistryEntries: read 897 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 7 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 33 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 22 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 19 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 68 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 6 CLIDRegistry entries for module ALL Stream1 DEBUG End initialize +Stream1 DEBUG input handles: 0 +Stream1 DEBUG output handles: 2 Stream1 DEBUG Registering all Tools in ToolHandleArray HelperTools Stream1 DEBUG Adding private ToolHandle tool Stream1.Stream1_MakeEventStreamInfo (MakeEventStreamInfo) Stream1 DEBUG Adding private ToolHandle tool Stream1.Stream1_MakeEventFormat (xAODMaker::EventFormatStreamHelperTool) Stream1 DEBUG Adding private ToolHandle tool Stream1.FileMetaDataCreatorTool (xAODMaker::FileMetaDataCreatorTool) +Stream1 DEBUG Adding private ToolHandle tool Stream1.ThinningCacheTool_Stream1 (Athena::ThinningCacheTool) Stream1 DEBUG Adding private ToolHandle tool Stream1.Stream1Tool (AthenaOutputStreamTool) +Stream1 DEBUG Data Deps for Stream1 + INPUT ( 'AthenaAttributeList' , 'StoreGateSvc+SimpleTag' ) + OUTPUT ( 'DataHeader' , 'StoreGateSvc+Stream1' ) + OUTPUT ( 'SG::CompressionInfo' , 'StoreGateSvc+CompressionInfo_Stream1' ) @@ -39,9 +104,10 @@ EventPersistenc... INFO Added successfully Conversion service:McCnvSvc AthenaEventLoopMgr INFO ===>>> start of run 0 <<<=== IOVDbSvc INFO Only 5 POOL conditions files will be open at once IOVDbSvc INFO Setting run/LB/time from EventSelector override in initialize -IOVDbSvc INFO ../time set to [0,0 : 0] +IOVDbSvc INFO run/LB/time set to [0,0 : 0] IOVDbSvc INFO Initialised with 1 connections and 0 folders IOVDbSvc INFO Service IOVDbSvc initialised successfully +IOVDbSvc INFO AlgTool: ToolSvc.IOVDbMetaDataTool AthenaEventLoopMgr INFO ===>>> start processing event #0, run #0 0 events processed so far <<<=== EventInfoTagBui... INFO No input attribute list WriteData DEBUG in execute() @@ -58,6 +124,7 @@ WriteCond INFO Hit x = 23.7045 y = -42.0973 z = 46.3159 detector = Du WriteCond INFO Hit x = 26.9145 y = -47.7762 z = 44.9265 detector = DummyHitDetector WriteCond INFO Hit x = 30.1245 y = -53.4551 z = 43.831 detector = DummyHitDetector WriteCond INFO registered all data +ClassIDSvc INFO getRegistryEntries: read 374 CLIDRegistry entries for module ALL Stream1 DEBUG addItemObjects(2101,"*") called Stream1 DEBUG Key:* Stream1 DEBUG Comp Attr 0 with 7 mantissa bits. @@ -71,10 +138,15 @@ Stream1 DEBUG Added object 9102,"MyHits" Stream1 DEBUG Collected objects: Stream1 DEBUG Object/count: EventInfo_McEventInfo, 1 Stream1 DEBUG Object/count: ExampleHitContainer_MyHits, 1 +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain UPDATE [ROOT_All] AthenaPoolCnvSvc DEBUG setAttribute TREE_MAX_SIZE to 1099511627776L AthenaPoolCnvSvc DEBUG setAttribute DEFAULT_SPLITLEVEL to 0 AthenaPoolCnvSvc DEBUG setAttribute STREAM_MEMBER_WISE to 1 AthenaPoolCnvSvc DEBUG setAttribute DEFAULT_BUFFERSIZE to 32000 +PersistencySvc:... DEBUG lookupPFN: SimplePoolFile5.root returned FID: 'C949FD2E-3B8E-9343-AAE0-0C43' tech=ROOT_All +Domain[ROOT_All] INFO -> Access DbDatabase CREATE [ROOT_All] C949FD2E-3B8E-9343-AAE0-0C43 +Domain[ROOT_All] INFO SimplePoolFile5.root SimplePoolFile5... DEBUG --> Access DbContainer CREATE [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 @@ -89,81 +161,81 @@ SimplePoolFile5... DEBUG --> Access DbContainer CREATE [ROOT_All] ##Param ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -SimplePoolFile5... DEBUG --->Adding Assoc :????/##Params [200] (2 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? +SimplePoolFile5... DEBUG --->Adding Assoc :C949FD2E-3B8E-9343-AAE0-0C43/##Params [200] (2 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B ##Params DEBUG No objects passing selection criteria... Container has 0 Entries in total. AthenaPoolCnvSvc DEBUG setAttribute CONTAINER_SPLITLEVEL to 0 for db: SimplePoolFile5.root and cont: TTree=POOLContainerForm(DataHeaderForm) Stream1 DEBUG connectOutput done for ROOTTREE:SimplePoolFile5.root StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO EventInfo_p4 [????] -SimplePoolFile5... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] CollectionTree(EventInfo_p4/McEventInfo) +StorageSvc INFO EventInfo_p4 [C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7] +SimplePoolFile5... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] CollectionTree(EventInfo_p4/McEventInfo) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'EventInfo_p4_McEventInfo' CollectionTree(... DEBUG Opened container CollectionTree(EventInfo_p4/McEventInfo) of type ROOT_Tree -SimplePoolFile5... DEBUG --->Adding Assoc :????/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Adding Shape[0 , ????]: [1 Column(s)] +SimplePoolFile5... DEBUG --->Adding Assoc :C949FD2E-3B8E-9343-AAE0-0C43/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7 +SimplePoolFile5... DEBUG --->Adding Shape[0 , C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7]: [1 Column(s)] SimplePoolFile5... DEBUG ---->Class:EventInfo_p4 SimplePoolFile5... DEBUG ---->[0]:EventInfo_p4 Typ:EventInfo_p4 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO ExampleHitContainer_p1 [????] -SimplePoolFile5... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] CollectionTree(ExampleHitContainer_p1/MyHits) +StorageSvc INFO ExampleHitContainer_p1 [6BB89FA1-EB62-4641-97CA-3F8DB6588053] +SimplePoolFile5... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] CollectionTree(ExampleHitContainer_p1/MyHits) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'ExampleHitContainer_p1_MyHits' CollectionTree(... DEBUG Opened container CollectionTree(ExampleHitContainer_p1/MyHits) of type ROOT_Tree -SimplePoolFile5... DEBUG --->Adding Assoc :????/CollectionTree(ExampleHitContainer_p1/MyHits) [203] (4 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Adding Shape[1 , ????]: [1 Column(s)] +SimplePoolFile5... DEBUG --->Adding Assoc :C949FD2E-3B8E-9343-AAE0-0C43/CollectionTree(ExampleHitContainer_p1/MyHits) [203] (4 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:6BB89FA1-EB62-4641-97CA-3F8DB6588053 +SimplePoolFile5... DEBUG --->Adding Shape[1 , 6BB89FA1-EB62-4641-97CA-3F8DB6588053]: [1 Column(s)] SimplePoolFile5... DEBUG ---->Class:ExampleHitContainer_p1 SimplePoolFile5... DEBUG ---->[0]:ExampleHitContainer_p1 Typ:ExampleHitContainer_p1 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO DataHeader_p6 [????] -SimplePoolFile5... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLContainer(DataHeader) +StorageSvc INFO DataHeader_p6 [4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D] +SimplePoolFile5... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] POOLContainer(DataHeader) POOLContainer(D... DEBUG Opening POOLContainer(D... DEBUG attributes# = 1 POOLContainer(D... DEBUG Branch container 'DataHeader' POOLContainer(D... DEBUG Opened container POOLContainer(DataHeader) of type ROOT_Tree -SimplePoolFile5... DEBUG --->Adding Assoc :????/POOLContainer(DataHeader) [203] (5 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Adding Shape[2 , ????]: [1 Column(s)] +SimplePoolFile5... DEBUG --->Adding Assoc :C949FD2E-3B8E-9343-AAE0-0C43/POOLContainer(DataHeader) [203] (5 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile5... DEBUG --->Adding Shape[2 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] SimplePoolFile5... DEBUG ---->Class:DataHeader_p6 SimplePoolFile5... DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO DataHeaderForm_p6 [????] -SimplePoolFile5... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLContainerForm(DataHeaderForm) +StorageSvc INFO DataHeaderForm_p6 [7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD] +SimplePoolFile5... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] POOLContainerForm(DataHeaderForm) POOLContainerFo... DEBUG Opening POOLContainerFo... DEBUG attributes# = 1 POOLContainerFo... DEBUG Branch container 'DataHeaderForm' POOLContainerFo... DEBUG Opened container POOLContainerForm(DataHeaderForm) of type ROOT_Tree -SimplePoolFile5... DEBUG --->Adding Assoc :????/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Adding Shape[3 , ????]: [1 Column(s)] +SimplePoolFile5... DEBUG --->Adding Assoc :C949FD2E-3B8E-9343-AAE0-0C43/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD +SimplePoolFile5... DEBUG --->Adding Shape[3 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] SimplePoolFile5... DEBUG ---->Class:DataHeaderForm_p6 SimplePoolFile5... DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO Token [????] +StorageSvc INFO Token [E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A] SimplePoolFile5... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(Token) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'Token' POOLCollectionT... DEBUG Opened container POOLCollectionTree(Token) of type ROOT_Tree -SimplePoolFile5... DEBUG --->Adding Assoc :????/POOLCollectionTree(Token) [202] (7 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Adding Shape[4 , ????]: [1 Column(s)] +SimplePoolFile5... DEBUG --->Adding Assoc :C949FD2E-3B8E-9343-AAE0-0C43/POOLCollectionTree(Token) [202] (7 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A +SimplePoolFile5... DEBUG --->Adding Shape[4 , E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A]: [1 Column(s)] SimplePoolFile5... DEBUG ---->Class:Token SimplePoolFile5... DEBUG ---->[0]:Token Typ:Token [18] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO bool [????] +StorageSvc INFO bool [13FF06C5-AB4B-6EDD-68AB-3E6350E95305] SimplePoolFile5... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(IsSimulation) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'IsSimulation' POOLCollectionT... DEBUG Opened container POOLCollectionTree(IsSimulation) of type ROOT_Tree -SimplePoolFile5... DEBUG --->Adding Assoc :????/POOLCollectionTree(IsSimulation) [202] (8 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Adding Shape[5 , ????]: [1 Column(s)] +SimplePoolFile5... DEBUG --->Adding Assoc :C949FD2E-3B8E-9343-AAE0-0C43/POOLCollectionTree(IsSimulation) [202] (8 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:13FF06C5-AB4B-6EDD-68AB-3E6350E95305 +SimplePoolFile5... DEBUG --->Adding Shape[5 , 13FF06C5-AB4B-6EDD-68AB-3E6350E95305]: [1 Column(s)] SimplePoolFile5... DEBUG ---->Class:bool SimplePoolFile5... DEBUG ---->[0]:bool Typ:bool [9] Size:0 Offset:0 #Elements:1 SimplePoolFile5... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(IsCalibration) @@ -171,25 +243,25 @@ POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'IsCalibration' POOLCollectionT... DEBUG Opened container POOLCollectionTree(IsCalibration) of type ROOT_Tree -SimplePoolFile5... DEBUG --->Adding Assoc :????/POOLCollectionTree(IsCalibration) [202] (9 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? +SimplePoolFile5... DEBUG --->Adding Assoc :C949FD2E-3B8E-9343-AAE0-0C43/POOLCollectionTree(IsCalibration) [202] (9 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:13FF06C5-AB4B-6EDD-68AB-3E6350E95305 SimplePoolFile5... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(IsTestBeam) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'IsTestBeam' POOLCollectionT... DEBUG Opened container POOLCollectionTree(IsTestBeam) of type ROOT_Tree -SimplePoolFile5... DEBUG --->Adding Assoc :????/POOLCollectionTree(IsTestBeam) [202] (a , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? +SimplePoolFile5... DEBUG --->Adding Assoc :C949FD2E-3B8E-9343-AAE0-0C43/POOLCollectionTree(IsTestBeam) [202] (a , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:13FF06C5-AB4B-6EDD-68AB-3E6350E95305 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO unsigned int [????] +StorageSvc INFO unsigned int [BBACA313-D7B0-3A4C-9161-089CACF4B1CC] SimplePoolFile5... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(McChannel) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'McChannel' POOLCollectionT... DEBUG Opened container POOLCollectionTree(McChannel) of type ROOT_Tree -SimplePoolFile5... DEBUG --->Adding Assoc :????/POOLCollectionTree(McChannel) [202] (b , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Adding Shape[6 , ????]: [1 Column(s)] +SimplePoolFile5... DEBUG --->Adding Assoc :C949FD2E-3B8E-9343-AAE0-0C43/POOLCollectionTree(McChannel) [202] (b , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile5... DEBUG --->Adding Shape[6 , BBACA313-D7B0-3A4C-9161-089CACF4B1CC]: [1 Column(s)] SimplePoolFile5... DEBUG ---->Class:unsigned int SimplePoolFile5... DEBUG ---->[0]:unsigned int Typ:unsigned int [3] Size:0 Offset:0 #Elements:1 SimplePoolFile5... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(RunNumber) @@ -197,18 +269,18 @@ POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'RunNumber' POOLCollectionT... DEBUG Opened container POOLCollectionTree(RunNumber) of type ROOT_Tree -SimplePoolFile5... DEBUG --->Adding Assoc :????/POOLCollectionTree(RunNumber) [202] (c , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? +SimplePoolFile5... DEBUG --->Adding Assoc :C949FD2E-3B8E-9343-AAE0-0C43/POOLCollectionTree(RunNumber) [202] (c , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO unsigned long long [????] +StorageSvc INFO unsigned long long [388BE2E0-4452-7BB9-2563-DA3365C64623] SimplePoolFile5... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(EventNumber) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'EventNumber' POOLCollectionT... DEBUG Opened container POOLCollectionTree(EventNumber) of type ROOT_Tree -SimplePoolFile5... DEBUG --->Adding Assoc :????/POOLCollectionTree(EventNumber) [202] (d , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Adding Shape[7 , ????]: [1 Column(s)] +SimplePoolFile5... DEBUG --->Adding Assoc :C949FD2E-3B8E-9343-AAE0-0C43/POOLCollectionTree(EventNumber) [202] (d , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:388BE2E0-4452-7BB9-2563-DA3365C64623 +SimplePoolFile5... DEBUG --->Adding Shape[7 , 388BE2E0-4452-7BB9-2563-DA3365C64623]: [1 Column(s)] SimplePoolFile5... DEBUG ---->Class:unsigned long long SimplePoolFile5... DEBUG ---->[0]:unsigned long long Typ:unsigned long long [23] Size:0 Offset:0 #Elements:1 SimplePoolFile5... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(LumiBlockN) @@ -216,48 +288,49 @@ POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'LumiBlockN' POOLCollectionT... DEBUG Opened container POOLCollectionTree(LumiBlockN) of type ROOT_Tree -SimplePoolFile5... DEBUG --->Adding Assoc :????/POOLCollectionTree(LumiBlockN) [202] (e , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? +SimplePoolFile5... DEBUG --->Adding Assoc :C949FD2E-3B8E-9343-AAE0-0C43/POOLCollectionTree(LumiBlockN) [202] (e , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC SimplePoolFile5... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(ConditionsRun) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'ConditionsRun' POOLCollectionT... DEBUG Opened container POOLCollectionTree(ConditionsRun) of type ROOT_Tree -SimplePoolFile5... DEBUG --->Adding Assoc :????/POOLCollectionTree(ConditionsRun) [202] (f , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? +SimplePoolFile5... DEBUG --->Adding Assoc :C949FD2E-3B8E-9343-AAE0-0C43/POOLCollectionTree(ConditionsRun) [202] (f , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC SimplePoolFile5... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(EventTime) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'EventTime' POOLCollectionT... DEBUG Opened container POOLCollectionTree(EventTime) of type ROOT_Tree -SimplePoolFile5... DEBUG --->Adding Assoc :????/POOLCollectionTree(EventTime) [202] (10 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? +SimplePoolFile5... DEBUG --->Adding Assoc :C949FD2E-3B8E-9343-AAE0-0C43/POOLCollectionTree(EventTime) [202] (10 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC SimplePoolFile5... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(EventTimeNanoSec) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'EventTimeNanoSec' POOLCollectionT... DEBUG Opened container POOLCollectionTree(EventTimeNanoSec) of type ROOT_Tree -SimplePoolFile5... DEBUG --->Adding Assoc :????/POOLCollectionTree(EventTimeNanoSec) [202] (11 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? +SimplePoolFile5... DEBUG --->Adding Assoc :C949FD2E-3B8E-9343-AAE0-0C43/POOLCollectionTree(EventTimeNanoSec) [202] (11 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC SimplePoolFile5... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(BunchId) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'BunchId' POOLCollectionT... DEBUG Opened container POOLCollectionTree(BunchId) of type ROOT_Tree -SimplePoolFile5... DEBUG --->Adding Assoc :????/POOLCollectionTree(BunchId) [202] (12 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? +SimplePoolFile5... DEBUG --->Adding Assoc :C949FD2E-3B8E-9343-AAE0-0C43/POOLCollectionTree(BunchId) [202] (12 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO float [????] +StorageSvc INFO float [64DE6A54-6E0B-BCDF-8A08-6EF31347E768] SimplePoolFile5... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(EventWeight) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'EventWeight' POOLCollectionT... DEBUG Opened container POOLCollectionTree(EventWeight) of type ROOT_Tree -SimplePoolFile5... DEBUG --->Adding Assoc :????/POOLCollectionTree(EventWeight) [202] (13 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Adding Shape[8 , ????]: [1 Column(s)] +SimplePoolFile5... DEBUG --->Adding Assoc :C949FD2E-3B8E-9343-AAE0-0C43/POOLCollectionTree(EventWeight) [202] (13 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:64DE6A54-6E0B-BCDF-8A08-6EF31347E768 +SimplePoolFile5... DEBUG --->Adding Shape[8 , 64DE6A54-6E0B-BCDF-8A08-6EF31347E768]: [1 Column(s)] SimplePoolFile5... DEBUG ---->Class:float SimplePoolFile5... DEBUG ---->[0]:float Typ:float [10] Size:0 Offset:0 #Elements:1 +ClassIDSvc INFO getRegistryEntries: read 21 CLIDRegistry entries for module ALL Stream1.FileMet... DEBUG beam energy "" tag could not be converted to float Stream1.FileMet... DEBUG Failed to retrieve 'SimInfoKey':'/Simulation/Parameters' => cannot set: xAOD::FileMetaData::simFlavour, and xAOD::FileMetaData::isDataOverlay Stream1.FileMet... DEBUG Retrieved 'EventInfoKey':'EventInfo' @@ -859,6 +932,7 @@ WriteCond INFO in finalize() WriteCond INFO Pedestal x = 193136 y = -5580.01 z = -175208 string = <..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o..........o> Stream1 DEBUG AthenaOutputStream Stream1 ::stop() Stream1 DEBUG slot 0 handle() incident type: MetaDataStop +Stream1 DEBUG metadataItemList: [EventStreamInfo#Stream1, IOVMetaDataContainer#*, xAOD::EventFormat#EventFormatStream1, xAOD::FileMetaData#FileMetaData, xAOD::FileMetaDataAuxInfo#FileMetaDataAux., ExampleHitContainer#PedestalWriteData] Stream1 DEBUG addItemObjects(9102,"PedestalWriteData") called Stream1 DEBUG Key:PedestalWriteData Stream1 DEBUG Comp Attr 0 with 7 mantissa bits. @@ -891,15 +965,15 @@ Stream1 DEBUG Comp Attr 0 with 15 mantissa bits. Stream1 DEBUG Added object 1316383046,"/TagInfo" Stream1 DEBUG connectOutput done for ROOTTREE:SimplePoolFile5.root StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO xAOD::FileMetaDataAuxInfo_v1 [????] +StorageSvc INFO xAOD::FileMetaDataAuxInfo_v1 [BEE2BECF-A936-4078-9FDD-AD703C9ADF9F] SimplePoolFile5... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) MetaData(xAOD::... DEBUG Opening MetaData(xAOD::... DEBUG attributes# = 1 MetaData(xAOD::... DEBUG Branch container 'xAOD::FileMetaDataAuxInfo_v1_FileMetaDataAux.' MetaData(xAOD::... DEBUG Opened container MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) of type ROOT_Tree -SimplePoolFile5... DEBUG --->Adding Assoc :????/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [202] (14 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Adding Shape[9 , ????]: [1 Column(s)] +SimplePoolFile5... DEBUG --->Adding Assoc :C949FD2E-3B8E-9343-AAE0-0C43/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [202] (14 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:BEE2BECF-A936-4078-9FDD-AD703C9ADF9F +SimplePoolFile5... DEBUG --->Adding Shape[9 , BEE2BECF-A936-4078-9FDD-AD703C9ADF9F]: [1 Column(s)] SimplePoolFile5... DEBUG ---->Class:xAOD::FileMetaDataAuxInfo_v1 SimplePoolFile5... DEBUG ---->[0]:xAOD::FileMetaDataAuxInfo_v1 Typ:xAOD::FileMetaDataAuxInfo_v1 [21] Size:0 Offset:0 #Elements:1 SimplePoolFile5... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(ExampleHitContainer_p1/PedestalWriteData) @@ -907,54 +981,54 @@ MetaData(Exampl... DEBUG Opening MetaData(Exampl... DEBUG attributes# = 1 MetaData(Exampl... DEBUG Branch container 'ExampleHitContainer_p1_PedestalWriteData' MetaData(Exampl... DEBUG Opened container MetaData(ExampleHitContainer_p1/PedestalWriteData) of type ROOT_Tree -SimplePoolFile5... DEBUG --->Adding Assoc :????/MetaData(ExampleHitContainer_p1/PedestalWriteData) [202] (15 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? +SimplePoolFile5... DEBUG --->Adding Assoc :C949FD2E-3B8E-9343-AAE0-0C43/MetaData(ExampleHitContainer_p1/PedestalWriteData) [202] (15 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:6BB89FA1-EB62-4641-97CA-3F8DB6588053 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO EventStreamInfo_p3 [????] +StorageSvc INFO EventStreamInfo_p3 [11DF1B8C-0DEE-4687-80D7-E74B520ACBB4] SimplePoolFile5... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(EventStreamInfo_p3/Stream1) MetaData(EventS... DEBUG Opening MetaData(EventS... DEBUG attributes# = 1 MetaData(EventS... DEBUG Branch container 'EventStreamInfo_p3_Stream1' MetaData(EventS... DEBUG Opened container MetaData(EventStreamInfo_p3/Stream1) of type ROOT_Tree -SimplePoolFile5... DEBUG --->Adding Assoc :????/MetaData(EventStreamInfo_p3/Stream1) [202] (16 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Adding Shape[10 , ????]: [1 Column(s)] +SimplePoolFile5... DEBUG --->Adding Assoc :C949FD2E-3B8E-9343-AAE0-0C43/MetaData(EventStreamInfo_p3/Stream1) [202] (16 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:11DF1B8C-0DEE-4687-80D7-E74B520ACBB4 +SimplePoolFile5... DEBUG --->Adding Shape[10 , 11DF1B8C-0DEE-4687-80D7-E74B520ACBB4]: [1 Column(s)] SimplePoolFile5... DEBUG ---->Class:EventStreamInfo_p3 SimplePoolFile5... DEBUG ---->[0]:EventStreamInfo_p3 Typ:EventStreamInfo_p3 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO xAOD::FileMetaData_v1 [????] +StorageSvc INFO xAOD::FileMetaData_v1 [C87E3828-4A7A-480A-95DE-0339539F6A0F] SimplePoolFile5... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(xAOD::FileMetaData_v1/FileMetaData) MetaData(xAOD::... DEBUG Opening MetaData(xAOD::... DEBUG attributes# = 1 MetaData(xAOD::... DEBUG Branch container 'xAOD::FileMetaData_v1_FileMetaData' MetaData(xAOD::... DEBUG Opened container MetaData(xAOD::FileMetaData_v1/FileMetaData) of type ROOT_Tree -SimplePoolFile5... DEBUG --->Adding Assoc :????/MetaData(xAOD::FileMetaData_v1/FileMetaData) [202] (17 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Adding Shape[11 , ????]: [1 Column(s)] +SimplePoolFile5... DEBUG --->Adding Assoc :C949FD2E-3B8E-9343-AAE0-0C43/MetaData(xAOD::FileMetaData_v1/FileMetaData) [202] (17 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:C87E3828-4A7A-480A-95DE-0339539F6A0F +SimplePoolFile5... DEBUG --->Adding Shape[11 , C87E3828-4A7A-480A-95DE-0339539F6A0F]: [1 Column(s)] SimplePoolFile5... DEBUG ---->Class:xAOD::FileMetaData_v1 SimplePoolFile5... DEBUG ---->[0]:xAOD::FileMetaData_v1 Typ:xAOD::FileMetaData_v1 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO xAOD::EventFormat_v1 [????] +StorageSvc INFO xAOD::EventFormat_v1 [0EFE2D2C-9E78-441D-9A87-9EE2B908AC81] SimplePoolFile5... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(xAOD::EventFormat_v1/EventFormatStream1) MetaData(xAOD::... DEBUG Opening MetaData(xAOD::... DEBUG attributes# = 1 MetaData(xAOD::... DEBUG Branch container 'xAOD::EventFormat_v1_EventFormatStream1' MetaData(xAOD::... DEBUG Opened container MetaData(xAOD::EventFormat_v1/EventFormatStream1) of type ROOT_Tree -SimplePoolFile5... DEBUG --->Adding Assoc :????/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [202] (18 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Adding Shape[12 , ????]: [1 Column(s)] +SimplePoolFile5... DEBUG --->Adding Assoc :C949FD2E-3B8E-9343-AAE0-0C43/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [202] (18 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:0EFE2D2C-9E78-441D-9A87-9EE2B908AC81 +SimplePoolFile5... DEBUG --->Adding Shape[12 , 0EFE2D2C-9E78-441D-9A87-9EE2B908AC81]: [1 Column(s)] SimplePoolFile5... DEBUG ---->Class:xAOD::EventFormat_v1 SimplePoolFile5... DEBUG ---->[0]:xAOD::EventFormat_v1 Typ:xAOD::EventFormat_v1 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO IOVMetaDataContainer_p1 [????] +StorageSvc INFO IOVMetaDataContainer_p1 [6C2DE6DF-6D52-43F6-B435-9F29812F40C0] SimplePoolFile5... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(IOVMetaDataContainer_p1//TagInfo) MetaData(IOVMet... DEBUG Opening MetaData(IOVMet... DEBUG attributes# = 1 MetaData(IOVMet... DEBUG Branch container 'IOVMetaDataContainer_p1__TagInfo' MetaData(IOVMet... DEBUG Opened container MetaData(IOVMetaDataContainer_p1//TagInfo) of type ROOT_Tree -SimplePoolFile5... DEBUG --->Adding Assoc :????/MetaData(IOVMetaDataContainer_p1//TagInfo) [202] (19 , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? -SimplePoolFile5... DEBUG --->Adding Shape[13 , ????]: [1 Column(s)] +SimplePoolFile5... DEBUG --->Adding Assoc :C949FD2E-3B8E-9343-AAE0-0C43/MetaData(IOVMetaDataContainer_p1//TagInfo) [202] (19 , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:6C2DE6DF-6D52-43F6-B435-9F29812F40C0 +SimplePoolFile5... DEBUG --->Adding Shape[13 , 6C2DE6DF-6D52-43F6-B435-9F29812F40C0]: [1 Column(s)] SimplePoolFile5... DEBUG ---->Class:IOVMetaDataContainer_p1 SimplePoolFile5... DEBUG ---->[0]:IOVMetaDataContainer_p1 Typ:IOVMetaDataContainer_p1 [21] Size:0 Offset:0 #Elements:1 SimplePoolFile5... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaDataHdr(DataHeader) @@ -962,37 +1036,50 @@ MetaDataHdr(Dat... DEBUG Opening MetaDataHdr(Dat... DEBUG attributes# = 1 MetaDataHdr(Dat... DEBUG Branch container 'DataHeader' MetaDataHdr(Dat... DEBUG Opened container MetaDataHdr(DataHeader) of type ROOT_Tree -SimplePoolFile5... DEBUG --->Adding Assoc :????/MetaDataHdr(DataHeader) [202] (1a , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? +SimplePoolFile5... DEBUG --->Adding Assoc :C949FD2E-3B8E-9343-AAE0-0C43/MetaDataHdr(DataHeader) [202] (1a , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D SimplePoolFile5... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaDataHdrForm(DataHeaderForm) MetaDataHdrForm... DEBUG Opening MetaDataHdrForm... DEBUG attributes# = 1 MetaDataHdrForm... DEBUG Branch container 'DataHeaderForm' MetaDataHdrForm... DEBUG Opened container MetaDataHdrForm(DataHeaderForm) of type ROOT_Tree -SimplePoolFile5... DEBUG --->Adding Assoc :????/MetaDataHdrForm(DataHeaderForm) [202] (1b , ffffffff) -SimplePoolFile5... DEBUG ---->ClassID:???? +SimplePoolFile5... DEBUG --->Adding Assoc :C949FD2E-3B8E-9343-AAE0-0C43/MetaDataHdrForm(DataHeaderForm) [202] (1b , ffffffffffffffff) +SimplePoolFile5... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD MetaData(xAOD::... DEBUG SG::IAuxStoreIO* detected in xAOD::FileMetaDataAuxInfo_v1_FileMetaDataAux. MetaData(xAOD::... DEBUG Attributes= 1 MetaData(xAOD::... DEBUG Creating branch for new dynamic attribute, Id=52: type=float, mcProcID MetaData(xAOD::... DEBUG createBasicAuxBranch: xAOD::FileMetaDataAuxInfo_v1_FileMetaDataAuxDyn.mcProcID, leaf:mcProcID/F +ClassIDSvc INFO getRegistryEntries: read 25 CLIDRegistry entries for module ALL Stream1 INFO Metadata records written: 21 Stream1 DEBUG Leaving incident handler for MetaDataStop PoolSvc DEBUG Disconnect request for contextId=0 +Domain[ROOT_All] INFO > Deaccess DbDomain READ [ROOT_All] PoolSvc DEBUG Disconnected PersistencySvc session PoolSvc DEBUG Disconnect request for contextId=1 -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=SimplePoolFile5.root -StorageSvc DEBUG Closing database: FID=???? +StorageSvc DEBUG Disconnect request for database: FID=C949FD2E-3B8E-9343-AAE0-0C43 PFN=SimplePoolFile5.root +StorageSvc DEBUG Closing database: FID=C949FD2E-3B8E-9343-AAE0-0C43 +Domain[ROOT_All] INFO -> Deaccess DbDatabase CREATE [ROOT_All] C949FD2E-3B8E-9343-AAE0-0C43 +Domain[ROOT_All] INFO > Deaccess DbDomain UPDATE [ROOT_All] PoolSvc DEBUG Disconnected PersistencySvc session ApplicationMgr INFO Application Manager Stopped successfully WriteData INFO in finalize() +WriteData DEBUG Calling destructor Stream1 DEBUG finalize: Optimize output PoolSvc DEBUG Disconnect request for contextId=2 Stream1 DEBUG finalize: end optimize output +IOVDbSvc INFO bytes in (( 0.00 ))s +IOVDbSvc INFO Connection sqlite://;schema=cooldummy.db;dbname=OFLP200 : nConnect: 0 nFolders: 0 ReadTime: (( 0.00 ))s +DecisionSvc INFO Finalized successfully. AthDictLoaderSvc INFO in finalize... ToolSvc INFO Removing all tools created by ToolSvc *****Chrono***** INFO **************************************************************************************************** *****Chrono***** INFO The Final CPU consumption ( Chrono ) Table (ordered) *****Chrono***** INFO **************************************************************************************************** +commitOutput INFO Time User : Tot= 10 [ms] Ave/Min/Max= 0.476(+- 2.13)/ 0/ 10 [ms] #= 21 +cRep_ALL INFO Time User : Tot= 30 [ms] Ave/Min/Max= 0.448(+- 2.07)/ 0/ 10 [ms] #= 67 +cRepR_ALL INFO Time User : Tot= 30 [ms] Ave/Min/Max= 0.0912(+- 0.951)/ 0/ 10 [ms] #=329 +fRep_ALL INFO Time User : Tot= 40 [ms] Ave/Min/Max= 0.597(+- 2.37)/ 0/ 10 [ms] #= 67 +ChronoStatSvc INFO Time User : Tot= 440 [ms] #= 1 *****Chrono***** INFO **************************************************************************************************** ChronoStatSvc.f... INFO Service finalized successfully ApplicationMgr INFO Application Manager Finalized successfully diff --git a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_Write.ref b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_Write.ref index cd37bea92b87f55d3ce2a0fc4916e93b7c669e0f..ae840a42f5de42c7ed6556b88704ed4d7bba1611 100644 --- a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_Write.ref +++ b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_Write.ref @@ -1,16 +1,64 @@ +Mon Oct 18 10:22:28 CDT 2021 +Preloading tcmalloc_minimal.so +Athena INFO including file "AthenaCommon/Preparation.py" +Athena INFO including file "AthenaCommon/Atlas.UnixStandardJob.py" Athena INFO executing ROOT6Setup +Athena INFO including file "AthenaCommon/Execution.py" +Athena INFO including file "AthenaPoolExampleAlgorithms/AthenaPoolExample_WriteJobOptions.py" +Py:ConfigurableDb INFO Read module info for 5082 configurables from 58 genConfDb files +Py:ConfigurableDb INFO No duplicates have been found: that's good ! +Athena INFO including file "AthenaCommon/runbatch.py" +ApplicationMgr SUCCESS +==================================================================================================================================== + Welcome to ApplicationMgr (GaudiCoreSvc v36r0) + running on atlaslogin01.hep.anl.gov on Mon Oct 18 10:22:40 2021 +==================================================================================================================================== ApplicationMgr INFO Application Manager Configured successfully AthDictLoaderSvc INFO in initialize... AthDictLoaderSvc INFO acquired Dso-registry +ClassIDSvc INFO getRegistryEntries: read 3039 CLIDRegistry entries for module ALL AthenaEventLoopMgr INFO Initializing AthenaEventLoopMgr +ClassIDSvc INFO getRegistryEntries: read 722 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 859 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 593 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 350 CLIDRegistry entries for module ALL +xAODMaker::Even... INFO Initializing xAODMaker::EventInfoCnvAlg MetaDataSvc INFO Initializing MetaDataSvc +AthenaPoolCnvSvc DEBUG Property update for OutputLevel : new value = 2 +PoolSvc DEBUG Property update for OutputLevel : new value = 2 +PoolSvc DEBUG Service base class initialized successfully +PoolSvc INFO io_register[PoolSvc](xmlcatalog_file:Catalog1.xml) [ok] +PoolSvc INFO Set connectionsvc retry/timeout/IDLE timeout to 'ConnectionRetrialPeriod':300/ 'ConnectionRetrialTimeOut':3600/ 'ConnectionTimeOut':5 seconds with connection cleanup disabled +PoolSvc INFO Frontier compression level set to 5 +DBReplicaSvc INFO Frontier server at (serverurl=http://atlasfrontier-ai.cern.ch:8000/atlr)(serverurl=http://frontier-atlas.lcg.triumf.ca:3128/ATLAS_frontier)(serverurl=http://ccfrontier.in2p3.fr:23128/ccin2p3-AtlasFrontier)(proxyurl=http://atlasbpfrontier.cern.ch:3127)(proxyurl=http://atlasbpfrontier.fnal.gov:3127) will be considered for COOL data +DBReplicaSvc INFO Read replica configuration from /users/gemmeren/workarea/build/x86_64-centos7-gcc8-opt/share/dbreplica.config +DBReplicaSvc INFO Total of 1 servers found for host atlaslogin01.hep.anl.gov [ATLF ] +PoolSvc INFO Successfully setup replica sorting algorithm PoolSvc DEBUG OutputLevel is 2 +PoolSvc INFO Setting up APR FileCatalog and Streams +PoolSvc INFO POOL WriteCatalog is xmlcatalog_file:Catalog1.xml +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain READ [ROOT_All] AthenaPoolCnvSvc DEBUG Registering all Tools in ToolHandleArray OutputStreamingTool +MetaDataSvc INFO Found MetaDataTools = PublicToolHandleArray(['BookkeeperTool/BookkeeperTool']) +MetaDataSvc INFO AlgTool: ToolSvc.BookkeeperTool +xAODMaker::Even... INFO Beam conditions service not available +xAODMaker::Even... INFO Will not fill beam spot information into xAOD::EventInfo +ClassIDSvc INFO getRegistryEntries: read 1151 CLIDRegistry entries for module ALL +WriteData DEBUG Property update for OutputLevel : new value = 2 WriteData INFO in initialize() +WriteData DEBUG input handles: 0 +WriteData DEBUG output handles: 2 +WriteData DEBUG Data Deps for WriteData + OUTPUT ( 'ExampleHitContainer' , 'StoreGateSvc+MyHits' ) + OUTPUT ( 'ExampleHitContainer' , 'StoreGateSvc+PetersHits' ) WriteTag INFO in initialize() MagicWriteTag INFO in initialize() +Stream1 DEBUG Property update for OutputLevel : new value = 2 +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 Stream1 DEBUG In initialize Stream1 DEBUG Found IDecisionSvc. DecisionSvc INFO Inserting stream: Stream1 with no Algs @@ -18,20 +66,45 @@ Stream1 DEBUG End initialize Stream1 DEBUG In initialize Stream1 DEBUG Found StoreGateSvc store. Stream1 DEBUG Found MetaDataStore store. +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 Stream1.Stream1... INFO Initializing Stream1.Stream1Tool +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +Stream1.FileMet... DEBUG Property update for OutputLevel : new value = 2 +TagInfoMgr INFO AlgTool: TagInfoMgr.IOVDbMetaDataTool Stream1.FileMet... DEBUG Creating new xAOD::FileMetaData object to fill +Stream1.Thinnin... DEBUG Property update for OutputLevel : new value = 2 +Stream1 INFO Found HelperTools = PrivateToolHandleArray(['MakeEventStreamInfo/Stream1_MakeEventStreamInfo','xAODMaker::EventFormatStreamHelperTool/Stream1_MakeEventFormat','xAODMaker::FileMetaDataCreatorTool/FileMetaDataCreatorTool','Athena::ThinningCacheTool/ThinningCacheTool_Stream1']) Stream1 INFO Data output: SimplePoolFile1.root -Stream1 INFO ../O reinitialization... +Stream1 INFO I/O reinitialization... +Stream1.Stream1... DEBUG Property update for OutputLevel : new value = 2 +ClassIDSvc INFO getRegistryEntries: read 607 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 7 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 33 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 22 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 19 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 68 CLIDRegistry entries for module ALL +ClassIDSvc INFO getRegistryEntries: read 6 CLIDRegistry entries for module ALL Stream1 DEBUG End initialize +Stream1 DEBUG input handles: 0 +Stream1 DEBUG output handles: 2 Stream1 DEBUG Registering all Tools in ToolHandleArray HelperTools Stream1 DEBUG Adding private ToolHandle tool Stream1.Stream1_MakeEventStreamInfo (MakeEventStreamInfo) Stream1 DEBUG Adding private ToolHandle tool Stream1.Stream1_MakeEventFormat (xAODMaker::EventFormatStreamHelperTool) Stream1 DEBUG Adding private ToolHandle tool Stream1.FileMetaDataCreatorTool (xAODMaker::FileMetaDataCreatorTool) +Stream1 DEBUG Adding private ToolHandle tool Stream1.ThinningCacheTool_Stream1 (Athena::ThinningCacheTool) Stream1 DEBUG Adding private ToolHandle tool Stream1.Stream1Tool (AthenaOutputStreamTool) +Stream1 DEBUG Data Deps for Stream1 + INPUT ( 'AthenaAttributeList' , 'StoreGateSvc+MagicTag' ) + OUTPUT ( 'DataHeader' , 'StoreGateSvc+Stream1' ) + OUTPUT ( 'SG::CompressionInfo' , 'StoreGateSvc+CompressionInfo_Stream1' ) + OUTPUT ( 'SG::SelectionVetoes' , 'StoreGateSvc+SelectionVetoes_Stream1' ) +ClassIDSvc INFO getRegistryEntries: read 24 CLIDRegistry entries for module ALL +Stream2 DEBUG Property update for OutputLevel : new value = 2 +Stream2.Stream2... DEBUG Property update for OutputLevel : new value = 2 +Stream2.Stream2... DEBUG Property update for OutputLevel : new value = 2 +Stream2.Stream2... DEBUG Property update for OutputLevel : new value = 2 +Stream2.Stream2... DEBUG Property update for OutputLevel : new value = 2 Stream2 DEBUG In initialize Stream2 DEBUG Found IDecisionSvc. DecisionSvc INFO Inserting stream: Stream2 with no Algs @@ -39,24 +112,36 @@ Stream2 DEBUG End initialize Stream2 DEBUG In initialize Stream2 DEBUG Found StoreGateSvc store. Stream2 DEBUG Found MetaDataStore store. +Stream2.Stream2... DEBUG Property update for OutputLevel : new value = 2 Stream2.Stream2... INFO Initializing Stream2.Stream2Tool +Stream2.Stream2... DEBUG Property update for OutputLevel : new value = 2 +Stream2.Stream2... DEBUG Property update for OutputLevel : new value = 2 +Stream2.FileMet... DEBUG Property update for OutputLevel : new value = 2 Stream2.FileMet... DEBUG Creating new xAOD::FileMetaData object to fill +Stream2.Thinnin... DEBUG Property update for OutputLevel : new value = 2 +Stream2 INFO Found HelperTools = PrivateToolHandleArray(['MakeEventStreamInfo/Stream2_MakeEventStreamInfo','xAODMaker::EventFormatStreamHelperTool/Stream2_MakeEventFormat','xAODMaker::FileMetaDataCreatorTool/FileMetaDataCreatorTool','Athena::ThinningCacheTool/ThinningCacheTool_Stream2']) Stream2 INFO Data output: SimplePoolFile2.root -Stream2 INFO ../O reinitialization... +Stream2 INFO I/O reinitialization... +Stream2.Stream2... DEBUG Property update for OutputLevel : new value = 2 Stream2 DEBUG End initialize +Stream2 DEBUG input handles: 0 +Stream2 DEBUG output handles: 2 Stream2 DEBUG Registering all Tools in ToolHandleArray HelperTools Stream2 DEBUG Adding private ToolHandle tool Stream2.Stream2_MakeEventStreamInfo (MakeEventStreamInfo) Stream2 DEBUG Adding private ToolHandle tool Stream2.Stream2_MakeEventFormat (xAODMaker::EventFormatStreamHelperTool) Stream2 DEBUG Adding private ToolHandle tool Stream2.FileMetaDataCreatorTool (xAODMaker::FileMetaDataCreatorTool) +Stream2 DEBUG Adding private ToolHandle tool Stream2.ThinningCacheTool_Stream2 (Athena::ThinningCacheTool) Stream2 DEBUG Adding private ToolHandle tool Stream2.Stream2Tool (AthenaOutputStreamTool) +Stream2 DEBUG Data Deps for Stream2 + INPUT ( 'AthenaAttributeList' , 'StoreGateSvc+RunEventTag' ) + OUTPUT ( 'DataHeader' , 'StoreGateSvc+Stream2' ) + OUTPUT ( 'SG::CompressionInfo' , 'StoreGateSvc+CompressionInfo_Stream2' ) + OUTPUT ( 'SG::SelectionVetoes' , 'StoreGateSvc+SelectionVetoes_Stream2' ) DecisionSvc INFO Inserting stream: Stream3 with no Algs Stream3.Stream3... INFO Initializing Stream3.Stream3Tool +Stream3 INFO Found HelperTools = PrivateToolHandleArray(['MakeEventStreamInfo/Stream3_MakeEventStreamInfo','xAODMaker::EventFormatStreamHelperTool/Stream3_MakeEventFormat','xAODMaker::FileMetaDataCreatorTool/FileMetaDataCreatorTool','Athena::ThinningCacheTool/ThinningCacheTool_Stream3']) Stream3 INFO Data output: EmptyPoolFile.root -Stream3 INFO ../O reinitialization... +Stream3 INFO I/O reinitialization... EventSelector INFO Enter McEventSelector Initialization AthenaEventLoopMgr INFO Setup EventSelector service EventSelector ApplicationMgr INFO Application Manager Initialized successfully @@ -65,9 +150,10 @@ EventPersistenc... INFO Added successfully Conversion service:McCnvSvc AthenaEventLoopMgr INFO ===>>> start of run 1 <<<=== IOVDbSvc INFO Only 5 POOL conditions files will be open at once IOVDbSvc INFO Setting run/LB/time from EventSelector override in initialize -IOVDbSvc INFO ../time set to [1,0 : 0] +IOVDbSvc INFO run/LB/time set to [1,0 : 0] IOVDbSvc INFO Initialised with 1 connections and 0 folders IOVDbSvc INFO Service IOVDbSvc initialised successfully +IOVDbSvc INFO AlgTool: ToolSvc.IOVDbMetaDataTool AthenaEventLoopMgr INFO ===>>> start processing event #0, run #1 0 events processed so far <<<=== WriteData DEBUG in execute() WriteData INFO EventInfo event: 0 run: 1 @@ -77,6 +163,7 @@ WriteTag INFO registered all data MagicWriteTag INFO EventInfo event: 0 run: 1 MagicWriteTag INFO registered all data EventInfoTagBui... INFO No input attribute list +ClassIDSvc INFO getRegistryEntries: read 350 CLIDRegistry entries for module ALL Stream1 DEBUG addItemObjects(2101,"*") called Stream1 DEBUG Key:* Stream1 DEBUG Comp Attr 0 with 7 mantissa bits. @@ -95,6 +182,15 @@ Stream1 DEBUG No object matching 9102,"PetersHits" found Stream1 DEBUG Collected objects: Stream1 DEBUG Object/count: EventInfo_McEventInfo, 1 Stream1 DEBUG Object/count: ExampleHitContainer_MyHits, 1 +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain UPDATE [ROOT_All] +AthenaPoolCnvSvc DEBUG setAttribute TREE_MAX_SIZE to 1099511627776L +AthenaPoolCnvSvc DEBUG setAttribute DEFAULT_SPLITLEVEL to 0 +AthenaPoolCnvSvc DEBUG setAttribute STREAM_MEMBER_WISE to 1 +AthenaPoolCnvSvc DEBUG setAttribute DEFAULT_BUFFERSIZE to 32000 +PersistencySvc:... DEBUG lookupPFN: SimplePoolFile1.root returned FID: 'F2313678-C96A-964F-89E8-08BAB39F2DA7' tech=ROOT_All +Domain[ROOT_All] INFO -> Access DbDatabase CREATE [ROOT_All] F2313678-C96A-964F-89E8-08BAB39F2DA7 +Domain[ROOT_All] INFO SimplePoolFile1.root SimplePoolFile1... DEBUG --> Access DbContainer CREATE [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 @@ -109,80 +205,81 @@ SimplePoolFile1... DEBUG --> Access DbContainer CREATE [ROOT_All] ##Param ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/##Params [200] (2 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/##Params [200] (2 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B ##Params DEBUG No objects passing selection criteria... Container has 0 Entries in total. +AthenaPoolCnvSvc DEBUG setAttribute CONTAINER_SPLITLEVEL to 0 for db: SimplePoolFile1.root and cont: TTree=POOLContainerForm(DataHeaderForm) Stream1 DEBUG connectOutput done for SimplePoolFile1.root StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO EventInfo_p4 [????] -SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] CollectionTree(EventInfo_p4/McEventInfo) +StorageSvc INFO EventInfo_p4 [C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7] +SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] CollectionTree(EventInfo_p4/McEventInfo) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'EventInfo_p4_McEventInfo' CollectionTree(... DEBUG Opened container CollectionTree(EventInfo_p4/McEventInfo) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Adding Shape[0 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7 +SimplePoolFile1... DEBUG --->Adding Shape[0 , C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7]: [1 Column(s)] SimplePoolFile1... DEBUG ---->Class:EventInfo_p4 SimplePoolFile1... DEBUG ---->[0]:EventInfo_p4 Typ:EventInfo_p4 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO ExampleHitContainer_p1 [????] -SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] CollectionTree(ExampleHitContainer_p1/MyHits) +StorageSvc INFO ExampleHitContainer_p1 [6BB89FA1-EB62-4641-97CA-3F8DB6588053] +SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] CollectionTree(ExampleHitContainer_p1/MyHits) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'ExampleHitContainer_p1_MyHits' CollectionTree(... DEBUG Opened container CollectionTree(ExampleHitContainer_p1/MyHits) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/CollectionTree(ExampleHitContainer_p1/MyHits) [203] (4 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Adding Shape[1 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/CollectionTree(ExampleHitContainer_p1/MyHits) [203] (4 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:6BB89FA1-EB62-4641-97CA-3F8DB6588053 +SimplePoolFile1... DEBUG --->Adding Shape[1 , 6BB89FA1-EB62-4641-97CA-3F8DB6588053]: [1 Column(s)] SimplePoolFile1... DEBUG ---->Class:ExampleHitContainer_p1 SimplePoolFile1... DEBUG ---->[0]:ExampleHitContainer_p1 Typ:ExampleHitContainer_p1 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO DataHeader_p6 [????] -SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLContainer(DataHeader) +StorageSvc INFO DataHeader_p6 [4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D] +SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] POOLContainer(DataHeader) POOLContainer(D... DEBUG Opening POOLContainer(D... DEBUG attributes# = 1 POOLContainer(D... DEBUG Branch container 'DataHeader' POOLContainer(D... DEBUG Opened container POOLContainer(DataHeader) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/POOLContainer(DataHeader) [203] (5 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Adding Shape[2 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLContainer(DataHeader) [203] (5 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile1... DEBUG --->Adding Shape[2 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] SimplePoolFile1... DEBUG ---->Class:DataHeader_p6 SimplePoolFile1... DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO DataHeaderForm_p6 [????] -SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLContainerForm(DataHeaderForm) +StorageSvc INFO DataHeaderForm_p6 [7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD] +SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] POOLContainerForm(DataHeaderForm) POOLContainerFo... DEBUG Opening POOLContainerFo... DEBUG attributes# = 1 POOLContainerFo... DEBUG Branch container 'DataHeaderForm' POOLContainerFo... DEBUG Opened container POOLContainerForm(DataHeaderForm) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Adding Shape[3 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLContainerForm(DataHeaderForm) [203] (6 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD +SimplePoolFile1... DEBUG --->Adding Shape[3 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] SimplePoolFile1... DEBUG ---->Class:DataHeaderForm_p6 SimplePoolFile1... DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO Token [????] +StorageSvc INFO Token [E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A] SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(Token) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'Token' POOLCollectionT... DEBUG Opened container POOLCollectionTree(Token) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/POOLCollectionTree(Token) [202] (7 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Adding Shape[4 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(Token) [202] (7 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A +SimplePoolFile1... DEBUG --->Adding Shape[4 , E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A]: [1 Column(s)] SimplePoolFile1... DEBUG ---->Class:Token SimplePoolFile1... DEBUG ---->[0]:Token Typ:Token [18] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO unsigned int [????] +StorageSvc INFO unsigned int [BBACA313-D7B0-3A4C-9161-089CACF4B1CC] SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(RunNumber) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'RunNumber' POOLCollectionT... DEBUG Opened container POOLCollectionTree(RunNumber) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/POOLCollectionTree(RunNumber) [202] (8 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Adding Shape[5 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(RunNumber) [202] (8 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile1... DEBUG --->Adding Shape[5 , BBACA313-D7B0-3A4C-9161-089CACF4B1CC]: [1 Column(s)] SimplePoolFile1... DEBUG ---->Class:unsigned int SimplePoolFile1... DEBUG ---->[0]:unsigned int Typ:unsigned int [3] Size:0 Offset:0 #Elements:1 SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(EventNumber) @@ -190,15 +287,16 @@ POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'EventNumber' POOLCollectionT... DEBUG Opened container POOLCollectionTree(EventNumber) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/POOLCollectionTree(EventNumber) [202] (9 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(EventNumber) [202] (9 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(MagicNumber) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'MagicNumber' POOLCollectionT... DEBUG Opened container POOLCollectionTree(MagicNumber) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/POOLCollectionTree(MagicNumber) [202] (a , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/POOLCollectionTree(MagicNumber) [202] (a , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +ClassIDSvc INFO getRegistryEntries: read 21 CLIDRegistry entries for module ALL Stream1.FileMet... DEBUG beam energy "" tag could not be converted to float Stream1.FileMet... DEBUG Failed to retrieve 'SimInfoKey':'/Simulation/Parameters' => cannot set: xAOD::FileMetaData::simFlavour, and xAOD::FileMetaData::isDataOverlay Stream1.FileMet... DEBUG Retrieved 'EventInfoKey':'EventInfo' @@ -216,6 +314,15 @@ Stream2 DEBUG Comp Attr 0 with 7 mantissa bits. Stream2 DEBUG Comp Attr 0 with 15 mantissa bits. Stream2 DEBUG Collected objects: Stream2 DEBUG Object/count: EventInfo_McEventInfo, 1 +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain UPDATE [ROOT_All] +AthenaPoolCnvSvc DEBUG setAttribute TREE_MAX_SIZE to 1099511627776L +AthenaPoolCnvSvc DEBUG setAttribute DEFAULT_SPLITLEVEL to 0 +AthenaPoolCnvSvc DEBUG setAttribute STREAM_MEMBER_WISE to 1 +AthenaPoolCnvSvc DEBUG setAttribute DEFAULT_BUFFERSIZE to 32000 +PersistencySvc:... DEBUG lookupPFN: SimplePoolFile2.root returned FID: '73F77177-D136-9344-B64D-29693F68D6C2' tech=ROOT_All +Domain[ROOT_All] INFO -> Access DbDatabase CREATE [ROOT_All] 73F77177-D136-9344-B64D-29693F68D6C2 +Domain[ROOT_All] INFO SimplePoolFile2.root SimplePoolFile2... DEBUG --> Access DbContainer CREATE [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 @@ -230,38 +337,39 @@ SimplePoolFile2... DEBUG --> Access DbContainer CREATE [ROOT_All] ##Param ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -SimplePoolFile2... DEBUG --->Adding Assoc :????/##Params [200] (2 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? +SimplePoolFile2... DEBUG --->Adding Assoc :73F77177-D136-9344-B64D-29693F68D6C2/##Params [200] (2 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B ##Params DEBUG No objects passing selection criteria... Container has 0 Entries in total. +AthenaPoolCnvSvc DEBUG setAttribute CONTAINER_SPLITLEVEL to 0 for db: SimplePoolFile2.root and cont: TTree=POOLContainerForm(DataHeaderForm) Stream2 DEBUG connectOutput done for SimplePoolFile2.root -SimplePoolFile2... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] CollectionTree(EventInfo_p4/McEventInfo) +SimplePoolFile2... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] CollectionTree(EventInfo_p4/McEventInfo) CollectionTree(... DEBUG Opening CollectionTree(... DEBUG attributes# = 1 CollectionTree(... DEBUG Branch container 'EventInfo_p4_McEventInfo' CollectionTree(... DEBUG Opened container CollectionTree(EventInfo_p4/McEventInfo) of type ROOT_Tree -SimplePoolFile2... DEBUG --->Adding Assoc :????/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Adding Shape[0 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Adding Assoc :73F77177-D136-9344-B64D-29693F68D6C2/CollectionTree(EventInfo_p4/McEventInfo) [203] (3 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7 +SimplePoolFile2... DEBUG --->Adding Shape[0 , C634FDB6-CC4B-4BA2-B8F9-A84BE6A786C7]: [1 Column(s)] SimplePoolFile2... DEBUG ---->Class:EventInfo_p4 SimplePoolFile2... DEBUG ---->[0]:EventInfo_p4 Typ:EventInfo_p4 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile2... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLContainer(DataHeader) +SimplePoolFile2... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] POOLContainer(DataHeader) POOLContainer(D... DEBUG Opening POOLContainer(D... DEBUG attributes# = 1 POOLContainer(D... DEBUG Branch container 'DataHeader' POOLContainer(D... DEBUG Opened container POOLContainer(DataHeader) of type ROOT_Tree -SimplePoolFile2... DEBUG --->Adding Assoc :????/POOLContainer(DataHeader) [203] (4 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Adding Shape[1 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Adding Assoc :73F77177-D136-9344-B64D-29693F68D6C2/POOLContainer(DataHeader) [203] (4 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile2... DEBUG --->Adding Shape[1 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] SimplePoolFile2... DEBUG ---->Class:DataHeader_p6 SimplePoolFile2... DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile2... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLContainerForm(DataHeaderForm) +SimplePoolFile2... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] POOLContainerForm(DataHeaderForm) POOLContainerFo... DEBUG Opening POOLContainerFo... DEBUG attributes# = 1 POOLContainerFo... DEBUG Branch container 'DataHeaderForm' POOLContainerFo... DEBUG Opened container POOLContainerForm(DataHeaderForm) of type ROOT_Tree -SimplePoolFile2... DEBUG --->Adding Assoc :????/POOLContainerForm(DataHeaderForm) [203] (5 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Adding Shape[2 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Adding Assoc :73F77177-D136-9344-B64D-29693F68D6C2/POOLContainerForm(DataHeaderForm) [203] (5 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD +SimplePoolFile2... DEBUG --->Adding Shape[2 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] SimplePoolFile2... DEBUG ---->Class:DataHeaderForm_p6 SimplePoolFile2... DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 SimplePoolFile2... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(Token) @@ -269,9 +377,9 @@ POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'Token' POOLCollectionT... DEBUG Opened container POOLCollectionTree(Token) of type ROOT_Tree -SimplePoolFile2... DEBUG --->Adding Assoc :????/POOLCollectionTree(Token) [202] (6 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Adding Shape[3 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Adding Assoc :73F77177-D136-9344-B64D-29693F68D6C2/POOLCollectionTree(Token) [202] (6 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A +SimplePoolFile2... DEBUG --->Adding Shape[3 , E013D4B1-CA9C-4E3C-9BE2-8691BBAFCB9A]: [1 Column(s)] SimplePoolFile2... DEBUG ---->Class:Token SimplePoolFile2... DEBUG ---->[0]:Token Typ:Token [18] Size:0 Offset:0 #Elements:1 SimplePoolFile2... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(RunNumber) @@ -279,9 +387,9 @@ POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'RunNumber' POOLCollectionT... DEBUG Opened container POOLCollectionTree(RunNumber) of type ROOT_Tree -SimplePoolFile2... DEBUG --->Adding Assoc :????/POOLCollectionTree(RunNumber) [202] (7 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Adding Shape[4 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Adding Assoc :73F77177-D136-9344-B64D-29693F68D6C2/POOLCollectionTree(RunNumber) [202] (7 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC +SimplePoolFile2... DEBUG --->Adding Shape[4 , BBACA313-D7B0-3A4C-9161-089CACF4B1CC]: [1 Column(s)] SimplePoolFile2... DEBUG ---->Class:unsigned int SimplePoolFile2... DEBUG ---->[0]:unsigned int Typ:unsigned int [3] Size:0 Offset:0 #Elements:1 SimplePoolFile2... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(EventNumber) @@ -289,15 +397,15 @@ POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'EventNumber' POOLCollectionT... DEBUG Opened container POOLCollectionTree(EventNumber) of type ROOT_Tree -SimplePoolFile2... DEBUG --->Adding Assoc :????/POOLCollectionTree(EventNumber) [202] (8 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? +SimplePoolFile2... DEBUG --->Adding Assoc :73F77177-D136-9344-B64D-29693F68D6C2/POOLCollectionTree(EventNumber) [202] (8 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC SimplePoolFile2... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] POOLCollectionTree(MagicNumber) POOLCollectionT... DEBUG Opening POOLCollectionT... DEBUG attributes# = 1 POOLCollectionT... DEBUG Branch container 'MagicNumber' POOLCollectionT... DEBUG Opened container POOLCollectionTree(MagicNumber) of type ROOT_Tree -SimplePoolFile2... DEBUG --->Adding Assoc :????/POOLCollectionTree(MagicNumber) [202] (9 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? +SimplePoolFile2... DEBUG --->Adding Assoc :73F77177-D136-9344-B64D-29693F68D6C2/POOLCollectionTree(MagicNumber) [202] (9 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:BBACA313-D7B0-3A4C-9161-089CACF4B1CC Stream2.FileMet... DEBUG beam energy "" tag could not be converted to float Stream2.FileMet... DEBUG Failed to retrieve 'SimInfoKey':'/Simulation/Parameters' => cannot set: xAOD::FileMetaData::simFlavour, and xAOD::FileMetaData::isDataOverlay Stream2.FileMet... DEBUG Retrieved 'EventInfoKey':'EventInfo' @@ -1083,6 +1191,7 @@ Stream1 DEBUG AthenaOutputStream Stream1 ::stop() Stream2 DEBUG AthenaOutputStream Stream2 ::stop() Stream1 DEBUG slot 0 handle() incident type: MetaDataStop ToolSvc.Bookkee... INFO Successfully copied CutBookkeepers to the output MetaDataStore +Stream1 DEBUG metadataItemList: [EventStreamInfo#Stream1, IOVMetaDataContainer#*, xAOD::EventFormat#EventFormatStream1, xAOD::FileMetaData#FileMetaData, xAOD::FileMetaDataAuxInfo#FileMetaDataAux.] Stream1 DEBUG addItemObjects(73252552,"FileMetaDataAux.") called Stream1 DEBUG Key:FileMetaDataAux. Stream1 DEBUG Comp Attr 0 with 7 mantissa bits. @@ -1110,85 +1219,88 @@ Stream1 DEBUG Comp Attr 0 with 15 mantissa bits. Stream1 DEBUG Added object 1316383046,"/TagInfo" Stream1 DEBUG connectOutput done for SimplePoolFile1.root StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO xAOD::FileMetaDataAuxInfo_v1 [????] -SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) +StorageSvc INFO xAOD::FileMetaDataAuxInfo_v1 [BEE2BECF-A936-4078-9FDD-AD703C9ADF9F] +SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) MetaData(xAOD::... DEBUG Opening MetaData(xAOD::... DEBUG attributes# = 1 MetaData(xAOD::... DEBUG Branch container 'xAOD::FileMetaDataAuxInfo_v1_FileMetaDataAux.' MetaData(xAOD::... DEBUG Opened container MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (b , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Adding Shape[6 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (b , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:BEE2BECF-A936-4078-9FDD-AD703C9ADF9F +SimplePoolFile1... DEBUG --->Adding Shape[6 , BEE2BECF-A936-4078-9FDD-AD703C9ADF9F]: [1 Column(s)] SimplePoolFile1... DEBUG ---->Class:xAOD::FileMetaDataAuxInfo_v1 SimplePoolFile1... DEBUG ---->[0]:xAOD::FileMetaDataAuxInfo_v1 Typ:xAOD::FileMetaDataAuxInfo_v1 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO EventStreamInfo_p3 [????] -SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(EventStreamInfo_p3/Stream1) +StorageSvc INFO EventStreamInfo_p3 [11DF1B8C-0DEE-4687-80D7-E74B520ACBB4] +SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(EventStreamInfo_p3/Stream1) MetaData(EventS... DEBUG Opening MetaData(EventS... DEBUG attributes# = 1 MetaData(EventS... DEBUG Branch container 'EventStreamInfo_p3_Stream1' MetaData(EventS... DEBUG Opened container MetaData(EventStreamInfo_p3/Stream1) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/MetaData(EventStreamInfo_p3/Stream1) [203] (c , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Adding Shape[7 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(EventStreamInfo_p3/Stream1) [203] (c , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:11DF1B8C-0DEE-4687-80D7-E74B520ACBB4 +SimplePoolFile1... DEBUG --->Adding Shape[7 , 11DF1B8C-0DEE-4687-80D7-E74B520ACBB4]: [1 Column(s)] SimplePoolFile1... DEBUG ---->Class:EventStreamInfo_p3 SimplePoolFile1... DEBUG ---->[0]:EventStreamInfo_p3 Typ:EventStreamInfo_p3 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO xAOD::FileMetaData_v1 [????] -SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(xAOD::FileMetaData_v1/FileMetaData) +StorageSvc INFO xAOD::FileMetaData_v1 [C87E3828-4A7A-480A-95DE-0339539F6A0F] +SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(xAOD::FileMetaData_v1/FileMetaData) MetaData(xAOD::... DEBUG Opening MetaData(xAOD::... DEBUG attributes# = 1 MetaData(xAOD::... DEBUG Branch container 'xAOD::FileMetaData_v1_FileMetaData' MetaData(xAOD::... DEBUG Opened container MetaData(xAOD::FileMetaData_v1/FileMetaData) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (d , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Adding Shape[8 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (d , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:C87E3828-4A7A-480A-95DE-0339539F6A0F +SimplePoolFile1... DEBUG --->Adding Shape[8 , C87E3828-4A7A-480A-95DE-0339539F6A0F]: [1 Column(s)] SimplePoolFile1... DEBUG ---->Class:xAOD::FileMetaData_v1 SimplePoolFile1... DEBUG ---->[0]:xAOD::FileMetaData_v1 Typ:xAOD::FileMetaData_v1 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO xAOD::EventFormat_v1 [????] -SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(xAOD::EventFormat_v1/EventFormatStream1) +StorageSvc INFO xAOD::EventFormat_v1 [0EFE2D2C-9E78-441D-9A87-9EE2B908AC81] +SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(xAOD::EventFormat_v1/EventFormatStream1) MetaData(xAOD::... DEBUG Opening MetaData(xAOD::... DEBUG attributes# = 1 MetaData(xAOD::... DEBUG Branch container 'xAOD::EventFormat_v1_EventFormatStream1' MetaData(xAOD::... DEBUG Opened container MetaData(xAOD::EventFormat_v1/EventFormatStream1) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [203] (e , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Adding Shape[9 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(xAOD::EventFormat_v1/EventFormatStream1) [203] (e , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:0EFE2D2C-9E78-441D-9A87-9EE2B908AC81 +SimplePoolFile1... DEBUG --->Adding Shape[9 , 0EFE2D2C-9E78-441D-9A87-9EE2B908AC81]: [1 Column(s)] SimplePoolFile1... DEBUG ---->Class:xAOD::EventFormat_v1 SimplePoolFile1... DEBUG ---->[0]:xAOD::EventFormat_v1 Typ:xAOD::EventFormat_v1 [21] Size:0 Offset:0 #Elements:1 StorageSvc INFO Building shape according to reflection information using shape ID for: -StorageSvc INFO IOVMetaDataContainer_p1 [????] -SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(IOVMetaDataContainer_p1//TagInfo) +StorageSvc INFO IOVMetaDataContainer_p1 [6C2DE6DF-6D52-43F6-B435-9F29812F40C0] +SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(IOVMetaDataContainer_p1//TagInfo) MetaData(IOVMet... DEBUG Opening MetaData(IOVMet... DEBUG attributes# = 1 MetaData(IOVMet... DEBUG Branch container 'IOVMetaDataContainer_p1__TagInfo' MetaData(IOVMet... DEBUG Opened container MetaData(IOVMetaDataContainer_p1//TagInfo) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (f , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --->Adding Shape[10 , ????]: [1 Column(s)] +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (f , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:6C2DE6DF-6D52-43F6-B435-9F29812F40C0 +SimplePoolFile1... DEBUG --->Adding Shape[10 , 6C2DE6DF-6D52-43F6-B435-9F29812F40C0]: [1 Column(s)] SimplePoolFile1... DEBUG ---->Class:IOVMetaDataContainer_p1 SimplePoolFile1... DEBUG ---->[0]:IOVMetaDataContainer_p1 Typ:IOVMetaDataContainer_p1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaDataHdr(DataHeader) +SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaDataHdr(DataHeader) MetaDataHdr(Dat... DEBUG Opening MetaDataHdr(Dat... DEBUG attributes# = 1 MetaDataHdr(Dat... DEBUG Branch container 'DataHeader' MetaDataHdr(Dat... DEBUG Opened container MetaDataHdr(DataHeader) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/MetaDataHdr(DataHeader) [203] (10 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? -SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaDataHdrForm(DataHeaderForm) +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaDataHdr(DataHeader) [203] (10 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile1... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaDataHdrForm(DataHeaderForm) MetaDataHdrForm... DEBUG Opening MetaDataHdrForm... DEBUG attributes# = 1 MetaDataHdrForm... DEBUG Branch container 'DataHeaderForm' MetaDataHdrForm... DEBUG Opened container MetaDataHdrForm(DataHeaderForm) of type ROOT_Tree -SimplePoolFile1... DEBUG --->Adding Assoc :????/MetaDataHdrForm(DataHeaderForm) [203] (11 , ffffffff) -SimplePoolFile1... DEBUG ---->ClassID:???? +SimplePoolFile1... DEBUG --->Adding Assoc :F2313678-C96A-964F-89E8-08BAB39F2DA7/MetaDataHdrForm(DataHeaderForm) [203] (11 , ffffffffffffffff) +SimplePoolFile1... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD MetaData(xAOD::... DEBUG SG::IAuxStoreIO* detected in xAOD::FileMetaDataAuxInfo_v1_FileMetaDataAux. MetaData(xAOD::... DEBUG Attributes= 1 +MetaData(xAOD::... DEBUG Creating branch for new dynamic attribute, Id=79: type=float, mcProcID MetaData(xAOD::... DEBUG createBasicAuxBranch: xAOD::FileMetaDataAuxInfo_v1_FileMetaDataAuxDyn.mcProcID, leaf:mcProcID/F +ClassIDSvc INFO getRegistryEntries: read 25 CLIDRegistry entries for module ALL Stream1 INFO Metadata records written: 21 Stream1 DEBUG Leaving incident handler for MetaDataStop Stream2 DEBUG slot 0 handle() incident type: MetaDataStop +Stream2 DEBUG metadataItemList: [EventStreamInfo#Stream2, IOVMetaDataContainer#*, xAOD::EventFormat#EventFormatStream2, xAOD::FileMetaData#FileMetaData, xAOD::FileMetaDataAuxInfo#FileMetaDataAux.] Stream2 DEBUG addItemObjects(73252552,"FileMetaDataAux.") called Stream2 DEBUG Key:FileMetaDataAux. Stream2 DEBUG Comp Attr 0 with 7 mantissa bits. @@ -1215,75 +1327,85 @@ Stream2 DEBUG Comp Attr 0 with 7 mantissa bits. Stream2 DEBUG Comp Attr 0 with 15 mantissa bits. Stream2 DEBUG Added object 1316383046,"/TagInfo" Stream2 DEBUG connectOutput done for SimplePoolFile2.root -SimplePoolFile2... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) +SimplePoolFile2... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) MetaData(xAOD::... DEBUG Opening MetaData(xAOD::... DEBUG attributes# = 1 MetaData(xAOD::... DEBUG Branch container 'xAOD::FileMetaDataAuxInfo_v1_FileMetaDataAux.' MetaData(xAOD::... DEBUG Opened container MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) of type ROOT_Tree -SimplePoolFile2... DEBUG --->Adding Assoc :????/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (a , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Adding Shape[5 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Adding Assoc :73F77177-D136-9344-B64D-29693F68D6C2/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (a , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:BEE2BECF-A936-4078-9FDD-AD703C9ADF9F +SimplePoolFile2... DEBUG --->Adding Shape[5 , BEE2BECF-A936-4078-9FDD-AD703C9ADF9F]: [1 Column(s)] SimplePoolFile2... DEBUG ---->Class:xAOD::FileMetaDataAuxInfo_v1 SimplePoolFile2... DEBUG ---->[0]:xAOD::FileMetaDataAuxInfo_v1 Typ:xAOD::FileMetaDataAuxInfo_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile2... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(EventStreamInfo_p3/Stream2) +SimplePoolFile2... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(EventStreamInfo_p3/Stream2) MetaData(EventS... DEBUG Opening MetaData(EventS... DEBUG attributes# = 1 MetaData(EventS... DEBUG Branch container 'EventStreamInfo_p3_Stream2' MetaData(EventS... DEBUG Opened container MetaData(EventStreamInfo_p3/Stream2) of type ROOT_Tree -SimplePoolFile2... DEBUG --->Adding Assoc :????/MetaData(EventStreamInfo_p3/Stream2) [203] (b , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Adding Shape[6 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Adding Assoc :73F77177-D136-9344-B64D-29693F68D6C2/MetaData(EventStreamInfo_p3/Stream2) [203] (b , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:11DF1B8C-0DEE-4687-80D7-E74B520ACBB4 +SimplePoolFile2... DEBUG --->Adding Shape[6 , 11DF1B8C-0DEE-4687-80D7-E74B520ACBB4]: [1 Column(s)] SimplePoolFile2... DEBUG ---->Class:EventStreamInfo_p3 SimplePoolFile2... DEBUG ---->[0]:EventStreamInfo_p3 Typ:EventStreamInfo_p3 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile2... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(xAOD::FileMetaData_v1/FileMetaData) +SimplePoolFile2... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(xAOD::FileMetaData_v1/FileMetaData) MetaData(xAOD::... DEBUG Opening MetaData(xAOD::... DEBUG attributes# = 1 MetaData(xAOD::... DEBUG Branch container 'xAOD::FileMetaData_v1_FileMetaData' MetaData(xAOD::... DEBUG Opened container MetaData(xAOD::FileMetaData_v1/FileMetaData) of type ROOT_Tree -SimplePoolFile2... DEBUG --->Adding Assoc :????/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (c , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Adding Shape[7 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Adding Assoc :73F77177-D136-9344-B64D-29693F68D6C2/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (c , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:C87E3828-4A7A-480A-95DE-0339539F6A0F +SimplePoolFile2... DEBUG --->Adding Shape[7 , C87E3828-4A7A-480A-95DE-0339539F6A0F]: [1 Column(s)] SimplePoolFile2... DEBUG ---->Class:xAOD::FileMetaData_v1 SimplePoolFile2... DEBUG ---->[0]:xAOD::FileMetaData_v1 Typ:xAOD::FileMetaData_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile2... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(xAOD::EventFormat_v1/EventFormatStream2) +SimplePoolFile2... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(xAOD::EventFormat_v1/EventFormatStream2) MetaData(xAOD::... DEBUG Opening MetaData(xAOD::... DEBUG attributes# = 1 MetaData(xAOD::... DEBUG Branch container 'xAOD::EventFormat_v1_EventFormatStream2' MetaData(xAOD::... DEBUG Opened container MetaData(xAOD::EventFormat_v1/EventFormatStream2) of type ROOT_Tree -SimplePoolFile2... DEBUG --->Adding Assoc :????/MetaData(xAOD::EventFormat_v1/EventFormatStream2) [203] (d , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Adding Shape[8 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Adding Assoc :73F77177-D136-9344-B64D-29693F68D6C2/MetaData(xAOD::EventFormat_v1/EventFormatStream2) [203] (d , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:0EFE2D2C-9E78-441D-9A87-9EE2B908AC81 +SimplePoolFile2... DEBUG --->Adding Shape[8 , 0EFE2D2C-9E78-441D-9A87-9EE2B908AC81]: [1 Column(s)] SimplePoolFile2... DEBUG ---->Class:xAOD::EventFormat_v1 SimplePoolFile2... DEBUG ---->[0]:xAOD::EventFormat_v1 Typ:xAOD::EventFormat_v1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile2... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(IOVMetaDataContainer_p1//TagInfo) +SimplePoolFile2... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(IOVMetaDataContainer_p1//TagInfo) MetaData(IOVMet... DEBUG Opening MetaData(IOVMet... DEBUG attributes# = 1 MetaData(IOVMet... DEBUG Branch container 'IOVMetaDataContainer_p1__TagInfo' MetaData(IOVMet... DEBUG Opened container MetaData(IOVMetaDataContainer_p1//TagInfo) of type ROOT_Tree -SimplePoolFile2... DEBUG --->Adding Assoc :????/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (e , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --->Adding Shape[9 , ????]: [1 Column(s)] +SimplePoolFile2... DEBUG --->Adding Assoc :73F77177-D136-9344-B64D-29693F68D6C2/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (e , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:6C2DE6DF-6D52-43F6-B435-9F29812F40C0 +SimplePoolFile2... DEBUG --->Adding Shape[9 , 6C2DE6DF-6D52-43F6-B435-9F29812F40C0]: [1 Column(s)] SimplePoolFile2... DEBUG ---->Class:IOVMetaDataContainer_p1 SimplePoolFile2... DEBUG ---->[0]:IOVMetaDataContainer_p1 Typ:IOVMetaDataContainer_p1 [21] Size:0 Offset:0 #Elements:1 -SimplePoolFile2... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaDataHdr(DataHeader) +SimplePoolFile2... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaDataHdr(DataHeader) MetaDataHdr(Dat... DEBUG Opening MetaDataHdr(Dat... DEBUG attributes# = 1 MetaDataHdr(Dat... DEBUG Branch container 'DataHeader' MetaDataHdr(Dat... DEBUG Opened container MetaDataHdr(DataHeader) of type ROOT_Tree -SimplePoolFile2... DEBUG --->Adding Assoc :????/MetaDataHdr(DataHeader) [203] (f , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? -SimplePoolFile2... DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaDataHdrForm(DataHeaderForm) +SimplePoolFile2... DEBUG --->Adding Assoc :73F77177-D136-9344-B64D-29693F68D6C2/MetaDataHdr(DataHeader) [203] (f , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +SimplePoolFile2... DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaDataHdrForm(DataHeaderForm) MetaDataHdrForm... DEBUG Opening MetaDataHdrForm... DEBUG attributes# = 1 MetaDataHdrForm... DEBUG Branch container 'DataHeaderForm' MetaDataHdrForm... DEBUG Opened container MetaDataHdrForm(DataHeaderForm) of type ROOT_Tree -SimplePoolFile2... DEBUG --->Adding Assoc :????/MetaDataHdrForm(DataHeaderForm) [203] (10 , ffffffff) -SimplePoolFile2... DEBUG ---->ClassID:???? +SimplePoolFile2... DEBUG --->Adding Assoc :73F77177-D136-9344-B64D-29693F68D6C2/MetaDataHdrForm(DataHeaderForm) [203] (10 , ffffffffffffffff) +SimplePoolFile2... DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD MetaData(xAOD::... DEBUG SG::IAuxStoreIO* detected in xAOD::FileMetaDataAuxInfo_v1_FileMetaDataAux. MetaData(xAOD::... DEBUG Attributes= 1 +MetaData(xAOD::... DEBUG Creating branch for new dynamic attribute, Id=79: type=float, mcProcID MetaData(xAOD::... DEBUG createBasicAuxBranch: xAOD::FileMetaDataAuxInfo_v1_FileMetaDataAuxDyn.mcProcID, leaf:mcProcID/F Stream2 INFO Metadata records written: 21 Stream2 DEBUG Leaving incident handler for MetaDataStop +DbSession INFO Open DbSession +Domain[ROOT_All] INFO > Access DbDomain UPDATE [ROOT_All] +AthenaPoolCnvSvc DEBUG setAttribute TREE_MAX_SIZE to 1099511627776L +AthenaPoolCnvSvc DEBUG setAttribute DEFAULT_SPLITLEVEL to 0 +AthenaPoolCnvSvc DEBUG setAttribute STREAM_MEMBER_WISE to 1 +AthenaPoolCnvSvc DEBUG setAttribute DEFAULT_BUFFERSIZE to 32000 +PersistencySvc:... DEBUG lookupPFN: EmptyPoolFile.root returned FID: 'C7040C30-3363-7D42-B1B7-E3F3B1881030' tech=ROOT_All +Domain[ROOT_All] INFO -> Access DbDatabase CREATE [ROOT_All] C7040C30-3363-7D42-B1B7-E3F3B1881030 +Domain[ROOT_All] INFO EmptyPoolFile.root EmptyPoolFile.root DEBUG --> Access DbContainer CREATE [ROOT_All] ##Shapes ##Shapes DEBUG Opening ##Shapes DEBUG attributes# = 1 @@ -1298,102 +1420,112 @@ EmptyPoolFile.root DEBUG --> Access DbContainer CREATE [ROOT_All] ##Param ##Params DEBUG Opening ##Params DEBUG attributes# = 1 ##Params DEBUG Opened container ##Params of type ROOT_Tree -EmptyPoolFile.root DEBUG --->Adding Assoc :????/##Params [200] (2 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? +EmptyPoolFile.root DEBUG --->Adding Assoc :C7040C30-3363-7D42-B1B7-E3F3B1881030/##Params [200] (2 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:DA8F479C-09BC-49D4-94BC-99D025A23A3B ##Params DEBUG No objects passing selection criteria... Container has 0 Entries in total. -EmptyPoolFile.root DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) +AthenaPoolCnvSvc DEBUG setAttribute CONTAINER_SPLITLEVEL to 0 for db: EmptyPoolFile.root and cont: TTree=POOLContainerForm(DataHeaderForm) +EmptyPoolFile.root DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) MetaData(xAOD::... DEBUG Opening MetaData(xAOD::... DEBUG attributes# = 1 MetaData(xAOD::... DEBUG Branch container 'xAOD::FileMetaDataAuxInfo_v1_FileMetaDataAux.' MetaData(xAOD::... DEBUG Opened container MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) of type ROOT_Tree -EmptyPoolFile.root DEBUG --->Adding Assoc :????/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (3 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Adding Shape[0 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Adding Assoc :C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(xAOD::FileMetaDataAuxInfo_v1/FileMetaDataAux.) [203] (3 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:BEE2BECF-A936-4078-9FDD-AD703C9ADF9F +EmptyPoolFile.root DEBUG --->Adding Shape[0 , BEE2BECF-A936-4078-9FDD-AD703C9ADF9F]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->Class:xAOD::FileMetaDataAuxInfo_v1 EmptyPoolFile.root DEBUG ---->[0]:xAOD::FileMetaDataAuxInfo_v1 Typ:xAOD::FileMetaDataAuxInfo_v1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(EventStreamInfo_p3/Stream3) +EmptyPoolFile.root DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(EventStreamInfo_p3/Stream3) MetaData(EventS... DEBUG Opening MetaData(EventS... DEBUG attributes# = 1 MetaData(EventS... DEBUG Branch container 'EventStreamInfo_p3_Stream3' MetaData(EventS... DEBUG Opened container MetaData(EventStreamInfo_p3/Stream3) of type ROOT_Tree -EmptyPoolFile.root DEBUG --->Adding Assoc :????/MetaData(EventStreamInfo_p3/Stream3) [203] (4 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Adding Shape[1 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Adding Assoc :C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(EventStreamInfo_p3/Stream3) [203] (4 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:11DF1B8C-0DEE-4687-80D7-E74B520ACBB4 +EmptyPoolFile.root DEBUG --->Adding Shape[1 , 11DF1B8C-0DEE-4687-80D7-E74B520ACBB4]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->Class:EventStreamInfo_p3 EmptyPoolFile.root DEBUG ---->[0]:EventStreamInfo_p3 Typ:EventStreamInfo_p3 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(xAOD::FileMetaData_v1/FileMetaData) +EmptyPoolFile.root DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(xAOD::FileMetaData_v1/FileMetaData) MetaData(xAOD::... DEBUG Opening MetaData(xAOD::... DEBUG attributes# = 1 MetaData(xAOD::... DEBUG Branch container 'xAOD::FileMetaData_v1_FileMetaData' MetaData(xAOD::... DEBUG Opened container MetaData(xAOD::FileMetaData_v1/FileMetaData) of type ROOT_Tree -EmptyPoolFile.root DEBUG --->Adding Assoc :????/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (5 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Adding Shape[2 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Adding Assoc :C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(xAOD::FileMetaData_v1/FileMetaData) [203] (5 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:C87E3828-4A7A-480A-95DE-0339539F6A0F +EmptyPoolFile.root DEBUG --->Adding Shape[2 , C87E3828-4A7A-480A-95DE-0339539F6A0F]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->Class:xAOD::FileMetaData_v1 EmptyPoolFile.root DEBUG ---->[0]:xAOD::FileMetaData_v1 Typ:xAOD::FileMetaData_v1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(xAOD::EventFormat_v1/EventFormatStream3) +EmptyPoolFile.root DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(xAOD::EventFormat_v1/EventFormatStream3) MetaData(xAOD::... DEBUG Opening MetaData(xAOD::... DEBUG attributes# = 1 MetaData(xAOD::... DEBUG Branch container 'xAOD::EventFormat_v1_EventFormatStream3' MetaData(xAOD::... DEBUG Opened container MetaData(xAOD::EventFormat_v1/EventFormatStream3) of type ROOT_Tree -EmptyPoolFile.root DEBUG --->Adding Assoc :????/MetaData(xAOD::EventFormat_v1/EventFormatStream3) [203] (6 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Adding Shape[3 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Adding Assoc :C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(xAOD::EventFormat_v1/EventFormatStream3) [203] (6 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:0EFE2D2C-9E78-441D-9A87-9EE2B908AC81 +EmptyPoolFile.root DEBUG --->Adding Shape[3 , 0EFE2D2C-9E78-441D-9A87-9EE2B908AC81]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->Class:xAOD::EventFormat_v1 EmptyPoolFile.root DEBUG ---->[0]:xAOD::EventFormat_v1 Typ:xAOD::EventFormat_v1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaData(IOVMetaDataContainer_p1//TagInfo) +EmptyPoolFile.root DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaData(IOVMetaDataContainer_p1//TagInfo) MetaData(IOVMet... DEBUG Opening MetaData(IOVMet... DEBUG attributes# = 1 MetaData(IOVMet... DEBUG Branch container 'IOVMetaDataContainer_p1__TagInfo' MetaData(IOVMet... DEBUG Opened container MetaData(IOVMetaDataContainer_p1//TagInfo) of type ROOT_Tree -EmptyPoolFile.root DEBUG --->Adding Assoc :????/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (7 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Adding Shape[4 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Adding Assoc :C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaData(IOVMetaDataContainer_p1//TagInfo) [203] (7 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:6C2DE6DF-6D52-43F6-B435-9F29812F40C0 +EmptyPoolFile.root DEBUG --->Adding Shape[4 , 6C2DE6DF-6D52-43F6-B435-9F29812F40C0]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->Class:IOVMetaDataContainer_p1 EmptyPoolFile.root DEBUG ---->[0]:IOVMetaDataContainer_p1 Typ:IOVMetaDataContainer_p1 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaDataHdr(DataHeader) +EmptyPoolFile.root DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaDataHdr(DataHeader) MetaDataHdr(Dat... DEBUG Opening MetaDataHdr(Dat... DEBUG attributes# = 1 MetaDataHdr(Dat... DEBUG Branch container 'DataHeader' MetaDataHdr(Dat... DEBUG Opened container MetaDataHdr(DataHeader) of type ROOT_Tree -EmptyPoolFile.root DEBUG --->Adding Assoc :????/MetaDataHdr(DataHeader) [203] (8 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Adding Shape[5 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Adding Assoc :C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaDataHdr(DataHeader) [203] (8 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D +EmptyPoolFile.root DEBUG --->Adding Shape[5 , 4DDBD295-EFCE-472A-9EC8-15CD35A9EB8D]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->Class:DataHeader_p6 EmptyPoolFile.root DEBUG ---->[0]:DataHeader_p6 Typ:DataHeader_p6 [21] Size:0 Offset:0 #Elements:1 -EmptyPoolFile.root DEBUG --> Access DbContainer CREA/UPDA [ROOT_Tree] MetaDataHdrForm(DataHeaderForm) +EmptyPoolFile.root DEBUG --> Access DbContainer CREA/UPDA [ROOT_TreeIndex] MetaDataHdrForm(DataHeaderForm) MetaDataHdrForm... DEBUG Opening MetaDataHdrForm... DEBUG attributes# = 1 MetaDataHdrForm... DEBUG Branch container 'DataHeaderForm' MetaDataHdrForm... DEBUG Opened container MetaDataHdrForm(DataHeaderForm) of type ROOT_Tree -EmptyPoolFile.root DEBUG --->Adding Assoc :????/MetaDataHdrForm(DataHeaderForm) [203] (9 , ffffffff) -EmptyPoolFile.root DEBUG ---->ClassID:???? -EmptyPoolFile.root DEBUG --->Adding Shape[6 , ????]: [1 Column(s)] +EmptyPoolFile.root DEBUG --->Adding Assoc :C7040C30-3363-7D42-B1B7-E3F3B1881030/MetaDataHdrForm(DataHeaderForm) [203] (9 , ffffffffffffffff) +EmptyPoolFile.root DEBUG ---->ClassID:7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD +EmptyPoolFile.root DEBUG --->Adding Shape[6 , 7BE56CEF-C866-4BEE-9348-A5F34B5F1DAD]: [1 Column(s)] EmptyPoolFile.root DEBUG ---->Class:DataHeaderForm_p6 EmptyPoolFile.root DEBUG ---->[0]:DataHeaderForm_p6 Typ:DataHeaderForm_p6 [21] Size:0 Offset:0 #Elements:1 MetaData(xAOD::... DEBUG SG::IAuxStoreIO* detected in xAOD::FileMetaDataAuxInfo_v1_FileMetaDataAux. MetaData(xAOD::... DEBUG Attributes= 1 +MetaData(xAOD::... DEBUG Creating branch for new dynamic attribute, Id=79: type=float, mcProcID MetaData(xAOD::... DEBUG createBasicAuxBranch: xAOD::FileMetaDataAuxInfo_v1_FileMetaDataAuxDyn.mcProcID, leaf:mcProcID/F Stream3 INFO Metadata records written: 1 PoolSvc DEBUG Disconnect request for contextId=0 +Domain[ROOT_All] INFO > Deaccess DbDomain READ [ROOT_All] PoolSvc DEBUG Disconnected PersistencySvc session PoolSvc DEBUG Disconnect request for contextId=1 -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=SimplePoolFile1.root -StorageSvc DEBUG Closing database: FID=???? +StorageSvc DEBUG Disconnect request for database: FID=F2313678-C96A-964F-89E8-08BAB39F2DA7 PFN=SimplePoolFile1.root +StorageSvc DEBUG Closing database: FID=F2313678-C96A-964F-89E8-08BAB39F2DA7 +Domain[ROOT_All] INFO -> Deaccess DbDatabase CREATE [ROOT_All] F2313678-C96A-964F-89E8-08BAB39F2DA7 +Domain[ROOT_All] INFO > Deaccess DbDomain UPDATE [ROOT_All] PoolSvc DEBUG Disconnected PersistencySvc session PoolSvc DEBUG Disconnect request for contextId=2 -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=SimplePoolFile2.root -StorageSvc DEBUG Closing database: FID=???? +StorageSvc DEBUG Disconnect request for database: FID=73F77177-D136-9344-B64D-29693F68D6C2 PFN=SimplePoolFile2.root +StorageSvc DEBUG Closing database: FID=73F77177-D136-9344-B64D-29693F68D6C2 +Domain[ROOT_All] INFO -> Deaccess DbDatabase CREATE [ROOT_All] 73F77177-D136-9344-B64D-29693F68D6C2 +Domain[ROOT_All] INFO > Deaccess DbDomain UPDATE [ROOT_All] PoolSvc DEBUG Disconnected PersistencySvc session PoolSvc DEBUG Disconnect request for contextId=3 -StorageSvc DEBUG Disconnect request for database: FID=???? PFN=EmptyPoolFile.root -StorageSvc DEBUG Closing database: FID=???? +StorageSvc DEBUG Disconnect request for database: FID=C7040C30-3363-7D42-B1B7-E3F3B1881030 PFN=EmptyPoolFile.root +StorageSvc DEBUG Closing database: FID=C7040C30-3363-7D42-B1B7-E3F3B1881030 +Domain[ROOT_All] INFO -> Deaccess DbDatabase CREATE [ROOT_All] C7040C30-3363-7D42-B1B7-E3F3B1881030 +Domain[ROOT_All] INFO > Deaccess DbDomain UPDATE [ROOT_All] PoolSvc DEBUG Disconnected PersistencySvc session ApplicationMgr INFO Application Manager Stopped successfully AllExecutedEvents INFO accepted 20 out of 20 events for filter AllExecutedEvents (Number of processed events before any cut) WriteData INFO in finalize() WriteTag INFO in finalize() MagicWriteTag INFO in finalize() +WriteData DEBUG Calling destructor Stream1 DEBUG finalize: Optimize output PoolSvc DEBUG Disconnect request for contextId=1 Stream1 DEBUG finalize: end optimize output @@ -1401,11 +1533,19 @@ Stream2 DEBUG finalize: Optimize output PoolSvc DEBUG Disconnect request for contextId=2 Stream2 DEBUG finalize: end optimize output PoolSvc DEBUG Disconnect request for contextId=3 +IOVDbSvc INFO bytes in (( 0.00 ))s +IOVDbSvc INFO Connection sqlite://;schema=cooldummy.db;dbname=OFLP200 : nConnect: 0 nFolders: 0 ReadTime: (( 0.00 ))s +DecisionSvc INFO Finalized successfully. AthDictLoaderSvc INFO in finalize... ToolSvc INFO Removing all tools created by ToolSvc *****Chrono***** INFO **************************************************************************************************** *****Chrono***** INFO The Final CPU consumption ( Chrono ) Table (ordered) *****Chrono***** INFO **************************************************************************************************** +cRepR_ALL INFO Time User : Tot= 0 [us] Ave/Min/Max= 0(+- 0)/ 0/ 0 [us] #=283 +commitOutput INFO Time User : Tot= 10 [ms] Ave/Min/Max= 0.233(+- 1.51)/ 0/ 10 [ms] #= 43 +fRep_ALL INFO Time User : Tot= 10 [ms] Ave/Min/Max= 0.0847(+- 0.917)/ 0/ 10 [ms] #=118 +cRep_ALL INFO Time User : Tot= 30 [ms] Ave/Min/Max= 0.254(+- 1.57)/ 0/ 10 [ms] #=118 +ChronoStatSvc INFO Time User : Tot= 360 [ms] #= 1 *****Chrono***** INFO **************************************************************************************************** ChronoStatSvc.f... INFO Service finalized successfully ApplicationMgr INFO Application Manager Finalized successfully diff --git a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_WriteJobOptions.py b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_WriteJobOptions.py index 08f1e5ceb931867b5978c9719e149b4776a562af..dd97eb0e256862ebac3e9f1c26dc4836a53fd5e6 100755 --- a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_WriteJobOptions.py +++ b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/share/AthenaPoolExample_WriteJobOptions.py @@ -77,16 +77,6 @@ import AthenaPoolCnvSvc.WriteAthenaPool ## get a handle on the ServiceManager from AthenaCommon.AppMgr import ServiceMgr as svcMgr -import sys -try: - os.unlink ('Catalog1.xml') -except OSError: - pass -try: - os.unlink ('Catalog2.xml') -except OSError: - pass - #Explicitly specify the output file catalog from PoolSvc.PoolSvcConf import PoolSvc svcMgr += PoolSvc() diff --git a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/src/ReadData.cxx b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/src/ReadData.cxx index 0cff7e2dc641f1fc306d3768a5027acd596a344d..b2c8d8c798ca0ae3da9854b8fa80510c969d45af 100755 --- a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/src/ReadData.cxx +++ b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/src/ReadData.cxx @@ -14,6 +14,8 @@ #include "AthenaPoolExampleData/ExampleHitContainer.h" #include "AthenaPoolExampleData/ExampleTrackContainer.h" +#include "PersistentDataModel/DataHeader.h" + #include "EventInfo/EventInfo.h" #include "EventInfo/EventID.h" #include "EventInfo/EventStreamInfo.h" @@ -47,6 +49,7 @@ StatusCode ReadData::initialize() { return StatusCode::FAILURE; } + ATH_CHECK( m_dataHeaderKey.initialize() ); if (!m_exampleTrackKey.key().empty()) { ATH_CHECK( m_exampleTrackKey.initialize() ); } @@ -99,6 +102,15 @@ StatusCode ReadData::execute (const EventContext& ctx) const { ATH_MSG_INFO("EventBookkeeper (In) " << (*iter)->getName() << " accepted events: = " << (*iter)->getNAcceptedEvents()); } } + + SG::ReadHandle<DataHeader> dh (m_dataHeaderKey, ctx); + for (std::vector<DataHeaderElement>::const_iterator dhe_p = dh->begin(); dhe_p != dh->end(); dhe_p++) { + ATH_MSG_INFO("DataHeader (Event Content) " << dhe_p->getToken()->toString()); + } + for (std::vector<DataHeaderElement>::const_iterator dhe_p = dh->beginProvenance(); dhe_p != dh->endProvenance(); dhe_p++) { + ATH_MSG_INFO("DataHeader (Provenance) " << dhe_p->getToken()->toString()); + } + // Get the event header, print out event and run number const EventIDBase& eid = ctx.eventID(); ATH_MSG_INFO("EventInfo event: " << eid.event_number() << " run: " << eid.run_number()); diff --git a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/src/ReadData.h b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/src/ReadData.h index 4c209285fa8571586ee6645253f59cab982aa5ef..266cca2b1ba9082a2eeb40314efb863062b11c9c 100755 --- a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/src/ReadData.h +++ b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/src/ReadData.h @@ -13,10 +13,12 @@ #include "GaudiKernel/ServiceHandle.h" #include "AthenaBaseComps/AthReentrantAlgorithm.h" +#include "PersistentDataModel/DataHeader.h" #include "AthenaPoolExampleData/ExampleTrackContainer.h" #include "AthenaPoolExampleData/ExampleHitContainer.h" #include "StoreGate/ReadHandleKey.h" +class DataHeader; class StoreGateSvc; namespace AthPoolEx { @@ -40,6 +42,7 @@ public: private: ServiceHandle<StoreGateSvc> p_SGinMeta; ServiceHandle<StoreGateSvc> p_SGmeta; + SG::ReadHandleKey<DataHeader> m_dataHeaderKey { this, "DataHeaderKey", "EventSelector" }; SG::ReadHandleKey<ExampleTrackContainer> m_exampleTrackKey { this, "ExampleTrackKey", "MyTracks" }; SG::ReadHandleKey<ExampleHitContainer> m_exampleHitKey { this, "ExampleHitKey", "MyHits" }; }; diff --git a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/test/athenarun_test.sh.in b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/test/athenarun_test.sh.in index fb6503e414f08b6c1deaec0df80d73a7bcec0794..589b51795fa6c5d0e82f327e20b15580d985fdf5 100755 --- a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/test/athenarun_test.sh.in +++ b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/test/athenarun_test.sh.in @@ -11,19 +11,12 @@ read -d '' II <<EOF s/0\\\\{8\\\\}-0\\\\{4\\\\}-0\\\\{4\\\\}-0\\\\{4\\\\}-0\\\\{12\\\\}/!!!!/g -s/[0-9A-F]\\\\{8\\\\}-[0-9A-F]\\\\{4\\\\}-[0-9A-F]\\\\{4\\\\}-[0-9A-F]\\\\{4\\\\}-[0-9A-F]\\\\{12\\\\}/????/g s/TTree [0-9]\\\\{3\\\\}[0-9]*/TTree ????/g s/^.*Py:Athena /Athena /g s/-[0-9A-F][0-9A-F][0-9A-F][0-9A-F][0-9A-F][0-9A-F][0-9A-F][0-9A-F]0/-0/g s/=[0-9A-F][0-9A-F][0-9A-F][0-9A-F][0-9A-F][0-9A-F][0-9A-F][0-9A-F]0/=0/g -s/\\\\[00000000/[/g -s/-000000000/-0/g -s/=00000000/=/g -s/ ffffffff/ /g -s/INFO CLID = 222376821, key = Stream[12]/INFO CLID = 222376821, key = StreamX/g s/0x[0-9a-f]\\\\{7,12\\\\}/0x????/g s/[0-9a-f][0-9a-f][0-9a-f][0-9a-f][0-9a-f][0-9a-f][0-9a-f][0-9a-f]00*//g -s/ROOT_TreeIndex/ROOT_Tree/g EOF # Ordering sensitivities diff --git a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/test/pre_check.sh b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/test/pre_check.sh index 2bac055af3ad42a87164f28ff6806cac04980786..0379885aa0a1f95ae5ee8b7c7c77452f9b4b6531 100755 --- a/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/test/pre_check.sh +++ b/Database/AthenaPOOL/AthenaPoolExample/AthenaPoolExampleAlgorithms/test/pre_check.sh @@ -5,13 +5,20 @@ test=${1} # if [ "${test}" = "AthenaPoolExample_Write" ] then - /bin/rm -f * + /bin/rm -f *.root Catalog1.xml + FCregisterPFN -p SimplePoolFile1.root -u xmlcatalog_file:Catalog1.xml -t ROOT_All -g F2313678-C96A-964F-89E8-08BAB39F2DA7 + FCregisterPFN -p SimplePoolFile2.root -u xmlcatalog_file:Catalog1.xml -t ROOT_All -g 73F77177-D136-9344-B64D-29693F68D6C2 + FCregisterPFN -p SimplePoolFile3.root -u xmlcatalog_file:Catalog1.xml -t ROOT_All -g A811B014-0297-AD47-AF4C-B75EF418982D + FCregisterPFN -p SimplePoolFile4.root -u xmlcatalog_file:Catalog1.xml -t ROOT_All -g 298DE14D-49CF-674A-9171-CEBBD9BEC6F8 + FCregisterPFN -p SimplePoolReplica1.root -u xmlcatalog_file:Catalog1.xml -t ROOT_All -g 095498FF-E805-B142-9948-BD2D4AC79975 + FCregisterPFN -p EmptyPoolFile.root -u xmlcatalog_file:Catalog1.xml -t ROOT_All -g C7040C30-3363-7D42-B1B7-E3F3B1881030 elif [ "${test}" = "AthenaPoolExample_Concat" ] then /bin/rm -f SimplePoolFile[13].root elif [ "${test}" = "AthenaPoolExample_WMeta" ] then - /bin/rm -f *.root *.xml* + /bin/rm -f *.root Catalog2.xml + FCregisterPFN -p SimplePoolFile5.root -u xmlcatalog_file:Catalog2.xml -t ROOT_All -g C949FD2E-3B8E-9343-AAE0-1E2306900C43 fi # Turn off pool verbose printing export POOL_OUTMSG_LEVEL=4 diff --git a/DetectorDescription/ReadoutGeometryBase/src/SolidStateDetectorElementBase.cxx b/DetectorDescription/ReadoutGeometryBase/src/SolidStateDetectorElementBase.cxx index 0f156adc50a266100b925a371c52f933a625e375..e834f246281e61ffc44df29009938a8198e23e45 100644 --- a/DetectorDescription/ReadoutGeometryBase/src/SolidStateDetectorElementBase.cxx +++ b/DetectorDescription/ReadoutGeometryBase/src/SolidStateDetectorElementBase.cxx @@ -422,6 +422,13 @@ using Trk::distDepth; ATH_MSG_ERROR( "Orientation of local depth axis does not follow correct convention."); dir.m_depthDirection = true; // Don't swap. } + + // for HGTD modules, the check on phi and eta directions don't make sense + // as the modules do not respect the conventional position for endcap discs: + // - the local eta axis is never parallel to the radial direction + // - the local phi axis is never perpendicular to the radial direction + // hence, removing errors and allowing swap of the axis when needed + bool isHGTD = this->getIdHelper()->is_hgtd(m_id); // // Phi axis @@ -435,8 +442,7 @@ using Trk::distDepth; ATH_MSG_DEBUG("Unable to swap local xPhi axis."); } } - - if (std::abs(dir.m_phiAngle) < 0.5) { // Check that it is in roughly the right direction. + if (not isHGTD and std::abs(dir.m_phiAngle) < 0.5) { // Check that it is in roughly the right direction. ATH_MSG_ERROR( "Orientation of local xPhi axis does not follow correct convention."); dir.m_phiDirection = true; // Don't swap. } @@ -453,7 +459,7 @@ using Trk::distDepth; ATH_MSG_DEBUG("Unable to swap local xEta axis."); } } - if (std::abs(dir.m_etaAngle) < 0.5) { // Check that it is in roughly the right direction. + if (not isHGTD and std::abs(dir.m_etaAngle) < 0.5) { // Check that it is in roughly the right direction. ATH_MSG_ERROR( "Orientation of local xEta axis does not follow correct convention."); dir.m_etaDirection = true; // Don't swap } diff --git a/Event/xAOD/xAODTrigger/CMakeLists.txt b/Event/xAOD/xAODTrigger/CMakeLists.txt index 8a49ea6d87d24d2c8353657fb69dd24dce4b5c5d..3e1d2e4cd67d263a3fe077a3205858f52acbd012 100644 --- a/Event/xAOD/xAODTrigger/CMakeLists.txt +++ b/Event/xAOD/xAODTrigger/CMakeLists.txt @@ -30,8 +30,10 @@ atlas_add_xaod_smart_pointer_dicts( "xAOD::TrigPassBitsContainer_v1" "xAOD::TriggerMenuJsonContainer_v1" "xAOD::eFexEMRoIContainer_v1" "xAOD::eFexTauRoIContainer_v1" "xAOD::jFexSRJetRoIContainer_v1" - "xAOD::jFexLRJetRoIContainer_v1" "xAOD::jFexTauRoIContainer_v1" + "xAOD::jFexLRJetRoIContainer_v1" "xAOD::jFexTauRoIContainer_v1" "xAOD::jFexSumETRoIContainer_v1" "xAOD::jFexMETRoIContainer_v1" + "xAOD::gFexJetRoIContainer_v1" "xAOD::gFexGlobalRoIContainer_v1" + OBJECTS "xAOD::EnergySumRoI_v1" "xAOD::EnergySumRoI_v2" "xAOD::TrigDecision_v1" "xAOD::TrigNavigation_v1" "xAOD::RoiDescriptorStore_v1" ) diff --git a/Event/xAOD/xAODTriggerAthenaPool/CMakeLists.txt b/Event/xAOD/xAODTriggerAthenaPool/CMakeLists.txt index 932e5d715f261e818a70f3f3696402943a95fba0..231b7f455f06bc2fe1efe57b370acc9865dd22e9 100644 --- a/Event/xAOD/xAODTriggerAthenaPool/CMakeLists.txt +++ b/Event/xAOD/xAODTriggerAthenaPool/CMakeLists.txt @@ -28,6 +28,8 @@ atlas_add_poolcnv_library( xAODTriggerAthenaPoolPoolCnv xAODTrigger/jFexTauRoIContainer.h xAODTrigger/jFexTauRoIAuxContainer.h xAODTrigger/jFexSumETRoIContainer.h xAODTrigger/jFexSumETRoIAuxContainer.h xAODTrigger/jFexMETRoIContainer.h xAODTrigger/jFexMETRoIAuxContainer.h + xAODTrigger/gFexJetRoIContainer.h xAODTrigger/gFexJetRoIAuxContainer.h + xAODTrigger/gFexGlobalRoIContainer.h xAODTrigger/gFexGlobalRoIAuxContainer.h TYPES_WITH_NAMESPACE xAOD::MuonRoIContainer xAOD::MuonRoIAuxContainer xAOD::JetRoIContainer xAOD::JetRoIAuxContainer xAOD::EmTauRoIContainer xAOD::EmTauRoIAuxContainer @@ -50,6 +52,8 @@ atlas_add_poolcnv_library( xAODTriggerAthenaPoolPoolCnv xAOD::jFexTauRoIContainer xAOD::jFexTauRoIAuxContainer xAOD::jFexSumETRoIContainer xAOD::jFexSumETRoIAuxContainer xAOD::jFexMETRoIContainer xAOD::jFexMETRoIAuxContainer + xAOD::gFexJetRoIContainer xAOD::gFexJetRoIAuxContainer + xAOD::gFexGlobalRoIContainer xAOD::gFexGlobalRoIAuxContainer CNV_PFX xAOD LINK_LIBRARIES AthContainers AthenaKernel AthenaPoolCnvSvcLib diff --git a/Generators/EvtGen_i/src/EvtInclusiveDecay.cxx b/Generators/EvtGen_i/src/EvtInclusiveDecay.cxx index 3b35c56c1f6b03957b8cece4e90ff61e7ba19e4b..eaae0ec1fa4e653aeb3c8a5c6edb98c3e2eb500d 100644 --- a/Generators/EvtGen_i/src/EvtInclusiveDecay.cxx +++ b/Generators/EvtGen_i/src/EvtInclusiveDecay.cxx @@ -813,7 +813,7 @@ unsigned int EvtInclusiveDecay::printTree(HepMC::GenParticlePtr p, std::string EvtInclusiveDecay::pdgName(HepMC::ConstGenParticlePtr p, bool statusHighlighting, std::set<HepMC::GenParticlePtr>* barcodeList) { std::ostringstream buf; bool inlist=false; - for (auto pinl: *barcodeList) if (pinl&&p) if (pinl.get()==p.get()) inlist=true; + if (barcodeList) for (auto pinl: *barcodeList) if (pinl&&p) if (pinl.get()==p.get()) inlist=true; if (statusHighlighting) { if ( ((barcodeList!=0) && (inlist)) || ((barcodeList==0) && isToBeDecayed(p,false)) ) diff --git a/HighGranularityTimingDetector/HGTD_Conditions/HGTD_ConditionsAlgorithms/ATLAS_CHECK_THREAD_SAFETY b/HighGranularityTimingDetector/HGTD_Conditions/HGTD_ConditionsAlgorithms/ATLAS_CHECK_THREAD_SAFETY new file mode 100644 index 0000000000000000000000000000000000000000..c657b01877f18a0efaf38e4d0486ad2fa5023a7d --- /dev/null +++ b/HighGranularityTimingDetector/HGTD_Conditions/HGTD_ConditionsAlgorithms/ATLAS_CHECK_THREAD_SAFETY @@ -0,0 +1 @@ +HighGranularityTimingDetector/HGTD_Conditions/HGTD_ConditionsAlgorithms diff --git a/HighGranularityTimingDetector/HGTD_Conditions/HGTD_ConditionsAlgorithms/CMakeLists.txt b/HighGranularityTimingDetector/HGTD_Conditions/HGTD_ConditionsAlgorithms/CMakeLists.txt new file mode 100644 index 0000000000000000000000000000000000000000..f31f1812cfae79de930ad786fa1414f99c6ad036 --- /dev/null +++ b/HighGranularityTimingDetector/HGTD_Conditions/HGTD_ConditionsAlgorithms/CMakeLists.txt @@ -0,0 +1,17 @@ +# Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration + +# Declare the package name: +atlas_subdir( HGTD_ConditionsAlgorithms ) + +# External dependencies: +find_package( CLHEP ) +find_package( CORAL COMPONENTS CoralBase ) + +# Component(s) in the package: +atlas_add_component( HGTD_ConditionsAlgorithms + src/*.h src/*.cxx src/components/*.cxx + INCLUDE_DIRS ${CLHEP_INCLUDE_DIRS} ${CORAL_INCLUDE_DIRS} + LINK_LIBRARIES ${CLHEP_LIBRARIES} ${CORAL_LIBRARIES} AthenaBaseComps AthenaKernel AthenaPoolUtilities DetDescrConditions GaudiKernel GeoModelUtilities GeoPrimitives Identifier HGTD_Identifier HGTD_ReadoutGeometry StoreGateLib TrkGeometry TrkSurfaces ) + +# Install files from the package: +atlas_install_python_modules( python/*.py POST_BUILD_CMD ${ATLAS_FLAKE8} ) diff --git a/HighGranularityTimingDetector/HGTD_Conditions/HGTD_ConditionsAlgorithms/python/HGTD_ConditionsAlgorithmsConfig.py b/HighGranularityTimingDetector/HGTD_Conditions/HGTD_ConditionsAlgorithms/python/HGTD_ConditionsAlgorithmsConfig.py new file mode 100644 index 0000000000000000000000000000000000000000..73aa60d004dd90a4b1c90474f24d18196d0d3a6d --- /dev/null +++ b/HighGranularityTimingDetector/HGTD_Conditions/HGTD_ConditionsAlgorithms/python/HGTD_ConditionsAlgorithmsConfig.py @@ -0,0 +1,14 @@ +"""Define functions to configure HGTD conditions algorithms + +Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration +""" + +def HGTD_DetectorElementCondAlgCfg(flags, name="HGTD_DetectorElementCondAlg", **kwargs): + from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator + from AthenaConfiguration.ComponentFactory import CompFactory + """Return a ComponentAccumulator with configured HGTD_DetectorElementCondAlg for HGTD""" + acc = ComponentAccumulator() + kwargs.setdefault("DetManagerName", "HGTD") + kwargs.setdefault("WriteKey", "HGTD_DetectorElementCollection") + acc.addCondAlgo(CompFactory.HGTD_DetectorElementCondAlg(name, **kwargs)) + return acc diff --git a/HighGranularityTimingDetector/HGTD_Conditions/HGTD_ConditionsAlgorithms/src/HGTD_DetectorElementCondAlg.cxx b/HighGranularityTimingDetector/HGTD_Conditions/HGTD_ConditionsAlgorithms/src/HGTD_DetectorElementCondAlg.cxx new file mode 100644 index 0000000000000000000000000000000000000000..b337f5a9e184f9b65faf09e41ed497686cd3f69f --- /dev/null +++ b/HighGranularityTimingDetector/HGTD_Conditions/HGTD_ConditionsAlgorithms/src/HGTD_DetectorElementCondAlg.cxx @@ -0,0 +1,111 @@ +/* + Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration +*/ + +#include "HGTD_DetectorElementCondAlg.h" + +#include "HGTD_ReadoutGeometry/HGTD_DetectorManager.h" +#include "HGTD_ReadoutGeometry/HGTD_DetectorElement.h" +#include "TrkGeometry/Layer.h" +#include "TrkSurfaces/Surface.h" +#include "AthenaKernel/IOVInfiniteRange.h" + +#include <map> + +HGTD_DetectorElementCondAlg::HGTD_DetectorElementCondAlg(const std::string& name, ISvcLocator* pSvcLocator) + : ::AthReentrantAlgorithm(name, pSvcLocator) +{ +} + +StatusCode HGTD_DetectorElementCondAlg::initialize() +{ + ATH_MSG_DEBUG("initialize " << name()); + + // Write Handle + ATH_CHECK(m_writeKey.initialize()); + + // CondSvc + ATH_CHECK(m_condSvc.retrieve()); + + // Register write handle + ATH_CHECK(m_condSvc->regHandle(this, m_writeKey)); + + // We need the detector manager + ATH_CHECK(detStore()->retrieve(m_detManager, m_detManagerName)); + + return StatusCode::SUCCESS; +} + +StatusCode HGTD_DetectorElementCondAlg::execute(const EventContext& ctx) const +{ + ATH_MSG_DEBUG("execute " << name()); + + // ____________ Construct Write Cond Handle and check its validity ____________ + SG::WriteCondHandle<InDetDD::HGTD_DetectorElementCollection> writeHandle{m_writeKey, ctx}; + + // Do we have a valid Write Cond Handle for current time? + if (writeHandle.isValid()) { + ATH_MSG_DEBUG("CondHandle " << writeHandle.fullKey() << " is already valid." + << ". In theory this should not be called, but may happen" + << " if multiple concurrent events are being processed out of order."); + return StatusCode::SUCCESS; + } + + const InDetDD::HGTD_DetectorElementCollection* oldColl{m_detManager->getDetectorElementCollection()}; + if (oldColl==nullptr) { + ATH_MSG_FATAL("Null pointer is returned by getDetectorElementCollection()"); + return StatusCode::FAILURE; + } + + // ____________ Construct new Write Cond Object ____________ + std::unique_ptr<InDetDD::HGTD_DetectorElementCollection> writeCdo{std::make_unique<InDetDD::HGTD_DetectorElementCollection>()}; + + // Make sure we make a mixed IOV. + writeHandle.addDependency (IOVInfiniteRange::infiniteMixed()); + + // ____________ Update writeCdo ____________ + std::map<const InDetDD::HGTD_DetectorElement*, const InDetDD::HGTD_DetectorElement*> oldToNewMap; + oldToNewMap[nullptr] = nullptr; + writeCdo->resize(oldColl->size(), nullptr); + InDetDD::HGTD_DetectorElementCollection::iterator newEl{writeCdo->begin()}; + for (const InDetDD::HGTD_DetectorElement* oldEl: *oldColl) { + *newEl = new InDetDD::HGTD_DetectorElement(oldEl->identify(), + &(oldEl->design()), + oldEl->GeoVDetectorElement::getMaterialGeom(), + oldEl->getCommonItems()); + oldToNewMap[oldEl] = *newEl; + ++newEl; + } + + // Set layer to surface + InDetDD::HGTD_DetectorElementCollection::const_iterator oldIt{oldColl->begin()}; + for (InDetDD::HGTD_DetectorElement* newEl: *writeCdo) { + if (oldToNewMap[(*oldIt)]!=newEl) { + ATH_MSG_ERROR("Old and new elements are not synchronized!"); + } + // Layer of old element is set by HGTDet::HGTD_LayerBuilderCond::registerSurfacesToLayer. + const Trk::Layer* layer{(*oldIt)->surface().associatedLayer()}; + if (layer) { + newEl->surface().associateLayer(*layer); + } + ++oldIt; + } + + // Apply alignment using readCdo passed to HGTD_DetectorElement + for (InDetDD::HGTD_DetectorElement* newEl: *writeCdo) { + newEl->setCache(); + } + + // Record WriteCondHandle + const std::size_t size{writeCdo->size()}; + if (writeHandle.record(std::move(writeCdo)).isFailure()) { + ATH_MSG_FATAL("Could not record " << writeHandle.key() + << " with EventRange " << writeHandle.getRange() + << " into Conditions Store"); + return StatusCode::FAILURE; + } + ATH_MSG_INFO("recorded new CDO " << writeHandle.key() << " with range " << writeHandle.getRange() + << " with size of " << size << " into Conditions Store"); + + return StatusCode::SUCCESS; +} diff --git a/HighGranularityTimingDetector/HGTD_Conditions/HGTD_ConditionsAlgorithms/src/HGTD_DetectorElementCondAlg.h b/HighGranularityTimingDetector/HGTD_Conditions/HGTD_ConditionsAlgorithms/src/HGTD_DetectorElementCondAlg.h new file mode 100644 index 0000000000000000000000000000000000000000..07e6724d9928510abec83400a76f467307982ede --- /dev/null +++ b/HighGranularityTimingDetector/HGTD_Conditions/HGTD_ConditionsAlgorithms/src/HGTD_DetectorElementCondAlg.h @@ -0,0 +1,42 @@ +// -*- C++ -*- +/* + Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration +*/ + +#ifndef HGTD_CONDITIONSALGORITHMS_HGTD_DETECTORELEMENTCONDALG_H +#define HGTD_CONDITIONSALGORITHMS_HGTD_DETECTORELEMENTCONDALG_H + +#include "AthenaBaseComps/AthReentrantAlgorithm.h" + +#include "GeoPrimitives/GeoPrimitives.h" +#include "HGTD_ReadoutGeometry/HGTD_DetectorElementCollection.h" +#include "StoreGate/ReadCondHandleKey.h" +#include "StoreGate/WriteCondHandleKey.h" +#include "StoreGate/CondHandleKeyArray.h" + +#include "GaudiKernel/ICondSvc.h" + +class HGTD_DetectorManager; + +class HGTD_DetectorElementCondAlg : public AthReentrantAlgorithm +{ + public: + HGTD_DetectorElementCondAlg(const std::string& name, ISvcLocator* pSvcLocator); + virtual ~HGTD_DetectorElementCondAlg() override = default; + + virtual StatusCode initialize() override; + virtual StatusCode execute(const EventContext& ctx) const override; + /** Make this algorithm clonable. */ + virtual bool isClonable() const override { return true; }; + + private: + SG::WriteCondHandleKey<InDetDD::HGTD_DetectorElementCollection> m_writeKey + {this, "WriteKey", "HGTD_DetectorElementCollection", "Key of output HGTD_DetectorElementCollection for HGTD"}; + + ServiceHandle<ICondSvc> m_condSvc{this, "CondSvc", "CondSvc"}; + + StringProperty m_detManagerName{this, "DetManagerName", "HGTD", "Name of the DeterctorManager to retrieve"}; + const HGTD_DetectorManager* m_detManager{nullptr}; +}; + +#endif // HGTD_CONDITIONSALGORITHMS_HGTD_DETECTORELEMENTCONDALG_H diff --git a/HighGranularityTimingDetector/HGTD_Conditions/HGTD_ConditionsAlgorithms/src/components/HGTD_ConditionsAlgorithms_entries.cxx b/HighGranularityTimingDetector/HGTD_Conditions/HGTD_ConditionsAlgorithms/src/components/HGTD_ConditionsAlgorithms_entries.cxx new file mode 100644 index 0000000000000000000000000000000000000000..d0a586dc5e548b30a57765126eeef31e7a3e7d93 --- /dev/null +++ b/HighGranularityTimingDetector/HGTD_Conditions/HGTD_ConditionsAlgorithms/src/components/HGTD_ConditionsAlgorithms_entries.cxx @@ -0,0 +1,3 @@ +#include "../HGTD_DetectorElementCondAlg.h" + +DECLARE_COMPONENT( HGTD_DetectorElementCondAlg ) diff --git a/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_GeoModel/CMakeLists.txt b/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_GeoModel/CMakeLists.txt index c994a49e15942cfbf86ac745ac4064b548b9fc13..81c9d0c9c4f952aad5e164b97fcc782fa53c4695 100644 --- a/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_GeoModel/CMakeLists.txt +++ b/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_GeoModel/CMakeLists.txt @@ -22,4 +22,5 @@ atlas_add_component( HGTD_GeoModel src/components/*.cxx LINK_LIBRARIES GaudiKernel HGTD_GeoModelLib ) -atlas_install_python_modules( python/*.py ) +# Install files from the package: +atlas_install_python_modules( python/*.py POST_BUILD_CMD ${ATLAS_FLAKE8} ) diff --git a/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_GeoModel/HGTD_GeoModel/HGTD_DetectorFactory.h b/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_GeoModel/HGTD_GeoModel/HGTD_DetectorFactory.h index ac9294f1c1988af626de8aac522d4855838cf549..d1a83345fb11e2e54dc36dbee8e1b1227a9ee7e8 100644 --- a/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_GeoModel/HGTD_GeoModel/HGTD_DetectorFactory.h +++ b/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_GeoModel/HGTD_GeoModel/HGTD_DetectorFactory.h @@ -15,6 +15,7 @@ namespace InDetDD { class HGTD_ModuleDesign; + class SiCommonItems; } class GeoTube ; @@ -121,6 +122,8 @@ public: std::map<std::string,GeoCylVolParams> m_cylVolPars; std::map<std::string,GeoBoxVolParams> m_boxVolPars; HgtdGeoParams m_hgtdPars; + + std::unique_ptr<const InDetDD::SiCommonItems> m_commonItems; }; } // End HGTDGeo namespace diff --git a/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_GeoModel/python/HGTD_GeoModelConfig.py b/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_GeoModel/python/HGTD_GeoModelConfig.py index 8909c7113ce1f53b051b19a33f1ad715dc88e67a..5601cdb1aabf4249b969ada84c8ce7825941ad97 100644 --- a/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_GeoModel/python/HGTD_GeoModelConfig.py +++ b/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_GeoModel/python/HGTD_GeoModelConfig.py @@ -1,16 +1,22 @@ # Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration -from AthenaConfiguration.ComponentFactory import CompFactory - def HGTD_GeometryCfg(flags): from AtlasGeoModel.GeoModelConfig import GeoModelCfg acc = GeoModelCfg(flags) geoModelSvc = acc.getPrimary() + from AthenaConfiguration.ComponentFactory import CompFactory hgtdDetectorTool = CompFactory.HGTD_DetectorTool("HGTD_DetectorTool") hgtdDetectorTool.Alignable = False hgtdDetectorTool.DetectorName = "HGTD" hgtdDetectorTool.PrintModuleNumberPerRow = False geoModelSvc.DetectorTools += [ hgtdDetectorTool ] + + return acc +def HGTD_ReadoutGeometryCfg(flags): + # main GeoModel config + acc = HGTD_GeometryCfg(flags) + from HGTD_ConditionsAlgorithms.HGTD_ConditionsAlgorithmsConfig import HGTD_DetectorElementCondAlgCfg + acc.merge(HGTD_DetectorElementCondAlgCfg(flags)) return acc diff --git a/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_GeoModel/src/HGTD_DetectorFactory.cxx b/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_GeoModel/src/HGTD_DetectorFactory.cxx index 21fa1d6eb171b0e090ee865f0bc9ea828b775dea..9bd767910e7afa32e92af0264f3ffd201a27fdd8 100644 --- a/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_GeoModel/src/HGTD_DetectorFactory.cxx +++ b/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_GeoModel/src/HGTD_DetectorFactory.cxx @@ -81,7 +81,10 @@ HGTD_DetectorFactory::HGTD_DetectorFactory( HGTD_GeoModelAthenaComps* athComps ) // fail already here if no HGTD info exists in db ATH_MSG_ERROR( "No HGTD child tag in global geo tag. HGTD will not be built."); } - + + // Create SiCommonItems. These are items that are shared by all elements + m_commonItems = std::make_unique<const InDetDD::SiCommonItems>(m_athComps->getIdHelper()); + // temporarily hardcode the HGTD version to build until the geo db has been updated with tables for 3-ring layout // m_geomVersion = 0; // two-ring layout m_geomVersion = 1; // three-ring layout @@ -128,6 +131,9 @@ void HGTD_DetectorFactory::create(GeoPhysVol* world) { GeoVPhysVol* endcapNeg = build( negativeEndcapLogicalVolume, false); world->add( endcapNeg ); m_detectorManager->addTreeTop( endcapNeg ); + + // Add SiCommonItems to HGTD_DetectorManager to hold and delete it. + m_detectorManager->setCommonItems(std::move(m_commonItems)); return; } @@ -618,10 +624,6 @@ GeoVPhysVol* HGTD_DetectorFactory::build( const GeoLogVol* logicalEnvelope, bool mirrorPositionsAroundYaxis(positions); - // for now create the SiCommonItems here - // These are items that are shared by all detector elements - std::unique_ptr<SiCommonItems> commonItems{std::make_unique<SiCommonItems>(m_athComps->getIdHelper())}; - for (int layer = 0; layer < 4; layer++) { if (m_outputIdfr) cout << "Layer #" << layer << std::endl; // select from front vs back side of a disk @@ -715,7 +717,7 @@ GeoVPhysVol* HGTD_DetectorFactory::build( const GeoLogVol* logicalEnvelope, bool ATH_MSG_DEBUG( " HGTD Module: " << m_boxVolPars[c].name+module_string << ", posX: " << myx << ", posY: " << myy << ", rot: " << quadrot + myrot ); } - InDetDD::HGTD_DetectorElement* detElement = new InDetDD::HGTD_DetectorElement(idwafer, moduleDesign, sensorCompPhysicalVol, commonItems.get()); + InDetDD::HGTD_DetectorElement* detElement = new InDetDD::HGTD_DetectorElement(idwafer, moduleDesign, sensorCompPhysicalVol, m_commonItems.get()); m_detectorManager->addDetectorElement( detElement ); GeoTrf::Transform3D sensorTransform = GeoTrf::TranslateZ3D(m_boxVolPars[c].zOffsetLocal)*GeoTrf::TranslateX3D(xOffsetLocal); @@ -756,9 +758,6 @@ GeoVPhysVol* HGTD_DetectorFactory::build( const GeoLogVol* logicalEnvelope, bool ATH_MSG_DEBUG( "Done placing modules for layer " << layer ); } - // Add SiCommonItems to HGTD_DetectorManager to hold and delete it. - m_detectorManager->setCommonItems(std::move(commonItems)); - ATH_MSG_INFO( "**************************************************" ); ATH_MSG_INFO( " Done building HGTD with " << totMod <<" modules " ); ATH_MSG_INFO( "**************************************************" ); diff --git a/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_ReadoutGeometry/CMakeLists.txt b/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_ReadoutGeometry/CMakeLists.txt index 13f03e08620557b6c0cf4ee5ccf003ab1883e9b5..356410c6faf66dae92840d844348236597e2c8b3 100644 --- a/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_ReadoutGeometry/CMakeLists.txt +++ b/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_ReadoutGeometry/CMakeLists.txt @@ -15,4 +15,4 @@ atlas_add_library( HGTD_ReadoutGeometry INCLUDE_DIRS ${CLHEP_INCLUDE_DIRS} ${EIGEN_INCLUDE_DIRS} DEFINITIONS ${CLHEP_DEFINITIONS} LINK_LIBRARIES ${CLHEP_LIBRARIES} ${EIGEN_LIBRARIES} AthenaBaseComps AthenaKernel SGTools AtlasDetDescr GeoPrimitives Identifier ReadoutGeometryBase GaudiKernel HGTD_Identifier TrkSurfaces StoreGateLib SGtests - PRIVATE_LINK_LIBRARIES AthenaPoolUtilities DetDescrConditions IdDictDetDescr ) + PRIVATE_LINK_LIBRARIES AthenaPoolUtilities DetDescrConditions IdDictDetDescr GeoModelUtilities) diff --git a/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_ReadoutGeometry/HGTD_ReadoutGeometry/ATLAS_CHECK_THREAD_SAFETY b/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_ReadoutGeometry/HGTD_ReadoutGeometry/ATLAS_CHECK_THREAD_SAFETY new file mode 100644 index 0000000000000000000000000000000000000000..9e705a27fa57305b71a5ad00b12c1b7b717a6fd0 --- /dev/null +++ b/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_ReadoutGeometry/HGTD_ReadoutGeometry/ATLAS_CHECK_THREAD_SAFETY @@ -0,0 +1 @@ +HighGranularityTimingDetector/HGTD_DetDescr/HGTD_ReadoutGeometry diff --git a/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_ReadoutGeometry/HGTD_ReadoutGeometry/HGTD_DetectorElement.h b/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_ReadoutGeometry/HGTD_ReadoutGeometry/HGTD_DetectorElement.h index c7dd5380084eecb4f3acab429740fc0d996263a2..9614e51032e3c9ead9e2f3a185c86323c22f52d0 100644 --- a/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_ReadoutGeometry/HGTD_ReadoutGeometry/HGTD_DetectorElement.h +++ b/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_ReadoutGeometry/HGTD_ReadoutGeometry/HGTD_DetectorElement.h @@ -48,7 +48,8 @@ public: HGTD_DetectorElement(const Identifier &id, const HGTD_ModuleDesign *design, const GeoVFullPhysVol *geophysvol, - SiCommonItems * commonItems); + const SiCommonItems * commonItems, + const GeoAlignmentStore* geoAlignStore=nullptr); /// Destructor: virtual ~HGTD_DetectorElement(); diff --git a/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_ReadoutGeometry/HGTD_ReadoutGeometry/HGTD_DetectorElementCollection.h b/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_ReadoutGeometry/HGTD_ReadoutGeometry/HGTD_DetectorElementCollection.h index cc6bcb957a89af64ae1936d47d1573fecfd80c7c..045e097b33e087d938fb974c3a2aa9c0863fb83d 100644 --- a/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_ReadoutGeometry/HGTD_ReadoutGeometry/HGTD_DetectorElementCollection.h +++ b/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_ReadoutGeometry/HGTD_ReadoutGeometry/HGTD_DetectorElementCollection.h @@ -14,6 +14,8 @@ #include <vector> +class IdentifierHash; + namespace InDetDD { class HGTD_DetectorElement; @@ -24,9 +26,14 @@ namespace InDetDD { */ - class HGTD_DetectorElementCollection : public std::vector<HGTD_DetectorElement *> -{}; + class HGTD_DetectorElementCollection : public std::vector<HGTD_DetectorElement *> + {}; } // namespace InDetDD +#include "AthenaKernel/CLASS_DEF.h" +CLASS_DEF( InDetDD::HGTD_DetectorElementCollection, 1266958207, 1) +#include "AthenaKernel/CondCont.h" +CONDCONT_MIXED_DEF( InDetDD::HGTD_DetectorElementCollection, 1258619755); + #endif // HGTD_READOUTGEOMETRY_HGTD_DETECTORELEMENTCOLLECTION_H diff --git a/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_ReadoutGeometry/HGTD_ReadoutGeometry/HGTD_DetectorManager.h b/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_ReadoutGeometry/HGTD_ReadoutGeometry/HGTD_DetectorManager.h index b21fcfd106de327e5212439ec2573c7ee0e48ed6..b32c19e7bdbd31b44a0ab547d5f79ae7aa4fbcf3 100644 --- a/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_ReadoutGeometry/HGTD_ReadoutGeometry/HGTD_DetectorManager.h +++ b/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_ReadoutGeometry/HGTD_ReadoutGeometry/HGTD_DetectorManager.h @@ -18,8 +18,7 @@ #include "HGTD_Identifier/HGTD_ID.h" // Message Stream Member -#include "AthenaKernel/MsgStreamMember.h" - +#include "AthenaBaseComps/AthMessaging.h" class StoreGateSvc; @@ -31,7 +30,7 @@ class StoreGateSvc; */ -class HGTD_DetectorManager : public GeoVDetectorManager { +class HGTD_DetectorManager : public GeoVDetectorManager, public AthMessaging { public: /** Constructor */ @@ -79,13 +78,7 @@ public: /** Set SiCommonItems */ void setCommonItems(std::unique_ptr<const InDetDD::SiCommonItems>&& commonItems); - - /** Declaring the Message method for further use */ - MsgStream& msg (MSG::Level lvl) const { return m_msg.get() << lvl; } - - /** Declaring the Method providing Verbosity Level */ - bool msgLvl (MSG::Level lvl) const { return m_msg.get().level() <= lvl; } - + private: /** Prevent copy and assignment */ @@ -101,9 +94,6 @@ private: std::unique_ptr<const InDetDD::SiCommonItems> m_commonItems; - //Declaring private message stream member. - mutable Athena::MsgStreamMember m_msg; - }; #ifndef GAUDI_NEUTRAL diff --git a/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_ReadoutGeometry/src/HGTD_DetectorElement.cxx b/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_ReadoutGeometry/src/HGTD_DetectorElement.cxx index 8ab6a5e8e6eaee58f71e46a9ada768733feff5fe..09b8d1c898d58a47f8d2681e70489fa6d18fe995 100644 --- a/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_ReadoutGeometry/src/HGTD_DetectorElement.cxx +++ b/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_ReadoutGeometry/src/HGTD_DetectorElement.cxx @@ -6,6 +6,7 @@ #include "HGTD_Identifier/HGTD_ID.h" #include "GeoModelKernel/GeoVFullPhysVol.h" +#include "GeoModelUtilities/GeoAlignmentStore.h" #include "AtlasDetDescr/AtlasDetectorID.h" #include "TrkSurfaces/PlaneSurface.h" @@ -16,8 +17,9 @@ namespace InDetDD { HGTD_DetectorElement::HGTD_DetectorElement(const Identifier &id, const HGTD_ModuleDesign *design, const GeoVFullPhysVol *geophysvol, - SiCommonItems * commonItems) : - SolidStateDetectorElementBase(id, design, geophysvol, commonItems), + const SiCommonItems * commonItems, + const GeoAlignmentStore* geoAlignStore) : + SolidStateDetectorElementBase(id, design, geophysvol, commonItems, geoAlignStore), m_design(design) { const HGTD_ID* hgtdId = dynamic_cast<const HGTD_ID *>(getIdHelper()); diff --git a/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_ReadoutGeometry/src/HGTD_DetectorManager.cxx b/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_ReadoutGeometry/src/HGTD_DetectorManager.cxx index 6771ea6c051cc148f69236e55e55beec796a1a45..0062ea66cc9a2cc1bcba722c05616bbbf2b29643 100644 --- a/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_ReadoutGeometry/src/HGTD_DetectorManager.cxx +++ b/HighGranularityTimingDetector/HGTD_DetDescr/HGTD_ReadoutGeometry/src/HGTD_DetectorManager.cxx @@ -12,7 +12,8 @@ using InDetDD::HGTD_DetectorElement; using InDetDD::SiCommonItems; HGTD_DetectorManager::HGTD_DetectorManager(StoreGateSvc* detStore) - : m_idHelper(0) + : AthMessaging(Athena::getMessageSvc(), "HGTD_DetectorManager"), + m_idHelper(0) { setName("HGTD"); diff --git a/HighGranularityTimingDetector/HGTD_Reconstruction/HGTD_TrackingGeometry/CMakeLists.txt b/HighGranularityTimingDetector/HGTD_Reconstruction/HGTD_TrackingGeometry/CMakeLists.txt new file mode 100644 index 0000000000000000000000000000000000000000..a06cd4eb7307a29b4f0ff8a88503f2eb2067a0c6 --- /dev/null +++ b/HighGranularityTimingDetector/HGTD_Reconstruction/HGTD_TrackingGeometry/CMakeLists.txt @@ -0,0 +1,21 @@ +################################################################################ +# Package: HGTD_TrackingGeometry +################################################################################ + +# Declare the package name: +atlas_subdir( HGTD_TrackingGeometry ) + +# External dependencies: +find_package( Boost ) +find_package( GeoModel COMPONENTS GeoModelKernel ) + +# Component(s) in the package: +atlas_add_component( HGTD_TrackingGeometry + src/*.cxx + src/components/*.cxx + PUBLIC_HEADERS HGTD_TrackingGeometry + INCLUDE_DIRS ${Boost_INCLUDE_DIRS} + LINK_LIBRARIES ${Boost_LIBRARIES} ${GEOMODEL_LIBRARIES} AthenaBaseComps GeoPrimitives GaudiKernel TrkDetDescrInterfaces TrkDetDescrUtils TrkGeometry StoreGateLib HGTD_Identifier HGTD_ReadoutGeometry TrkSurfaces SubDetectorEnvelopesLib) + +# Install files from the package: +#atlas_install_python_modules( python/*.py POST_BUILD_CMD ${ATLAS_FLAKE8} ) diff --git a/HighGranularityTimingDetector/HGTD_Reconstruction/HGTD_TrackingGeometry/HGTD_TrackingGeometry/ATLAS_CHECK_THREAD_SAFETY b/HighGranularityTimingDetector/HGTD_Reconstruction/HGTD_TrackingGeometry/HGTD_TrackingGeometry/ATLAS_CHECK_THREAD_SAFETY new file mode 100644 index 0000000000000000000000000000000000000000..8c631e46b4d979f5fb194c7266e212a944bb1e4a --- /dev/null +++ b/HighGranularityTimingDetector/HGTD_Reconstruction/HGTD_TrackingGeometry/HGTD_TrackingGeometry/ATLAS_CHECK_THREAD_SAFETY @@ -0,0 +1 @@ +HighGranularityTimingDetector/HGTD_Reconstruction/HGTD_TrackingGeometry diff --git a/HighGranularityTimingDetector/HGTD_Reconstruction/HGTD_TrackingGeometry/HGTD_TrackingGeometry/HGTD_LayerBuilderCond.h b/HighGranularityTimingDetector/HGTD_Reconstruction/HGTD_TrackingGeometry/HGTD_TrackingGeometry/HGTD_LayerBuilderCond.h new file mode 100644 index 0000000000000000000000000000000000000000..eee9ae6251abf04c772a069e6e2fa2bcc0188058 --- /dev/null +++ b/HighGranularityTimingDetector/HGTD_Reconstruction/HGTD_TrackingGeometry/HGTD_TrackingGeometry/HGTD_LayerBuilderCond.h @@ -0,0 +1,133 @@ +/* + Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration +*/ + +/////////////////////////////////////////////////////////////////// +// HGTD_LayerBuilderCond.h, (c) ATLAS Detector software +/////////////////////////////////////////////////////////////////// + +#ifndef HGTD_TRACKINGGEOMETRY_HGTDLAYERBUILDERCOND_H +#define HGTD_TRACKINGGEOMETRY_HGTDLAYERBUILDERCOND_H + +// Athena +// Athena +#include "AthenaBaseComps/AthAlgTool.h" +#include "CxxUtils/checker_macros.h" +#include "HGTD_ReadoutGeometry/HGTD_DetectorElementCollection.h" + +// Amg +#include "GeoPrimitives/GeoPrimitives.h" +// Trk +#include "TrkDetDescrInterfaces/ILayerBuilderCond.h" +#include "TrkDetDescrUtils/SharedObject.h" +// STL +#include <vector> + +class HGTD_ID; +class HGTD_DetectorManager; + +#ifndef TRKDETDESCR_TAKESMALLERBIGGER +#define TRKDETDESCR_TAKESMALLERBIGGER +#define takeSmaller(current,test) current = current < test ? current : test +#define takeBigger(current,test) current = current > test ? current : test +#define takeSmallerBigger(cSmallest, cBiggest, test) takeSmaller(cSmallest, test); takeBigger(cBiggest, test) +#endif + +namespace Trk { + class Surface; + class CylinderLayer; + class DiscLayer; + class PlaneLayer; + class BinnedLayerMaterial; + typedef std::pair< SharedObject<const Surface>, Amg::Vector3D > SurfaceOrderPosition; +} + +namespace HGTDet { + + /** @class HGTD_LayerBuilderCond + + The HGTD_LayerBuilderCond parses the senstive detector elments and orders them onto a + Disc surface; no cylindrical layers are expected. + This implementation is based on what done in the SiLayerBuilderCond, adapted to the HGTD use case. + + */ + + class ATLAS_NOT_THREAD_SAFE HGTD_LayerBuilderCond : + public AthAlgTool, virtual public Trk::ILayerBuilderCond { + + public: + + /** AlgTool style constructor */ + HGTD_LayerBuilderCond(const std::string&,const std::string&,const IInterface*); + + /** Destructor */ + virtual ~HGTD_LayerBuilderCond(); + + /** AlgTool initialize method */ + StatusCode initialize(); + /** AlgTool finalize method */ + StatusCode finalize(); + + /** LayerBuilder interface method - returning Barrel-like layers */ + std::pair<EventIDRange, const std::vector< const Trk::CylinderLayer* >* > cylindricalLayers(const EventContext& ctx) const; + + /** LayerBuilder interface method - returning Endcap-like layers */ + std::pair<EventIDRange, const std::vector< const Trk::DiscLayer* >* > discLayers(const EventContext& ctx) const; + + /** LayerBuilder interface method - returning Planar-like layers */ + std::pair<EventIDRange, const std::vector< const Trk::PlaneLayer* >* > planarLayers(const EventContext& ctx) const; + + /** Name identification */ + const std::string& identification() const; + + private: + SG::ReadCondHandle<InDetDD::HGTD_DetectorElementCollection> retrieveHGTDdetElements(const EventContext& ctx) const; + + const Trk::BinnedLayerMaterial discLayerMaterial(double rMin, double rMax) const; //!< helper method to construct HGTD material + + void registerSurfacesToLayer(const std::vector<const Trk::Surface*>& surfaces, const Trk::Layer& layer) const; //!< layer association + + void evaluateBestBinning(std::vector<Trk::SurfaceOrderPosition>& surfaces, + std::vector<float>& rBins, float& maxRadius, + std::vector<std::vector<float>>& phiBins) const; + + const HGTD_DetectorManager* m_hgtdMgr; //!< the HGTD Detector Manager + const HGTD_ID* m_hgtdHelper; //!< HGTD Id Helper + + bool m_setLayerAssociation; //!< Set Layer Association + + std::string m_identification; //!< string identification + + int m_rBins; //!< set the number of bins + int m_phiBins; //!< set the number of bins + + float m_discEnvelopeR; //!< set disc envelope + float m_discThickness; //!< set disc thickness + + bool m_runGeometryValidation; //!< run geometry validation + + SG::ReadCondHandleKey<InDetDD::HGTD_DetectorElementCollection> m_HGTD_ReadKey{this, "HGTD_ReadKey", "HGTD_DetectorElementCollection", "Key of output HGTD_DetectorElementCollection for HGTD"}; + + }; + + inline std::pair<EventIDRange, const std::vector< const Trk::CylinderLayer* >* > HGTD_LayerBuilderCond::cylindricalLayers(const EventContext&) const + { + //create dummy infinite range + EventIDRange range; + return std::pair<EventIDRange, const std::vector< const Trk::CylinderLayer* >* >(range, 0); + } + + inline std::pair<EventIDRange, const std::vector< const Trk::PlaneLayer* >* > HGTD_LayerBuilderCond::planarLayers(const EventContext&) const + { + //create dummy infinite range + EventIDRange range; + return std::pair<EventIDRange, const std::vector< const Trk::PlaneLayer* >* >(range, 0); + } + + inline const std::string& HGTD_LayerBuilderCond::identification() const + { return m_identification; } + +} // end of namespace + + +#endif // HGTD_TRACKINGGEOMETRY_HGTDLAYERBUILDERCOND_H diff --git a/HighGranularityTimingDetector/HGTD_Reconstruction/HGTD_TrackingGeometry/HGTD_TrackingGeometry/HGTD_OverlapDescriptor.h b/HighGranularityTimingDetector/HGTD_Reconstruction/HGTD_TrackingGeometry/HGTD_TrackingGeometry/HGTD_OverlapDescriptor.h new file mode 100644 index 0000000000000000000000000000000000000000..bed7a9d5ab50bda1507807b1bd7bf50b331c65d4 --- /dev/null +++ b/HighGranularityTimingDetector/HGTD_Reconstruction/HGTD_TrackingGeometry/HGTD_TrackingGeometry/HGTD_OverlapDescriptor.h @@ -0,0 +1,94 @@ + +/* + Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration +*/ + +/////////////////////////////////////////////////////////////////// +// HGTD_OverlapDescriptor.h, (c) ATLAS Detector software +/////////////////////////////////////////////////////////////////// + +#ifndef HGTDET_HGTDTRACKINGGEOMETRY_HGTDOVERLAPDESCRIPTOR +#define HGTDET_HGTDTRACKINGGEOMETRY_HGTDOVERLAPDESCRIPTOR + +// Trk +#include "TrkGeometry/OverlapDescriptor.h" +// Trk inlcude +#include "TrkDetDescrUtils/BinnedArray.h" +#include "TrkDetDescrUtils/Intersection.h" +// STL include +#include <atomic> + +namespace Trk { + class Surface; +} + +namespace InDetDD { + class HGTD_DetectorElement; +} + +class HGTD_ID; + +namespace HGTDet { + + /** @class HGTD_OverlapDescriptor + * Class to describe overlaps in the HGTD detector. + * It extends the Trk::OverlapDescriptor base class. + * + * There are two interface methods, one provides the most probably overlapcell, + * the second provides a list of overlap cells, based on an restricted area + * + */ + + class HGTD_OverlapDescriptor : public Trk::OverlapDescriptor { + public: + + /** Constructor */ + HGTD_OverlapDescriptor(const Trk::BinnedArray<Trk::Surface>* bin_array = nullptr, + std::vector < float > valuesR = {}, + std::vector < std::vector< float> > valuesPhi = {}, + int nStepsR=3, int nStepsPhi=10); + + /** Destructor */ + virtual ~HGTD_OverlapDescriptor() { + } + + ///Delete copy + HGTD_OverlapDescriptor(const HGTD_OverlapDescriptor &) = delete; + + ///Delete assignment + HGTD_OverlapDescriptor & operator=(const HGTD_OverlapDescriptor &) = delete; + + /**Pseudo-Constructor*/ + virtual HGTD_OverlapDescriptor* clone() const override; + + /** get the compatible surfaces + - return vector : surfaces + - primary bin surface : sf + - position & direction : pos, dir + */ + bool reachableSurfaces(std::vector<Trk::SurfaceIntersection>& surfaces, + const Trk::Surface& sf, + const Amg::Vector3D& pos, + const Amg::Vector3D& dir) const override; + + private: + bool dumpSurfaces(std::vector<Trk::SurfaceIntersection>& surfaces) const; + + float m_binSize; + const Trk::BinnedArray<Trk::Surface>* m_binnedArray; + std::vector < float > m_valuesR; + std::vector < std::vector< float> > m_valuesPhi; + int m_nStepsR; + int m_nStepsPhi; + mutable std::atomic<const HGTD_ID*> m_hgtdIdHelper{nullptr}; + + }; + + + inline HGTD_OverlapDescriptor* HGTD_OverlapDescriptor::clone() const { + return new HGTD_OverlapDescriptor(); + } + +} + +#endif // end of HGTDET_HGTDTRACKINGGEOMETRY_HGTDOVERLAPDESCRIPTOR diff --git a/HighGranularityTimingDetector/HGTD_Reconstruction/HGTD_TrackingGeometry/HGTD_TrackingGeometry/HGTD_TrackingGeometryBuilderCond.h b/HighGranularityTimingDetector/HGTD_Reconstruction/HGTD_TrackingGeometry/HGTD_TrackingGeometry/HGTD_TrackingGeometryBuilderCond.h new file mode 100644 index 0000000000000000000000000000000000000000..35d71e020c2e2bb9e5a943c60315d3abb50b65e4 --- /dev/null +++ b/HighGranularityTimingDetector/HGTD_Reconstruction/HGTD_TrackingGeometry/HGTD_TrackingGeometry/HGTD_TrackingGeometryBuilderCond.h @@ -0,0 +1,91 @@ +/* + Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration +*/ + +/////////////////////////////////////////////////////////////////// +// HGTD_TrackingGeometryBuilderCond.h (c) ATLAS Detector software +/////////////////////////////////////////////////////////////////// + +#ifndef HGTD_TRACKINGGEOMETRY_HGTD_TRACKINGGEOMETRYBUILDERCOND_H +#define HGTD_TRACKINGGEOMETRY_HGTD_TRACKINGGEOMETRYBUILDERCOND_H + +// Gaudi +#include "AthenaBaseComps/AthAlgTool.h" +#include "GaudiKernel/ToolHandle.h" +#include "GaudiKernel/ServiceHandle.h" +// Trk +#include "TrkDetDescrInterfaces/IGeometryBuilderCond.h" +#include "TrkDetDescrUtils/GeometrySignature.h" + +// STL +#include <vector> +#include <utility> +#include <algorithm> + +namespace Trk { + class Material; + class Layer; + class TrackingGeometry; + class ITrackingVolumeCreator; + class ILayerArrayCreator; + class ILayerBuilderCond; +} + +class IEnvelopeDefSvc; + +namespace HGTDet { + + class HGTD_TrackingGeometryBuilderCond : public AthAlgTool, + virtual public Trk::IGeometryBuilderCond { + + public: + /** Constructor */ + HGTD_TrackingGeometryBuilderCond(const std::string&,const std::string&,const IInterface*); + + /** Destructor */ + virtual ~HGTD_TrackingGeometryBuilderCond(); + + /** AlgTool initailize method.*/ + StatusCode initialize(); + + /** AlgTool finalize method */ + StatusCode finalize(); + + /** TrackingGeometry Interface methode */ + std::pair<EventIDRange, const Trk::TrackingGeometry*> trackingGeometry + ATLAS_NOT_THREAD_SAFE( + const EventContext& ctx, + std::pair<EventIDRange, const Trk::TrackingVolume*> tVolPair) const; + + /** The unique signature */ + Trk::GeometrySignature geometrySignature() const { return Trk::HGTD; } + + private: + /** Service to handle the envelope definition */ + ServiceHandle<IEnvelopeDefSvc> m_enclosingEnvelopeSvc; + /** Helper tools for the geometry building */ + ToolHandle<Trk::ILayerBuilderCond> m_layerBuilder; + /** Helper Tool to create TrackingVolumes */ + ToolHandle<Trk::ITrackingVolumeCreator> m_trackingVolumeCreator; + + /** configurations for the layer builder */ + /** forces robust indexing for layers */ + bool m_indexStaticLayers; + /** create boundary layers */ + bool m_buildBoundaryLayers; + /** run with replacement of all joint boundaries */ + bool m_replaceJointBoundaries; + /** binning type for layers */ + int m_layerBinningType; + /** Color code for layers */ + unsigned int m_colorCodeConfig; + + }; + + + +} // end of namespace + + + +#endif // HGTD_TRACKINGGEOMETRY_HGTD_TRACKINGGEOMETRYBUILDERCOND_H diff --git a/HighGranularityTimingDetector/HGTD_Reconstruction/HGTD_TrackingGeometry/src/HGTD_LayerBuilderCond.cxx b/HighGranularityTimingDetector/HGTD_Reconstruction/HGTD_TrackingGeometry/src/HGTD_LayerBuilderCond.cxx new file mode 100644 index 0000000000000000000000000000000000000000..937085f499b84f61ea310bc03636221eaf0475ca --- /dev/null +++ b/HighGranularityTimingDetector/HGTD_Reconstruction/HGTD_TrackingGeometry/src/HGTD_LayerBuilderCond.cxx @@ -0,0 +1,444 @@ + +/* + Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration +*/ + +/////////////////////////////////////////////////////////////////// +// HGTD_LayerBuilderCond.cxx, (c) ATLAS Detector software +/////////////////////////////////////////////////////////////////// + +#include "HGTD_TrackingGeometry/HGTD_LayerBuilderCond.h" +#include "HGTD_TrackingGeometry/HGTD_OverlapDescriptor.h" +//HGTD include +#include "HGTD_ReadoutGeometry/HGTD_DetectorManager.h" +#include "HGTD_ReadoutGeometry/HGTD_DetectorElement.h" +#include "HGTD_ReadoutGeometry/HGTD_DetectorElementCollection.h" +#include "HGTD_Identifier/HGTD_ID.h" + +// Trk inlcude +#include "TrkDetDescrUtils/BinUtility.h" +#include "TrkDetDescrUtils/BinnedArray1D1D.h" +#include "TrkDetDescrUtils/BinnedArray2D.h" +#include "TrkDetDescrUtils/BinnedArray1D.h" +#include "TrkDetDescrUtils/GeometryStatics.h" +#include "TrkGeometry/LayerMaterialProperties.h" +#include "TrkGeometry/BinnedLayerMaterial.h" +#include "TrkGeometry/HomogeneousLayerMaterial.h" +#include "TrkGeometry/MaterialProperties.h" +#include "TrkGeometry/CylinderLayer.h" +#include "TrkGeometry/DiscLayer.h" +#include "TrkGeometry/DiscLayer.h" +#include "TrkSurfaces/Surface.h" +#include "TrkSurfaces/DiscBounds.h" +// GeoModel +#include "GeoModelKernel/GeoLogVol.h" +#include "GeoModelKernel/GeoVFullPhysVol.h" +#include "GeoModelKernel/GeoMaterial.h" +// Gaudi +#include "GaudiKernel/ISvcLocator.h" +#include "GaudiKernel/SystemOfUnits.h" +#include "GaudiKernel/SmartDataPtr.h" +// Athena +#include "AthenaKernel/IOVInfiniteRange.h" +// STL +#include <map> + +// constructor +HGTDet::HGTD_LayerBuilderCond::HGTD_LayerBuilderCond(const std::string& t, const std::string& n, const IInterface* p) : + AthAlgTool(t,n,p), + m_hgtdMgr(nullptr), + m_hgtdHelper(nullptr), + m_setLayerAssociation(true), + m_identification("HGTD"), + m_rBins(50), + m_phiBins(100), + m_discEnvelopeR(50.), + m_discThickness(0.2), + m_runGeometryValidation(true) +{ + declareInterface<Trk::ILayerBuilderCond>(this); + // general steering + declareProperty("SetLayerAssociation" , m_setLayerAssociation); + // identification + declareProperty("Identification" , m_identification); + // set some parameters + declareProperty("DiscMaterialBinsR" , m_rBins); + declareProperty("DiscMaterialBinsPhi" , m_phiBins); + declareProperty("DiscEnvelope" , m_discEnvelopeR); + declareProperty("DiscThickness" , m_discThickness); + // validation + declareProperty("RunValidation" , m_runGeometryValidation); +} + +// destructor +HGTDet::HGTD_LayerBuilderCond::~HGTD_LayerBuilderCond() +{} + +// Athena standard methods +// initialize +StatusCode HGTDet::HGTD_LayerBuilderCond::initialize() +{ + + ATH_MSG_DEBUG( "initialize()" ); + // get HGTD Detector Description Manager and HGTD Helper + ATH_CHECK(detStore()->retrieve(m_hgtdMgr, "HGTD")); + ATH_CHECK(detStore()->retrieve(m_hgtdHelper, "HGTD_ID")); + + // get HGTD detector element collection + ATH_CHECK(m_HGTD_ReadKey.initialize()); + + return StatusCode::SUCCESS; +} + +// finalize +StatusCode HGTDet::HGTD_LayerBuilderCond::finalize() +{ + ATH_MSG_DEBUG( "finalize() successful" ); + return StatusCode::SUCCESS; +} + +SG::ReadCondHandle<InDetDD::HGTD_DetectorElementCollection> HGTDet::HGTD_LayerBuilderCond::retrieveHGTDdetElements(const EventContext& ctx) const +{ + auto readHandle = SG::ReadCondHandle<InDetDD::HGTD_DetectorElementCollection> (m_HGTD_ReadKey, ctx); + if (*readHandle==nullptr) { + ATH_MSG_ERROR("Null pointer to the read conditions object of " << m_HGTD_ReadKey.key()); + } + return readHandle; +} + + +/** LayerBuilder interface method - returning Endcap-like layers */ +std::pair<EventIDRange, const std::vector<const Trk::DiscLayer*>*> HGTDet::HGTD_LayerBuilderCond::discLayers(const EventContext& ctx) const +{ + ATH_MSG_DEBUG( "calling HGTDet::HGTD_LayerBuilderCond::discLayers()" ); + + // sanity check for HGTD Helper + if (!m_hgtdHelper){ + ATH_MSG_ERROR("HGTD Detector Manager or ID Helper could not be retrieved - giving up."); + //create dummy infinite range + EventIDRange range = IOVInfiniteRange::infiniteMixed(); + return std::pair<EventIDRange, const std::vector<const Trk::DiscLayer*>*>(range,nullptr); + } + + // get general layout + SG::ReadCondHandle<InDetDD::HGTD_DetectorElementCollection> readHandle = retrieveHGTDdetElements(ctx); + if(*readHandle == nullptr){ + EventIDRange range = IOVInfiniteRange::infiniteMixed(); + return std::pair<EventIDRange, std::vector<const Trk::DiscLayer*>*>(range,nullptr); + } + const InDetDD::HGTD_DetectorElementCollection* readCdo{*readHandle}; + InDetDD::HGTD_DetectorElementCollection::const_iterator hgtdDetIter = readCdo->begin(); + + // loop on all modules (selecting only one endcap side) + // and evaluates the number of discs + // assuming you have the same number of modules on both sides + int nlayers = 0; + for (; hgtdDetIter != readCdo->end(); hgtdDetIter++){ + Identifier currentId((*hgtdDetIter)->identify()); + // skipping negative side + if (m_hgtdHelper->endcap(currentId)<0) continue; + if (m_hgtdHelper->layer(currentId)>nlayers) + nlayers++; + } + // adding one layer offset + nlayers+=1; + + ATH_MSG_DEBUG( "Configured to build " << nlayers << " *2 disc-like layers (+ additional support layers)." ); + + // prepare the vectors + std::vector<float> discZpos(2*nlayers,0.); + std::vector< std::vector<Trk::SurfaceOrderPosition> > discSurfaces(2*nlayers, std::vector<Trk::SurfaceOrderPosition>()); + + int hgtdModules = 0; + int sumCheckhgtdModules = 0; + unsigned int currentlayer = 0; + float maxRmax = -std::numeric_limits<float>::max(); + float minRmin = std::numeric_limits<float>::max(); + + // get the missing dimensions by loop over DetElements + hgtdDetIter = readCdo->begin(); + for (; hgtdDetIter != readCdo->end(); hgtdDetIter++){ + // take it - if + // a) you have a detector element ... protection + if ( (*hgtdDetIter) ) { + // get the identifier + Identifier currentId((*hgtdDetIter)->identify()); + + ATH_MSG_DEBUG("Element : " << m_hgtdHelper->endcap(currentId) << "/" << m_hgtdHelper->layer(currentId) << "/" << m_hgtdHelper->eta_module(currentId) << "/" << m_hgtdHelper->phi_module(currentId)); + + // increase the counter of HGTD modules + hgtdModules++; + + // parse all z positions for the mean value of the discs + float currentZ = (*hgtdDetIter)->center().z(); + //calculate current layer and current disk from it + currentlayer = m_hgtdHelper->layer(currentId); + // adding the numbe of layers per side as offset + currentlayer += currentZ > 0. ? nlayers : 0; + ATH_MSG_DEBUG( " ---- layer: " << currentlayer ); + + // evaluate the z-position per layer + // all modules on the same HGTD layer have the same z + discZpos[currentlayer] = currentZ; + + // evaluate the r-extension per layer + float currentRmin = (*hgtdDetIter)->rMin(); + float currentRmax = (*hgtdDetIter)->rMax(); + ATH_MSG_DEBUG( " ---- rmin/rmax: " << currentRmin << "/" << currentRmax ); + if (maxRmax<currentRmax) + maxRmax = currentRmax; + if (minRmin>currentRmin) + minRmin = currentRmin; + + // fill the elements for the layers into the surface arrays + // get the center position + const Amg::Vector3D& orderPosition = (*hgtdDetIter)->center(); + + // register the chosen side in the object array + Trk::SharedObject<const Trk::Surface> sharedSurface(&((*hgtdDetIter)->surface()), [](const Trk::Surface*){}); + Trk::SurfaceOrderPosition surfaceOrder(sharedSurface, orderPosition); + + discSurfaces[currentlayer].push_back(surfaceOrder); + + } else if (!(*hgtdDetIter)) + ATH_MSG_WARNING("Not valid pointer to HGTD Detector element... something wrong with the Id dictionary?"); + } + + // adding some envelope + maxRmax += m_discEnvelopeR; + minRmin -= m_discEnvelopeR; + + // construct the layers + std::vector< const Trk::DiscLayer* >* discLayers = new std::vector< const Trk::DiscLayer* >; + + double thickness = m_discThickness; + + int discCounter = 0; + for (auto& thisDiscZpos : discZpos) { + // screen output + ATH_MSG_DEBUG( "Building a DiscLayer: " ); + ATH_MSG_DEBUG( " -> At Z - Position : " << thisDiscZpos ); + ATH_MSG_DEBUG( " -> With Thickness : " << thickness << " i- ncludes envelope tolerance : " << m_discEnvelopeR ); + ATH_MSG_DEBUG( " -> With Rmin/Rmax (est) : " << minRmin << " / " << maxRmax ); + + ATH_MSG_DEBUG( "... creating binned array ... "); + + std::vector<float> rBins = {minRmin}; + std::vector<std::vector<float>> phiBins = {{}}; + + evaluateBestBinning(discSurfaces[discCounter], rBins, maxRmax, phiBins); + + // Build the BinUtilities using the bins defined at construction + // the extension is provided in the previous loop + Trk::BinUtility* BinUtilityR = new Trk::BinUtility(rBins, Trk::open, Trk::binR); + std::vector<Trk::BinUtility*>* subBinUtilitiesPhi = new std::vector<Trk::BinUtility*>; + ATH_MSG_DEBUG("BinUtilityR --> " << *BinUtilityR ); + + for (unsigned int bin = 0; bin < rBins.size()-1; bin++) { + Trk::BinUtility* BinUtilityY = new Trk::BinUtility(phiBins.at(bin), Trk::closed, Trk::binPhi); + subBinUtilitiesPhi->push_back(BinUtilityY); + ATH_MSG_DEBUG(bin << ") BinUtilityPhi --> " << *BinUtilityY ); + } + + // prepare the binned array, it can be with one to several rings + Trk::BinnedArray<Trk::Surface>* currentBinnedArray = new Trk::BinnedArray1D1D<Trk::Surface>(discSurfaces[discCounter], BinUtilityR, subBinUtilitiesPhi); + + ATH_MSG_DEBUG( "... done!" ); + + int discSurfacesNum = (discSurfaces[discCounter]).size(); + + ATH_MSG_DEBUG( "Constructed BinnedArray for DiscLayer with "<< discSurfacesNum << " SubSurfaces." ); + + // always run the geometry validation to catch flaws + if (m_runGeometryValidation) { + // checking for : + // - empty surface bins + // - doubly filled bins + std::map< const Trk::Surface*,Amg::Vector3D > uniqueSurfaceMap; + std::map< const Trk::Surface*,Amg::Vector3D >::iterator usmIter = uniqueSurfaceMap.end(); + // check the registered surfaces in the binned array + const std::vector<const Trk::Surface*>& arraySurfaces = currentBinnedArray->arrayObjects(); + size_t dsumCheckSurfaces = 0; + double lastPhi = 0.; + for (auto& asurfIter : arraySurfaces){ + if ( asurfIter ) { + ++dsumCheckSurfaces; + usmIter = uniqueSurfaceMap.find(asurfIter); + lastPhi = asurfIter->center().phi(); + if ( usmIter != uniqueSurfaceMap.end() ) + ATH_MSG_WARNING("Non-unique surface found with eta/phi = " << asurfIter->center().eta() << " / " << asurfIter->center().phi()); + else uniqueSurfaceMap[asurfIter] = asurfIter->center(); + } + else { + ATH_MSG_WARNING("Zero-pointer in array detected in this ring, last valid phi value was = " << lastPhi << " --> discCounter: " << discCounter); + } + } + sumCheckhgtdModules += dsumCheckSurfaces; + } + + // get the layer material from the helper method + const Trk::LayerMaterialProperties& layerMaterial = discLayerMaterial(minRmin,maxRmax); + + /// position & bounds of the active Layer + Amg::Transform3D activeLayerTransform ; + activeLayerTransform = Amg::Translation3D(0.,0.,thisDiscZpos); + + Trk::DiscBounds* activeLayerBounds = new Trk::DiscBounds(minRmin, maxRmax); + + Trk::OverlapDescriptor* olDescriptor = new HGTD_OverlapDescriptor(currentBinnedArray, + rBins, phiBins); + + // layer creation; deletes currentBinnedArray in baseclass 'Layer' upon destruction + // activeLayerTransform deleted in 'Surface' baseclass + Trk::DiscLayer* activeLayer = new Trk::DiscLayer(activeLayerTransform, + activeLayerBounds, + currentBinnedArray, + layerMaterial, + thickness, + olDescriptor); + + // register the layer to the surfaces + const std::vector<const Trk::Surface*>& layerSurfaces = currentBinnedArray->arrayObjects(); + registerSurfacesToLayer(layerSurfaces,*activeLayer); + discLayers->push_back(activeLayer); + // increase the disc counter by one + ++discCounter; + } + + // + ATH_MSG_DEBUG( hgtdModules << " HGTD Modules parsed for Disc Layer dimensions." ); + if (m_runGeometryValidation) { + ATH_MSG_DEBUG( sumCheckhgtdModules << " HGTD Modules filled in Disc Layer Arrays." ); + if ( hgtdModules-sumCheckhgtdModules ) + ATH_MSG_WARNING( hgtdModules-sumCheckhgtdModules << " Modules not registered properly in binned array." ); + } + + // sort the vector + Trk::DiscLayerSorterZ zSorter; + std::sort(discLayers->begin(), discLayers->end(), zSorter); + + EventIDRange range = readHandle.getRange(); + return std::make_pair(range, discLayers); +} + + +const Trk::BinnedLayerMaterial HGTDet::HGTD_LayerBuilderCond::discLayerMaterial(double rMin, double rMax) const +{ + Trk::BinUtility layerBinUtilityR(m_rBins, rMin, rMax, Trk::open, Trk::binR); + Trk::BinUtility layerBinUtilityPhi(m_phiBins, -M_PI, M_PI, Trk::closed, Trk::binPhi); + layerBinUtilityR += layerBinUtilityPhi; + return Trk::BinnedLayerMaterial(layerBinUtilityR); +} + +void HGTDet::HGTD_LayerBuilderCond::registerSurfacesToLayer(const std::vector<const Trk::Surface*>& layerSurfaces, const Trk::Layer& lay) const +{ + if (!m_setLayerAssociation) return; + // register the surfaces to the layer + for (auto& surfaces : layerSurfaces) { + if (surfaces) { + // register the current surfaces -------------------------------------------------------- + // Needs care for Athena MT + Trk::ILayerBuilderCond::associateLayer(lay, const_cast<Trk::Surface&>(*surfaces)); + } + } + return; +} + +void HGTDet::HGTD_LayerBuilderCond::evaluateBestBinning(std::vector<Trk::SurfaceOrderPosition>& surfaces, + std::vector<float>& rBins, float& maxRadius, + std::vector<std::vector<float>>& phiBins) const +{ + // get all the centers (r,phi), as you want to play with them + std::vector < std::pair< float, float> > centers = {}; + centers.reserve(surfaces.size()); + for ( auto& orderedSurface : surfaces) { + centers.push_back(std::make_pair(orderedSurface.second.perp(), orderedSurface.second.phi())); + } + + // sorting the centers accordingly to r + std::sort(centers.begin(), centers.end(), + [](const std::pair< float, float>& a, const std::pair< float, float>& b) -> bool { + return a.first < b.first; + }); + + // at the beginning use a fine binning in phi + // it is updated later to fit the amount of surfaces + // once you have defined a bin in radius + int bins = 100; + float step = 2*M_PI/float(bins); + std::vector<float> finerBinning = {}; + finerBinning.reserve(bins); + + for (int bin = 0; bin<=bins; bin++) { + finerBinning.push_back(-M_PI+step*bin); + } + + // use this vector to save the indices and + // guess when you have to add + // an additional bin in r + std::vector<int> phiIndices = {}; + std::vector<float> tmpRadii = {}; + + for (auto& center : centers) { + float phi = center.second; + const auto boundVal = std::lower_bound(finerBinning.begin(), finerBinning.end(), phi); + int phiIndex = std::distance(finerBinning.begin(), boundVal); + // if the element fits in the given r bin, add it, + // otherwise reset the indices and start a new r bin + if (std::find(phiIndices.begin(), phiIndices.end(), phiIndex)==phiIndices.end()) { + phiIndices.push_back(phiIndex); + tmpRadii.push_back(center.first); + } else { + phiIndices.clear(); + for (unsigned int index = (tmpRadii.size()-1); index>0; index--) { + auto& prevRadius = tmpRadii.at(index); + if ( std::abs(prevRadius - center.first)<1e-5 ) { + const auto boundVal = std::lower_bound(finerBinning.begin(), finerBinning.end(), phi); + int phiIndex = std::distance(finerBinning.begin(), boundVal); + phiIndices.push_back(phiIndex); + continue; + } else { + float r = 0.5*(prevRadius+center.first); + rBins.push_back(r); + tmpRadii = {prevRadius}; + break; + } + } + } + } + + rBins.push_back(maxRadius); + + // now we have the best binning in r and want to + // map the centers accordingly to this + std::vector< std::vector < float > > binnedCenters = {{}}; + + for (auto& center : centers) { + float r = center.first; + float phi = center.second; + const auto boundVal = std::lower_bound(rBins.begin(), rBins.end(), r); + int rIndex = std::distance(rBins.begin(), boundVal); + if (int(binnedCenters.size())<rIndex) + binnedCenters.push_back({phi}); + else + binnedCenters.back().push_back(phi); + } + + // now that we have the centers binned in r, we evaluate the best + // bin in phi for each of those bins + bool isFirst = true; + for (auto& centersInBin : binnedCenters) { + // sorting the centers accordingly to phi_bins + std::sort(centersInBin.begin(), centersInBin.end()); + if (isFirst) { + phiBins.back().push_back(-M_PI); + isFirst=false; + } else phiBins.push_back({-M_PI}); + for (unsigned int index = 0; index<(centersInBin.size()-1); index++) { + float phi = 0.5*(centersInBin.at(index)+centersInBin.at(index+1)); + phiBins.back().push_back(phi); + } + } + + return; +} diff --git a/HighGranularityTimingDetector/HGTD_Reconstruction/HGTD_TrackingGeometry/src/HGTD_OverlapDescriptor.cxx b/HighGranularityTimingDetector/HGTD_Reconstruction/HGTD_TrackingGeometry/src/HGTD_OverlapDescriptor.cxx new file mode 100644 index 0000000000000000000000000000000000000000..00d31a2f7088f418c3f55a366295ec84e786a8df --- /dev/null +++ b/HighGranularityTimingDetector/HGTD_Reconstruction/HGTD_TrackingGeometry/src/HGTD_OverlapDescriptor.cxx @@ -0,0 +1,111 @@ + +/* + Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration +*/ + +/////////////////////////////////////////////////////////////////// +// HGTD_OverlapDescriptor.cxx, (c) ATLAS Detector software +/////////////////////////////////////////////////////////////////// + +// Amg +#include "GeoPrimitives/GeoPrimitives.h" +// HGTD +#include "HGTD_TrackingGeometry/HGTD_OverlapDescriptor.h" +#include "HGTD_Identifier/HGTD_ID.h" +// Trk +#include "TrkSurfaces/Surface.h" +// +#include "StoreGate/StoreGateSvc.h" +#include "Identifier/Identifier.h" + + +HGTDet::HGTD_OverlapDescriptor::HGTD_OverlapDescriptor(const Trk::BinnedArray<Trk::Surface>* bin_array, + std::vector < float > valuesR, + std::vector < std::vector< float> > valuesPhi, + int nStepsR, int nStepsPhi): + m_binnedArray(bin_array), + m_valuesR(valuesR), + m_valuesPhi(valuesPhi), + m_nStepsR(nStepsR), + m_nStepsPhi(nStepsPhi) +{} + +/** get the compatible surfaces */ +bool HGTDet::HGTD_OverlapDescriptor::reachableSurfaces(std::vector<Trk::SurfaceIntersection>& surfaces, + const Trk::Surface& tsf, + const Amg::Vector3D& pos, + const Amg::Vector3D&) const + +{ + surfaces.push_back(Trk::SurfaceIntersection(Trk::Intersection(pos, 0., true),&tsf)); + + // add the other targets + // use the center of this surface in (x,y) global coordinates and look for + // adjactent ones in the binutiliy + + float centerR = tsf.center().perp(); + float centerPhi = tsf.center().phi(); + + std::vector<const Trk::Surface*> allSurfaces = {}; + + const auto rBoundVal = std::lower_bound(m_valuesR.begin(), m_valuesR.end(), centerR); + int rIndex = std::distance(m_valuesR.begin(), rBoundVal); + + for (int stepR=-m_nStepsR; stepR<=m_nStepsR; stepR++) { + int index_r = rIndex+stepR; + if (index_r>=0 and index_r<int(m_valuesR.size()-1)) { + const auto phiBoundVal = std::lower_bound(m_valuesPhi.at(index_r).begin(), m_valuesPhi.at(index_r).end(), centerPhi); + int phiIndex = std::distance(m_valuesPhi.at(index_r).begin(), phiBoundVal); + for (int stepPhi=-m_nStepsPhi; stepPhi<=m_nStepsPhi; stepPhi++) { + int index_phi = phiIndex+stepPhi; + if (index_phi<0) + index_phi = int(m_valuesPhi.at(index_r).size())+index_phi; + else if (index_phi>int(m_valuesPhi.at(index_r).size()-1)) + index_phi = index_phi-int(m_valuesPhi.at(index_r).size()); + float pos_r = 0.5*(m_valuesR.at(index_r)+m_valuesR.at(index_r+1)); + float pos_phi = 0.; + if (index_phi == int(m_valuesPhi.at(index_r).size()-1)) + pos_phi = 0.5*(m_valuesPhi.at(index_r).at(index_phi)+M_PI); + else + pos_phi = 0.5*(m_valuesPhi.at(index_r).at(index_phi)+m_valuesPhi.at(index_r).at(index_phi+1)); + const Trk::Surface* surf = m_binnedArray->object(Amg::Vector2D(pos_r, pos_phi)); + if (surf and std::find(allSurfaces.begin(), allSurfaces.end(), surf) == allSurfaces.end()) { + allSurfaces.push_back(surf); + } + } + } + } + + for (auto& surface : allSurfaces) + surfaces.push_back(Trk::SurfaceIntersection(Trk::Intersection(Amg::Vector3D(0.,0.,0.),0.,true),surface)); + + return false; +} + + +bool HGTDet::HGTD_OverlapDescriptor::dumpSurfaces(std::vector<Trk::SurfaceIntersection>& surfaces) const { + + if (m_hgtdIdHelper==nullptr) { + // Get Storegate, ID helpers, and so on + ISvcLocator* svcLocator = Gaudi::svcLocator(); + + // get DetectorStore service + StoreGateSvc* detStore; + if (svcLocator->service("DetectorStore",detStore).isFailure()) { + return false; + } + + const HGTD_ID* hgtdIdHelper = nullptr; + if (detStore->retrieve(hgtdIdHelper, "HGTD_ID").isFailure()) { + return false; + } + m_hgtdIdHelper = hgtdIdHelper; + } + + std::cout << "Dumping Surfaces for HGTD with size = " << surfaces.size() << std::endl; + for (unsigned int surf = 0; surf < surfaces.size(); surf++) { + Identifier hitId = ((surfaces.at(surf)).object)->associatedDetectorElementIdentifier(); + std::cout << "barrel_ec " << m_hgtdIdHelper.load()->endcap(hitId) << ", layer_disk " << m_hgtdIdHelper.load()->layer(hitId) << ", phi_module " << m_hgtdIdHelper.load()->phi_module(hitId) << ", eta_module " << m_hgtdIdHelper.load()->eta_module(hitId) << std::endl; + } + return true; +} diff --git a/HighGranularityTimingDetector/HGTD_Reconstruction/HGTD_TrackingGeometry/src/HGTD_TrackingGeometryBuilderCond.cxx b/HighGranularityTimingDetector/HGTD_Reconstruction/HGTD_TrackingGeometry/src/HGTD_TrackingGeometryBuilderCond.cxx new file mode 100644 index 0000000000000000000000000000000000000000..12fbe232f9044d024bf4b05ff9ee715d74424698 --- /dev/null +++ b/HighGranularityTimingDetector/HGTD_Reconstruction/HGTD_TrackingGeometry/src/HGTD_TrackingGeometryBuilderCond.cxx @@ -0,0 +1,331 @@ +/* + Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration +*/ + +//////////////////////////////////////////////////////////////////// +// HGTD_TrackingGeometryBuilderCond.cxx, (c) ATLAS Detector software +/////////////////////////////////////////////////////////////////// + +// HGTDet +#include "HGTD_TrackingGeometry/HGTD_TrackingGeometryBuilderCond.h" +// EnvelopeDefinitionService +#include "SubDetectorEnvelopes/IEnvelopeDefSvc.h" +// Trk interfaces +#include "TrkDetDescrInterfaces/ILayerBuilderCond.h" +#include "TrkDetDescrInterfaces/ITrackingVolumeCreator.h" +#include "TrkDetDescrInterfaces/ILayerArrayCreator.h" +#include "TrkDetDescrUtils/BinnedArray.h" +#include "TrkDetDescrUtils/BinnedArray1D1D.h" +#include "TrkDetDescrUtils/SharedObject.h" +#include "TrkDetDescrUtils/BinUtility.h" +#include "TrkDetDescrUtils/GeometryStatics.h" +#include "TrkGeometry/TrackingGeometry.h" +#include "TrkGeometry/TrackingVolume.h" +#include "TrkGeometry/GlueVolumesDescriptor.h" +#include "TrkGeometry/Material.h" +#include "TrkGeometry/BinnedMaterial.h" +#include "TrkGeometry/MaterialProperties.h" +#include "TrkGeometry/DiscLayer.h" +#include "TrkGeometry/HomogeneousLayerMaterial.h" +#include "TrkGeometry/AlignableTrackingVolume.h" +#include "TrkVolumes/VolumeBounds.h" +#include "TrkVolumes/CylinderVolumeBounds.h" +#include "TrkSurfaces/DiscBounds.h" +#include "TrkSurfaces/DiscSurface.h" +// Athena +#include "AthenaKernel/IOVInfiniteRange.h" +#include "CxxUtils/checker_macros.h" +//Gaudi +#include "GaudiKernel/SystemOfUnits.h" +#include "GaudiKernel/MsgStream.h" +#include <boost/lexical_cast.hpp> +#include <algorithm> + +// constructor +HGTDet::HGTD_TrackingGeometryBuilderCond::HGTD_TrackingGeometryBuilderCond(const std::string& t, const std::string& n, const IInterface* p) : + AthAlgTool(t,n,p), + m_enclosingEnvelopeSvc("AtlasEnvelopeDefSvc", n), + m_trackingVolumeCreator("Trk::CylinderVolumeCreator/CylinderVolumeCreator"), + m_indexStaticLayers(true), + m_buildBoundaryLayers(true), + m_replaceJointBoundaries(true), + m_layerBinningType(2), + m_colorCodeConfig(3) +{ + declareInterface<Trk::IGeometryBuilderCond>(this); + // envelope definition service + declareProperty("EnvelopeDefinitionSvc", m_enclosingEnvelopeSvc ); + declareProperty("LayerBuilder", m_layerBuilder); + declareProperty("TrackingVolumeCreator", m_trackingVolumeCreator); + + declareProperty("IndexStaticLayers", m_indexStaticLayers); + declareProperty("BuildBoundaryLayers", m_buildBoundaryLayers); + declareProperty("ReplaceAllJointBoundaries", m_replaceJointBoundaries); + declareProperty("LayerBinningType", m_layerBinningType); + declareProperty("ColorCode", m_colorCodeConfig); + +} + +// destructor +HGTDet::HGTD_TrackingGeometryBuilderCond::~HGTD_TrackingGeometryBuilderCond() +{ +} + +// Athena standard methods +// initialize +StatusCode HGTDet::HGTD_TrackingGeometryBuilderCond::initialize() +{ + // retrieve envelope definition service + ATH_CHECK(m_enclosingEnvelopeSvc.retrieve()); + + // retrieve the layer provider + ATH_CHECK(m_layerBuilder.retrieve()); + + // retrieve the volume creator + ATH_CHECK(m_trackingVolumeCreator.retrieve()); + + ATH_MSG_INFO( "initialize() succesful" ); + return StatusCode::SUCCESS; +} + +// finalize +StatusCode HGTDet::HGTD_TrackingGeometryBuilderCond::finalize() +{ + ATH_MSG_INFO( "finalize() successful" ); + return StatusCode::SUCCESS; +} + +std::pair<EventIDRange, const Trk::TrackingGeometry*> HGTDet::HGTD_TrackingGeometryBuilderCond::trackingGeometry ATLAS_NOT_THREAD_SAFE // Thread unsafe TrackingGeometry::indexStaticLayers method is used. +(const EventContext& ctx, std::pair<EventIDRange, const Trk::TrackingVolume*> tVolPair) const +{ + + ATH_MSG_VERBOSE( "Starting to build HGTD_TrackingGeometry ..." ); + + // the return TG + const Trk::TrackingGeometry* hgtdTrackingGeometry = 0; + + // the enclosed input volume (ID) + double enclosedInnerSectorHalflength = std::numeric_limits<float>::max(); + double enclosedOuterRadius = 0.; + double enclosedInnerRadius = 0.; + + //Start with a range covering 0 - inf, then narrow down + EventIDRange range = IOVInfiniteRange::infiniteMixed(); + + const Trk::TrackingVolume* innerVol = nullptr; + if(tVolPair.second != nullptr){ + range = tVolPair.first; + innerVol = tVolPair.second; + } + + if (innerVol) { + ATH_MSG_VERBOSE( "Got Inner Detector Volume: " << innerVol->volumeName() ); + innerVol->screenDump(msg(MSG::VERBOSE)); + + // retrieve dimensions + const Trk::CylinderVolumeBounds* innerDetectorBounds + = dynamic_cast<const Trk::CylinderVolumeBounds*>(&(innerVol->volumeBounds())); + if (!innerDetectorBounds) std::abort(); + + enclosedInnerSectorHalflength = innerDetectorBounds->halflengthZ(); + enclosedOuterRadius = innerDetectorBounds->outerRadius(); + enclosedInnerRadius = innerDetectorBounds->innerRadius(); + } + + float enclosedOuterSectorHalflength = std::numeric_limits<float>::max(); + // for the HGTD we only need the first envelope definition + for (auto& bounds : m_enclosingEnvelopeSvc->getCaloRZBoundary()) { + if (std::abs(bounds.second) < enclosedOuterSectorHalflength) { + enclosedOuterSectorHalflength = std::abs(bounds.second); + } + } + + // in case you have no inner volume you need to find the + // envelope extensions --> beampipe and HGTD + if (not innerVol) { + // from the beampipe envelope you get the inner z extension + for (auto& bounds : m_enclosingEnvelopeSvc->getBeamPipeRZBoundary()) { + if (std::abs(bounds.second) < enclosedInnerSectorHalflength) { + enclosedInnerSectorHalflength = std::abs(bounds.second); + } + } + // from the calo envelope you get the outer radius + for (auto& bounds : m_enclosingEnvelopeSvc->getCaloRZBoundary()) { + if (std::abs(bounds.second) == enclosedOuterSectorHalflength) { + if (bounds.first>enclosedOuterRadius) + enclosedOuterRadius=bounds.first; + } + } + } + + ATH_MSG_VERBOSE( "Got Dimensions Zmin/Rmin - Zmax/Rmax: " << enclosedInnerSectorHalflength << "/" << enclosedInnerRadius << " - " << enclosedOuterSectorHalflength << "/" << enclosedOuterRadius ); + + // prepare the layers + std::vector<const Trk::Layer*> negativeLayers; + std::vector<const Trk::Layer*> positiveLayers; + + std::pair<EventIDRange, const std::vector<const Trk::DiscLayer*>*> discLayersPair = m_layerBuilder->discLayers(ctx); + const auto *discLayers = discLayersPair.second; + + float maxZ = -9999.; + float minZ = 9999.; + float thickness = -9999; + + // loop and fill positive and negative Layers + if (discLayers && !discLayers->empty()){ + range=EventIDRange::intersect(range,discLayersPair.first); + // loop over and push into the return/cache vector + for (auto& discLayer : (*discLayers) ){ + // get the center posituion + float zpos = discLayer->surfaceRepresentation().center().z(); + if (zpos > 0) { + positiveLayers.push_back(discLayer); + // only saving layer info for positive side + // as the detector is simmetric + maxZ = std::max(maxZ, zpos); + minZ = std::min(minZ, zpos); + thickness = std::max(thickness, float(discLayer->thickness())); + } + else { + negativeLayers.push_back(discLayer); + } + } + } + + // memory cleanup + delete discLayers; + + float envelope = thickness*0.5; + float minZ_HGTD = minZ-envelope; + float maxZ_HGTD = maxZ+envelope; + float maxZ_HGTDEnclosure = enclosedOuterSectorHalflength; + + // dummy material property + auto materialProperties = std::make_unique<Trk::Material>(); + + float zGapPos = 0.5*(minZ_HGTD+enclosedInnerSectorHalflength); + float gapHalfLengthZ = 0.5*(minZ_HGTD-enclosedInnerSectorHalflength); + + // create the gap between the ID and the HGTD endcap volumes + Amg::Transform3D* negativeInnerGapTrans = new Amg::Transform3D(Amg::Translation3D(Amg::Vector3D(0.,0.,-zGapPos))); + Trk::CylinderVolumeBounds* negativeInnerGapBounds = new Trk::CylinderVolumeBounds(enclosedInnerRadius,enclosedOuterRadius,gapHalfLengthZ); + + const Trk::TrackingVolume * negativeInnerGapVolume = + new Trk::TrackingVolume(negativeInnerGapTrans, + negativeInnerGapBounds, + *materialProperties, + nullptr, nullptr, + m_layerBuilder->identification()+"::NegativeInnerGap"); + + Amg::Transform3D* positiveInnerGapTrans = new Amg::Transform3D(Amg::Translation3D(Amg::Vector3D(0.,0.,zGapPos))); + Trk::CylinderVolumeBounds* positiveInnerGapBounds = new Trk::CylinderVolumeBounds(enclosedInnerRadius,enclosedOuterRadius,gapHalfLengthZ); + + const Trk::TrackingVolume * positiveInnerGapVolume = + new Trk::TrackingVolume(positiveInnerGapTrans, + positiveInnerGapBounds, + *materialProperties, + nullptr, nullptr, + m_layerBuilder->identification()+"::PositiveInnerGap"); + + // create dummy inner volume if not built already + if (not innerVol) { + Trk::CylinderVolumeBounds* idBounds = new Trk::CylinderVolumeBounds(enclosedInnerRadius, + enclosedInnerSectorHalflength); + Amg::Transform3D* idTr = new Amg::Transform3D(Trk::s_idTransform); + // dummy objects + const Trk::LayerArray* dummyLayers = 0; + const Trk::TrackingVolumeArray* dummyVolumes = 0; + + innerVol = new Trk::TrackingVolume(idTr, idBounds, *materialProperties, + dummyLayers, dummyVolumes, + "HGTD::GapVolumes::DummyID"); + } + + std::vector<const Trk::TrackingVolume*> inBufferVolumes; + inBufferVolumes.push_back(negativeInnerGapVolume); + inBufferVolumes.push_back(innerVol); + inBufferVolumes.push_back(positiveInnerGapVolume); + + const Trk::TrackingVolume* inDetEnclosed = + m_trackingVolumeCreator->createContainerTrackingVolume(inBufferVolumes, + *materialProperties, + "HGTD::Container::EnclosedInnerDetector"); + + // create the tracking volumes + // create the three volumes + const Trk::TrackingVolume* negativeVolume = m_trackingVolumeCreator->createTrackingVolume(negativeLayers, + *materialProperties, + enclosedInnerRadius,enclosedOuterRadius, + -maxZ_HGTD, -minZ_HGTD, + m_layerBuilder->identification()+"::NegativeEndcap", + (Trk::BinningType)m_layerBinningType); + + + const Trk::TrackingVolume* positiveVolume = m_trackingVolumeCreator->createTrackingVolume(positiveLayers, + *materialProperties, + enclosedInnerRadius,enclosedOuterRadius, + minZ_HGTD, maxZ_HGTD, + m_layerBuilder->identification()+"::PositiveEndcap", + (Trk::BinningType)m_layerBinningType); + + // the base volumes have been created + ATH_MSG_VERBOSE('\t' << '\t'<< "Volumes have been created, now pack them into a triple."); + negativeVolume->registerColorCode(m_colorCodeConfig); + inDetEnclosed->registerColorCode(m_colorCodeConfig); + positiveVolume->registerColorCode(m_colorCodeConfig); + + // pack them together + std::vector<const Trk::TrackingVolume*> tripleVolumes; + tripleVolumes.push_back(negativeVolume); + tripleVolumes.push_back(inDetEnclosed); + tripleVolumes.push_back(positiveVolume); + + // create the tiple container + const Trk::TrackingVolume* tripleContainer = + m_trackingVolumeCreator->createContainerTrackingVolume(tripleVolumes, + *materialProperties, + "HGTD::Containers::"+m_layerBuilder->identification(), + m_buildBoundaryLayers, + m_replaceJointBoundaries); + + ATH_MSG_VERBOSE( '\t' << '\t'<< "Created container volume with bounds: " << tripleContainer->volumeBounds() ); + + // finally create the two endplates: negative + const Trk::TrackingVolume* negativeEnclosure = m_trackingVolumeCreator->createGapTrackingVolume(*materialProperties, + enclosedInnerRadius,enclosedOuterRadius, + -maxZ_HGTDEnclosure, -maxZ_HGTD, + 1, false, + "HGTD::Gaps::NegativeEnclosure"+m_layerBuilder->identification()); + + // finally create the two endplates: positive + const Trk::TrackingVolume* positiveEnclosure = m_trackingVolumeCreator->createGapTrackingVolume(*materialProperties, + enclosedInnerRadius,enclosedOuterRadius, + maxZ_HGTD,maxZ_HGTDEnclosure, + 1, false, + "HGTD::Gaps::PositiveEnclosure"+m_layerBuilder->identification()); + // and the final tracking volume + std::vector<const Trk::TrackingVolume*> enclosedVolumes; + enclosedVolumes.push_back(negativeEnclosure); + enclosedVolumes.push_back(tripleContainer); + enclosedVolumes.push_back(positiveEnclosure); + + const Trk::TrackingVolume* enclosedDetector = + m_trackingVolumeCreator->createContainerTrackingVolume(enclosedVolumes, + *materialProperties, + "HGTD::Detectors::"+m_layerBuilder->identification(), + m_buildBoundaryLayers, + m_replaceJointBoundaries); + + ATH_MSG_VERBOSE( '\t' << '\t'<< "Created enclosed HGTD volume with bounds: " << enclosedDetector->volumeBounds() ); + + // create the TrackingGeometry ------------------------------------------------------ + hgtdTrackingGeometry = new Trk::TrackingGeometry(enclosedDetector); + + if (m_indexStaticLayers and hgtdTrackingGeometry) + hgtdTrackingGeometry->indexStaticLayers( geometrySignature() ); + if (msgLvl(MSG::VERBOSE) && hgtdTrackingGeometry) + hgtdTrackingGeometry->printVolumeHierarchy(msg(MSG::VERBOSE)); + + return std::make_pair(range, hgtdTrackingGeometry); + +} diff --git a/HighGranularityTimingDetector/HGTD_Reconstruction/HGTD_TrackingGeometry/src/components/HGTD_TrackingGeometry_entries.cxx b/HighGranularityTimingDetector/HGTD_Reconstruction/HGTD_TrackingGeometry/src/components/HGTD_TrackingGeometry_entries.cxx new file mode 100644 index 0000000000000000000000000000000000000000..8ccb732be537d60b107d046260005dc9932e712a --- /dev/null +++ b/HighGranularityTimingDetector/HGTD_Reconstruction/HGTD_TrackingGeometry/src/components/HGTD_TrackingGeometry_entries.cxx @@ -0,0 +1,5 @@ +#include "HGTD_TrackingGeometry/HGTD_LayerBuilderCond.h" +#include "HGTD_TrackingGeometry/HGTD_TrackingGeometryBuilderCond.h" + +DECLARE_COMPONENT( HGTDet::HGTD_LayerBuilderCond ) +DECLARE_COMPONENT( HGTDet::HGTD_TrackingGeometryBuilderCond ) diff --git a/InnerDetector/InDetConditions/SCT_ConditionsTools/python/SCT_DCSConditionsConfig.py b/InnerDetector/InDetConditions/SCT_ConditionsTools/python/SCT_DCSConditionsConfig.py index fcacdc6cc9f6d40fcc6ed3046c2656b4a073ce4b..8d96f930baebf9dbdfa68c1ba672c402786c066d 100644 --- a/InnerDetector/InDetConditions/SCT_ConditionsTools/python/SCT_DCSConditionsConfig.py +++ b/InnerDetector/InDetConditions/SCT_ConditionsTools/python/SCT_DCSConditionsConfig.py @@ -11,6 +11,7 @@ SCT_DCSConditionsStatCondAlg=CompFactory.SCT_DCSConditionsStatCondAlg SCT_DCSConditionsHVCondAlg=CompFactory.SCT_DCSConditionsHVCondAlg SCT_DCSConditionsTempCondAlg=CompFactory.SCT_DCSConditionsTempCondAlg + def SCT_DCSConditionsCfg(flags, name="InDetSCT_DCSConditions", **kwargs): """Configure necessary condition folders, condition algorithms for SCT_DCSConditionsTool and return it. @@ -32,7 +33,7 @@ def SCT_DCSConditionsCfg(flags, name="InDetSCT_DCSConditions", **kwargs): acc.merge(addFolders(flags, stateFolder, dbInstance, className="CondAttrListCollection")) # algo statArgs = { - "name": name + "StatCondAlg", + "name": f"{name}StatCondAlg", "ReturnHVTemp": ReturnHVTemp, "ReadKeyHV": hvFolder, "ReadKeyState": stateFolder, @@ -41,9 +42,9 @@ def SCT_DCSConditionsCfg(flags, name="InDetSCT_DCSConditions", **kwargs): acc.addCondAlgo(statAlg) if ReturnHVTemp: acc.merge(addFolders(flags, [hvFolder, tempFolder], dbInstance, className="CondAttrListCollection")) - hvAlg = SCT_DCSConditionsHVCondAlg(name=name + "HVCondAlg", ReadKey=hvFolder) + hvAlg = SCT_DCSConditionsHVCondAlg(name=f"{name}HVCondAlg", ReadKey=hvFolder) acc.addCondAlgo(hvAlg) - tempAlg = SCT_DCSConditionsTempCondAlg(name=name + "TempCondAlg", ReadKey=tempFolder) + tempAlg = SCT_DCSConditionsTempCondAlg(name=f"{name}TempCondAlg", ReadKey=tempFolder) acc.addCondAlgo(tempAlg) # Condition tool @@ -51,6 +52,11 @@ def SCT_DCSConditionsCfg(flags, name="InDetSCT_DCSConditions", **kwargs): toolkwargs = {} toolkwargs["ReadAllDBFolders"] = ReadAllDBFolders toolkwargs["ReturnHVTemp"] = ReturnHVTemp - acc.setPrivateTools(SCT_DCSConditionsTool(name="InDetSCT_DCSConditionsTool", **toolkwargs)) + acc.setPrivateTools(SCT_DCSConditionsTool(name=f"{name}Tool", **toolkwargs)) return acc + + +def ITkStripDCSConditionsCfg(flags, name="ITkStripDCSConditions", **kwargs): + """Return a ComponentAccumulator configured for ITk Strip DCS Conditions""" + return SCT_DCSConditionsCfg(flags, name, **kwargs) diff --git a/InnerDetector/InDetConditions/SCT_ConditionsTools/python/SCT_SiliconConditionsConfig.py b/InnerDetector/InDetConditions/SCT_ConditionsTools/python/SCT_SiliconConditionsConfig.py index 9d6d6255901f2e70410c3a8ef472f03584cd293e..ff88648c1f7594be75b6cd18b408c3358c4d0b63 100644 --- a/InnerDetector/InDetConditions/SCT_ConditionsTools/python/SCT_SiliconConditionsConfig.py +++ b/InnerDetector/InDetConditions/SCT_ConditionsTools/python/SCT_SiliconConditionsConfig.py @@ -5,11 +5,12 @@ Copyright (C) 2002-2020 CERN for the benefit of the ATLAS collaboration from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator from AthenaConfiguration.ComponentFactory import CompFactory from AtlasGeoModel.GeoModelConfig import GeoModelCfg -from SCT_ConditionsTools.SCT_DCSConditionsConfig import SCT_DCSConditionsCfg +from SCT_ConditionsTools.SCT_DCSConditionsConfig import SCT_DCSConditionsCfg, ITkStripDCSConditionsCfg SCT_SiliconHVCondAlg=CompFactory.SCT_SiliconHVCondAlg SCT_SiliconTempCondAlg=CompFactory.SCT_SiliconTempCondAlg SCT_SiliconConditionsTool=CompFactory.SCT_SiliconConditionsTool + def SCT_SiliconConditionsCfg(flags, name="SCT_Silicon", **kwargs): """Return a ComponentAccumulator configured for SiliconConditions DB @@ -29,13 +30,22 @@ def SCT_SiliconConditionsCfg(flags, name="SCT_Silicon", **kwargs): # For SCT_ID used in SCT_SiliconHVCondAlg, # SCT_SiliconTempCondAlg and SCT_SiliconConditionsTool acc.merge(GeoModelCfg(flags)) - acc.addCondAlgo(SCT_SiliconHVCondAlg(name=name + "HVCondAlg", **algkwargs)) - acc.addCondAlgo(SCT_SiliconTempCondAlg(name=name + "TempCondAlg", **algkwargs)) + acc.addCondAlgo(SCT_SiliconHVCondAlg(name=f"{name}HVCondAlg", **algkwargs)) + acc.addCondAlgo(SCT_SiliconTempCondAlg(name=f"{name}TempCondAlg", **algkwargs)) # Condition tool toolkwargs = {} toolkwargs["UseDB"] = kwargs.get("UseDB", True) toolkwargs["ForceUseGeoModel"] = kwargs.get("ForceUseGeoModel", False) - acc.setPrivateTools(SCT_SiliconConditionsTool(name="SCT_SiliconConditionsTool", **toolkwargs)) + acc.setPrivateTools(SCT_SiliconConditionsTool(name=f"{name}ConditionsTool", **toolkwargs)) + + return acc + +def ITkStripSiliconConditionsCfg(flags, name="ITkStripSilicon", **kwargs): + """Return a ComponentAccumulator configured for ITk Strip SiliconConditions""" + acc = ComponentAccumulator() + kwargs["DCSConditionsTool"] = acc.popToolsAndMerge(ITkStripDCSConditionsCfg(flags)) + tool = acc.popToolsAndMerge(SCT_SiliconConditionsCfg(flags, name, **kwargs)) + acc.setPrivateTools(tool) return acc diff --git a/InnerDetector/InDetConditions/TRT_ConditionsAlgs/python/TRT_ConditionsAlgsConfig.py b/InnerDetector/InDetConditions/TRT_ConditionsAlgs/python/TRT_ConditionsAlgsConfig.py index 00dfe1b429a9052e210aa9d4e854ccb7f6630f32..972a6fee9d2abbae45359618234d2229622933fd 100644 --- a/InnerDetector/InDetConditions/TRT_ConditionsAlgs/python/TRT_ConditionsAlgsConfig.py +++ b/InnerDetector/InDetConditions/TRT_ConditionsAlgs/python/TRT_ConditionsAlgsConfig.py @@ -61,3 +61,24 @@ def TRTPhaseCondCfg(flags, name="TRTPhaseCondAlg", **kwargs): className='TRTCond::StrawT0MultChanContainer')) acc.addCondAlgo(CompFactory.TRTPhaseCondAlg(name, **kwargs)) return acc + + +def TRTToTCondAlgCfg(flags, name="TRTToTCondAlg", **kwargs): + """Return a ComponentAccumulator for TRTToTCondAlg algorithm""" + acc = ComponentAccumulator() + acc.merge(addFoldersSplitOnline(flags, "TRT", "/TRT/Onl/Calib/ToT/ToTVectors", "/TRT/Calib/ToT/ToTVectors", className="CondAttrListVec")) + acc.merge(addFoldersSplitOnline(flags, "TRT", "/TRT/Onl/Calib/ToT/ToTValue", "/TRT/Calib/ToT/ToTValue", className="CondAttrListCollection")) + + kwargs.setdefault("ToTWriteKey", "Dedxcorrection") + + acc.addCondAlgo(CompFactory.TRTToTCondAlg(name, **kwargs)) + return acc + + +def TRTHTCondAlgCfg(flags, name="TRTHTCondAlg", **kwargs): + """Return a ComponentAccumulator for TRTHTCondAlg algorithm""" + acc = ComponentAccumulator() + acc.merge(addFoldersSplitOnline(flags, "TRT", "/TRT/Onl/Calib/PID_vector", "/TRT/Calib/PID_vector", className="CondAttrListVec")) + kwargs.setdefault("HTWriteKey", "HTcalculator") + acc.addCondAlgo(CompFactory.TRTHTCondAlg(name, **kwargs)) + return acc diff --git a/InnerDetector/InDetConfig/python/TRTPreProcessing.py b/InnerDetector/InDetConfig/python/TRTPreProcessing.py index dccbb5cea02780172fa6ef4e67605ecefb4fa48d..2c99a2a96c51e0239c5b8737008b2d85c296859f 100644 --- a/InnerDetector/InDetConfig/python/TRTPreProcessing.py +++ b/InnerDetector/InDetConfig/python/TRTPreProcessing.py @@ -174,43 +174,7 @@ def TRT_DriftCircleToolCfg(flags, useTimeInfo, usePhase, prefix, name = "InDetTR acc.setPrivateTools(TRT_DriftCircleTool(name, **kwargs)) return acc -def TRT_LocalOccupancyCfg(flags, name = "InDet_TRT_LocalOccupancy", **kwargs): - acc = ComponentAccumulator() - # Calibration DB Service - from TRT_ConditionsServices.TRT_ConditionsServicesConfig import TRT_CalDbToolCfg - CalDbTool = acc.popToolsAndMerge(TRT_CalDbToolCfg(flags)) - acc.addPublicTool(CalDbTool) - # Straw status DB Tool - from TRT_ConditionsServices.TRT_ConditionsServicesConfig import TRT_StrawStatusSummaryToolCfg - InDetTRTStrawStatusSummaryTool = acc.popToolsAndMerge(TRT_StrawStatusSummaryToolCfg(flags)) - acc.addPublicTool(InDetTRTStrawStatusSummaryTool) - kwargs.setdefault("isTrigger", False) - kwargs.setdefault("TRTCalDbTool", CalDbTool) - kwargs.setdefault("TRTStrawStatusSummaryTool", InDetTRTStrawStatusSummaryTool) - - InDetTRT_LocalOccupancy = CompFactory.TRT_LocalOccupancy(name, **kwargs) - acc.setPrivateTools(InDetTRT_LocalOccupancy) - return acc -def TRTOccupancyIncludeCfg(flags, name = "InDetTRT_TRTOccupancyInclude", **kwargs): - acc = ComponentAccumulator() - # Calibration DB Service - from TRT_ConditionsServices.TRT_ConditionsServicesConfig import TRT_CalDbToolCfg - CalDbTool = acc.popToolsAndMerge(TRT_CalDbToolCfg(flags)) - acc.addPublicTool(CalDbTool) - # Straw status DB Tool - from TRT_ConditionsServices.TRT_ConditionsServicesConfig import TRT_StrawStatusSummaryToolCfg - InDetTRTStrawStatusSummaryTool = acc.popToolsAndMerge(TRT_StrawStatusSummaryToolCfg(flags)) - acc.addPublicTool(InDetTRTStrawStatusSummaryTool) - InDetTRT_LocalOccupancy = acc.popToolsAndMerge(TRT_LocalOccupancyCfg(flags)) - acc.addPublicTool(InDetTRT_LocalOccupancy) - kwargs.setdefault("isTrigger", False) - kwargs.setdefault("TRTCalDbTool", CalDbTool) - kwargs.setdefault("TRTStrawStatusSummaryTool", InDetTRTStrawStatusSummaryTool) - kwargs.setdefault("TRT_LocalOccupancyTool", InDetTRT_LocalOccupancy) - - acc.addEventAlgo(CompFactory.TRTOccupancyInclude(name, **kwargs)) - return acc def InDetTRT_RIO_MakerCfg(flags, useTimeInfo, usePhase, prefix, collection, name = "InDetTRT_RIO_Maker", **kwargs): acc = ComponentAccumulator() @@ -294,7 +258,8 @@ def TRTPreProcessingCfg(flags, useTimeInfo = True, usePhase = False, **kwargs): # Include alg to save the local occupancy inside xAOD::EventInfo # if flags.InDet.doTRTGlobalOccupancy: - acc.merge(TRTOccupancyIncludeCfg(flags, name = prefix +"TRTOccupancyInclude")) + from InDetConfig.TRT_ElectronPidToolsConfig import TRTOccupancyIncludeCfg + acc.merge(TRTOccupancyIncludeCfg(flags, name=prefix + "TRTOccupancyInclude")) # # --- we need to do truth association if requested (not for uncalibrated hits in cosmics) # diff --git a/InnerDetector/InDetConfig/python/TRTStandaloneConfig.py b/InnerDetector/InDetConfig/python/TRTStandaloneConfig.py index 087b80ba8d9fe0b6a38a0ba9c0c524c9033b613c..6c633dc256d8a4f37410de5c211d1e61da5d5a71 100644 --- a/InnerDetector/InDetConfig/python/TRTStandaloneConfig.py +++ b/InnerDetector/InDetConfig/python/TRTStandaloneConfig.py @@ -243,29 +243,17 @@ if __name__ == "__main__": top_acc.merge(TC.PixelClusterNnWithTrackCondAlgCfg(ConfigFlags)) ### ### - top_acc.merge(addFoldersSplitOnline(ConfigFlags, "TRT", "/TRT/Onl/Calib/PID_vector", "/TRT/Calib/PID_vector", className='CondAttrListVec')) - # HT probability algorithm - TRTHTCondAlg = CompFactory.TRTHTCondAlg(name = "TRTHTCondAlg", HTWriteKey = "HTcalculator") - top_acc.addCondAlgo(TRTHTCondAlg) - ### - ### top_acc.merge(addFoldersSplitOnline(ConfigFlags, "PIXEL", "/PIXEL/PixdEdx", "/PIXEL/PixdEdx", className='AthenaAttributeList')) PixeldEdxAlg = CompFactory.PixeldEdxAlg(name="PixeldEdxAlg", ReadFromCOOL = True) top_acc.addCondAlgo(PixeldEdxAlg) ### - from TRT_ConditionsAlgs.TRT_ConditionsAlgsConfig import TRTStrawCondAlgCfg + from TRT_ConditionsAlgs.TRT_ConditionsAlgsConfig import TRTStrawCondAlgCfg, TRTToTCondAlg, TRTHTCondAlgCfg top_acc.merge(TRTStrawCondAlgCfg(ConfigFlags)) + top_acc.merge(TRTToTCondAlg(ConfigFlags)) + top_acc.merge(TRTHTCondAlgCfg(ConfigFlags)) - ### - ### - top_acc.merge(addFoldersSplitOnline(ConfigFlags, "TRT", "/TRT/Onl/Calib/ToT/ToTVectors", "/TRT/Calib/ToT/ToTVectors", className='CondAttrListVec')) - top_acc.merge(addFoldersSplitOnline(ConfigFlags, "TRT", "/TRT/Onl/Calib/ToT/ToTValue", "/TRT/Calib/ToT/ToTValue", className='CondAttrListCollection')) - - TRTToTCondAlg = CompFactory.TRTToTCondAlg( name = "TRTToTCondAlg", - ToTWriteKey = "Dedxcorrection") - top_acc.addCondAlgo(TRTToTCondAlg) ### ### from SiLorentzAngleTool.PixelLorentzAngleConfig import PixelLorentzAngleTool, PixelLorentzAngleCfg diff --git a/InnerDetector/InDetConfig/python/TRT_ElectronPidToolsConfig.py b/InnerDetector/InDetConfig/python/TRT_ElectronPidToolsConfig.py new file mode 100644 index 0000000000000000000000000000000000000000..608e47d60272e4df51221f5c434018304f7769c6 --- /dev/null +++ b/InnerDetector/InDetConfig/python/TRT_ElectronPidToolsConfig.py @@ -0,0 +1,72 @@ +# Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration +from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator +from AthenaConfiguration.ComponentFactory import CompFactory + + +def TRT_LocalOccupancyCfg(flags, name="TRT_LocalOccupancy", **kwargs): + acc = ComponentAccumulator() + from TRT_ConditionsServices.TRT_ConditionsServicesConfig import TRT_CalDbToolCfg + CalDbTool = acc.popToolsAndMerge(TRT_CalDbToolCfg(flags)) + acc.addPublicTool(CalDbTool) # public as it is has many clients to save some memory + kwargs.setdefault("TRTCalDbTool", CalDbTool) + + from TRT_ConditionsServices.TRT_ConditionsServicesConfig import TRT_StrawStatusSummaryToolCfg + StrawStatusTool = acc.popToolsAndMerge(TRT_StrawStatusSummaryToolCfg(flags)) + acc.addPublicTool(StrawStatusTool) # public as it is has many clients to save some memory + kwargs.setdefault("TRTStrawStatusSummaryTool", StrawStatusTool ) + + from TRT_ConditionsAlgs.TRT_ConditionsAlgsConfig import TRTStrawCondAlgCfg + acc.merge(TRTStrawCondAlgCfg(flags)) + + kwargs.setdefault("isTrigger", False) + + if "TRT_DriftCircleCollection" not in kwargs: + # TODO: Drift circles + pass + + acc.setPrivateTools(CompFactory.InDet.TRT_LocalOccupancy(name, **kwargs)) + return acc + + +def TRT_OverlayLocalOccupancyCfg(flags, name="TRT_OverlayLocalOccupancy", **kwargs): + """Return a ComponentAccumulator for overlay TRT_LocalOccupancy Tool""" + kwargs.setdefault("TRT_DriftCircleCollection", "") + return TRT_LocalOccupancyCfg(flags, name, **kwargs) + + +def TRTOccupancyIncludeCfg(flags, name="TRTOccupancyInclude", **kwargs): + acc = ComponentAccumulator() + tool = acc.popToolsAndMerge(TRT_LocalOccupancyCfg(flags)) + acc.addPublicTool(tool) + kwargs.setdefault("TRT_LocalOccupancyTool", tool) + acc.addEventAlgo(CompFactory.TRTOccupancyInclude(name, **kwargs)) + return acc + + +def TRT_dEdxToolCfg(flags, name="TRT_dEdxTool", **kwargs): + from TRT_ConditionsAlgs.TRT_ConditionsAlgsConfig import TRTToTCondAlgCfg + acc = TRTToTCondAlgCfg(flags) + + kwargs.setdefault("TRT_dEdx_isData", not flags.Input.isMC) + kwargs.setdefault("TRT_LocalOccupancyTool", acc.popToolsAndMerge(TRT_LocalOccupancyCfg(flags))) + + acc.setPrivateTools(CompFactory.TRT_ToT_dEdx(name, **kwargs)) + return acc + + +def TRT_ElectronPidToolCfg(flags, name="TRT_ElectronPidTool", **kwargs): + from TRT_ConditionsAlgs.TRT_ConditionsAlgsConfig import TRTHTCondAlgCfg + acc = TRTHTCondAlgCfg(flags) + + from TRT_ConditionsServices.TRT_ConditionsServicesConfig import TRT_StrawStatusSummaryToolCfg + StrawStatusTool = acc.popToolsAndMerge(TRT_StrawStatusSummaryToolCfg(flags)) + acc.addPublicTool(StrawStatusTool) # public as it is has many clients to save some memory + kwargs.setdefault("TRTStrawSummaryTool", StrawStatusTool) + + kwargs.setdefault("TRT_LocalOccupancyTool", acc.popToolsAndMerge(TRT_LocalOccupancyCfg(flags))) + kwargs.setdefault("TRT_ToT_dEdx_Tool", acc.popToolsAndMerge(TRT_dEdxToolCfg(flags))) + + kwargs.setdefault("CalculateNNPid", False) # TODO fixme once the flag is there: flags.InDet.doTRTPIDNN + + acc.setPrivateTools(CompFactory.InDet.TRT_ElectronPidToolRun2(name, **kwargs)) + return acc diff --git a/InnerDetector/InDetConfig/python/TrackingCommonConfig.py b/InnerDetector/InDetConfig/python/TrackingCommonConfig.py index 4ae37f06272128a2a01f440be9199e8fae2a2d36..540f1325f424c55f65febc0190d10a62f5d09ae0 100644 --- a/InnerDetector/InDetConfig/python/TrackingCommonConfig.py +++ b/InnerDetector/InDetConfig/python/TrackingCommonConfig.py @@ -463,101 +463,6 @@ def InDetSummaryHelperSharedHitsCfg(flags, name='InDetSummaryHelperSharedHits', return acc -def InDetTRT_LocalOccupancyCfg(flags, name ="InDet_TRT_LocalOccupancy", **kwargs): - acc = ComponentAccumulator() - the_name = makeName( name, kwargs) - if 'TRTCalDbTool' not in kwargs : - from TRT_ConditionsServices.TRT_ConditionsServicesConfig import TRT_CalDbToolCfg - CalDbTool = acc.popToolsAndMerge(TRT_CalDbToolCfg(flags)) - acc.addPublicTool(CalDbTool) - kwargs.setdefault( "TRTCalDbTool", CalDbTool ) - - if 'TRTStrawStatusSummaryTool' not in kwargs : - from TRT_ConditionsServices.TRT_ConditionsServicesConfig import TRT_StrawStatusSummaryToolCfg - InDetTRTStrawStatusSummaryTool = acc.popToolsAndMerge(TRT_StrawStatusSummaryToolCfg(flags)) - acc.addPublicTool(InDetTRTStrawStatusSummaryTool) - kwargs.setdefault( "TRTStrawStatusSummaryTool", InDetTRTStrawStatusSummaryTool ) - - kwargs.setdefault("isTrigger", False) - - from TRT_ConditionsAlgs.TRT_ConditionsAlgsConfig import TRTStrawCondAlgCfg - acc.merge( TRTStrawCondAlgCfg(flags) ) - - InDetTRT_LocalOccupancy = CompFactory.InDet.TRT_LocalOccupancy(name=the_name, **kwargs ) - acc.setPrivateTools(InDetTRT_LocalOccupancy) - return acc - -def TRTToTCondAlgCfg(flags, name = "TRTToTCondAlg", **kwargs): - acc = ComponentAccumulator() - acc.merge(addFoldersSplitOnline(flags, "TRT", "/TRT/Onl/Calib/ToT/ToTVectors", "/TRT/Calib/ToT/ToTVectors", className='CondAttrListVec')) - acc.merge(addFoldersSplitOnline(flags, "TRT", "/TRT/Onl/Calib/ToT/ToTValue", "/TRT/Calib/ToT/ToTValue", className='CondAttrListCollection')) - - TRTToTCondAlg = CompFactory.TRTToTCondAlg( name = name, - ToTWriteKey = "Dedxcorrection", - **kwargs) - acc.addCondAlgo(TRTToTCondAlg) - return acc - -def InDetTRT_dEdxToolCfg(flags, name = "InDetTRT_dEdxTool", **kwargs): - acc = ComponentAccumulator() - the_name = makeName( name, kwargs) - - if not flags.Detector.EnableTRT or flags.InDet.doHighPileup \ - or flags.InDet.useExistingTracksAsInput: # TRT_RDOs (used by the TRT_LocalOccupancy tool) are not present in ESD - return None - - kwargs.setdefault("TRT_dEdx_isData", not flags.Input.isMC) - - if 'TRT_LocalOccupancyTool' not in kwargs : - InDetTRT_LocalOccupancy = acc.popToolsAndMerge(InDetTRT_LocalOccupancyCfg(flags)) - kwargs.setdefault( "TRT_LocalOccupancyTool", InDetTRT_LocalOccupancy) - - acc.merge(TRTToTCondAlgCfg(flags)) - acc.setPrivateTools(CompFactory.TRT_ToT_dEdx(name = the_name, **kwargs)) - return acc - -def TRTHTCondAlg(flags, name = "TRTHTCondAlg", **kwargs): - acc = ComponentAccumulator() - acc.merge(addFoldersSplitOnline(flags, "TRT", "/TRT/Onl/Calib/PID_vector", "/TRT/Calib/PID_vector", className='CondAttrListVec')) - TRTHTCondAlg = CompFactory.TRTHTCondAlg(name = name, HTWriteKey = "HTcalculator", **kwargs) - acc.addCondAlgo(TRTHTCondAlg) - return acc - -def InDetTRT_ElectronPidToolCfg(flags, name = "InDetTRT_ElectronPidTool", **kwargs): - acc = ComponentAccumulator() - the_name = makeName( name, kwargs) - - if not flags.Detector.EnableTRT or flags.InDet.doHighPileup \ - or flags.InDet.useExistingTracksAsInput: # TRT_RDOs (used by the TRT_LocalOccupancy tool) are not present in ESD - return None - - if 'TRTStrawSummaryTool' not in kwargs : - from TRT_ConditionsServices.TRT_ConditionsServicesConfig import TRT_StrawStatusSummaryToolCfg - InDetTRTStrawStatusSummaryTool = acc.popToolsAndMerge(TRT_StrawStatusSummaryToolCfg(flags)) - acc.addPublicTool(InDetTRTStrawStatusSummaryTool) - kwargs.setdefault( "TRTStrawSummaryTool", InDetTRTStrawStatusSummaryTool) - - if 'TRT_LocalOccupancyTool' not in kwargs : - InDetTRT_LocalOccupancy = acc.popToolsAndMerge(InDetTRT_LocalOccupancyCfg(flags)) - acc.addPublicTool(InDetTRT_LocalOccupancy) - kwargs.setdefault( "TRT_LocalOccupancyTool", InDetTRT_LocalOccupancy) - - if 'TRT_ToT_dEdx_Tool' not in kwargs : - dEdxAcc = InDetTRT_dEdxToolCfg(flags) - if dEdxAcc is not None: - InDetTRT_dEdxTool = acc.popToolsAndMerge(dEdxAcc) - acc.addPublicTool(InDetTRT_dEdxTool) - else: - InDetTRT_dEdxTool = None - kwargs.setdefault( "TRT_ToT_dEdx_Tool", InDetTRT_dEdxTool) - - kwargs.setdefault( "CalculateNNPid", False) #TODO fixme once the flag is there flags.InDet.doTRTPIDNN) - - acc.merge(TRTHTCondAlg(flags)) - acc.setPrivateTools(CompFactory.InDet.TRT_ElectronPidToolRun2(name = the_name, **kwargs)) - return acc - - def InDetTrackSummaryToolSharedHitsCfg(flags, name='InDetTrackSummaryToolSharedHits',**kwargs): acc = ComponentAccumulator() if 'InDetSummaryHelperTool' not in kwargs : @@ -573,13 +478,12 @@ def InDetTrackSummaryToolSharedHitsCfg(flags, name='InDetTrackSummaryToolSharedH kwargs.setdefault("InDetSummaryHelperTool", InDetSummaryHelperSharedHits) if 'TRT_ElectronPidTool' not in kwargs: - PIDToolAcc = InDetTRT_ElectronPidToolCfg(flags) - if PIDToolAcc is not None: - InDetTRT_ElectronPidTool = acc.popToolsAndMerge(PIDToolAcc) - acc.addPublicTool(InDetTRT_ElectronPidTool) + if not flags.Detector.EnableTRT or flags.InDet.doHighPileup \ + or flags.InDet.useExistingTracksAsInput: # TRT_RDOs (used by the TRT_LocalOccupancy tool) are not present in ESD + kwargs.setdefault("TRT_ElectronPidTool", None) else: - InDetTRT_ElectronPidTool = None - kwargs.setdefault("TRT_ElectronPidTool", InDetTRT_ElectronPidTool) + from InDetConfig.TRT_ElectronPidToolsConfig import TRT_ElectronPidToolCfg + kwargs.setdefault("TRT_ElectronPidTool", acc.popToolsAndMerge(TRT_ElectronPidToolCfg(flags))) if 'PixelToTPIDTool' not in kwargs : InDetPixelToTPIDTool = acc.popToolsAndMerge(InDetPixelToTPIDToolCfg(flags)) @@ -1287,12 +1191,12 @@ def InDetTrackSummaryToolNoHoleSearchCfg(flags, name='InDetTrackSummaryToolNoHol acc.setPrivateTools(InDetTrackSummaryTool) return acc -def InDetROIInfoVecCondAlgCfg(name='InDetROIInfoVecCondAlg', **kwargs) : +def ROIInfoVecAlgCfg(name='InDetROIInfoVecCondAlg', **kwargs) : acc = ComponentAccumulator() kwargs.setdefault("InputEmClusterContainerName", 'InDetCaloClusterROIs') kwargs.setdefault("WriteKey", kwargs.get("namePrefix","") +"ROIInfoVec"+ kwargs.get("nameSuffix","") ) kwargs.setdefault("minPtEM", 5000.0) #in MeV - acc.setPrivateTools(CompFactory.ROIInfoVecAlg(name = name,**kwargs)) + acc.addEventAlgo(CompFactory.ROIInfoVecAlg(name = name,**kwargs)) return acc def InDetAmbiScoringToolBaseCfg(flags, name='InDetAmbiScoringTool', **kwargs) : @@ -1311,7 +1215,7 @@ def InDetAmbiScoringToolBaseCfg(flags, name='InDetAmbiScoringTool', **kwargs) : from AthenaCommon.DetFlags import DetFlags have_calo_rois = flags.InDet.doBremRecovery and flags.InDet.doCaloSeededBrem and DetFlags.detdescr.Calo_allOn() if have_calo_rois : - alg = acc.popToolsAndMerge(InDetROIInfoVecCondAlgCfg()) + alg = acc.popToolsAndMerge(ROIInfoVecAlgCfg()) kwargs.setdefault("CaloROIInfoName", alg.WriteKey ) kwargs.setdefault("SummaryTool", InDetTrackSummaryTool ) kwargs.setdefault("useAmbigFcn", True ) @@ -1490,7 +1394,7 @@ def InDetNNScoringToolBaseCfg(flags, name='InDetNNScoringTool', **kwargs) : from AthenaCommon.DetFlags import DetFlags have_calo_rois = flags.InDet.doBremRecovery and flags.InDet.doCaloSeededBrem and DetFlags.detdescr.Calo_allOn() if have_calo_rois : - alg = acc.popToolsAndMerge(InDetROIInfoVecCondAlgCfg()) + alg = acc.popToolsAndMerge(ROIInfoVecAlgCfg()) kwargs.setdefault("CaloROIInfoName", alg.WriteKey ) from TrkConfig.AtlasExtrapolatorConfig import InDetExtrapolatorCfg diff --git a/InnerDetector/InDetDetDescr/InDetTrackingGeometry/InDetTrackingGeometry/StagedTrackingGeometryBuilderCond.h b/InnerDetector/InDetDetDescr/InDetTrackingGeometry/InDetTrackingGeometry/StagedTrackingGeometryBuilderCond.h index 9459b4680e4fc67d22755dab9d8da3a97edfd322..1b43b6656211ed64903fff17b5252163dc53afba 100644 --- a/InnerDetector/InDetDetDescr/InDetTrackingGeometry/InDetTrackingGeometry/StagedTrackingGeometryBuilderCond.h +++ b/InnerDetector/InDetDetDescr/InDetTrackingGeometry/InDetTrackingGeometry/StagedTrackingGeometryBuilderCond.h @@ -252,6 +252,9 @@ namespace InDet { std::string m_namespace; //!< identificaton namespace // ID container std::string m_exitVolume; //!< the final ID container + + // remove HGTD volume from ID tracking geometry + bool m_removeHGTD; }; inline void StagedTrackingGeometryBuilderCond::checkForInsert(std::vector<double>& radii, double radius) const { diff --git a/InnerDetector/InDetDetDescr/InDetTrackingGeometry/src/StagedTrackingGeometryBuilderCond.cxx b/InnerDetector/InDetDetDescr/InDetTrackingGeometry/src/StagedTrackingGeometryBuilderCond.cxx index 136b0e1da2f1e139944a8b5fd1ee3699ffc85c11..f80aafbcd2af5693be6411c66c499a183377b57b 100644 --- a/InnerDetector/InDetDetDescr/InDetTrackingGeometry/src/StagedTrackingGeometryBuilderCond.cxx +++ b/InnerDetector/InDetDetDescr/InDetTrackingGeometry/src/StagedTrackingGeometryBuilderCond.cxx @@ -49,7 +49,8 @@ InDet::StagedTrackingGeometryBuilderCond::StagedTrackingGeometryBuilderCond(cons m_checkForRingLayout(false), m_ringTolerance(10*Gaudi::Units::mm), m_namespace("InDet::"), - m_exitVolume("InDet::Containers::InnerDetector") + m_exitVolume("InDet::Containers::InnerDetector"), + m_removeHGTD(false) { declareInterface<Trk::IGeometryBuilderCond>(this); // layer builders and their configurations @@ -76,6 +77,8 @@ InDet::StagedTrackingGeometryBuilderCond::StagedTrackingGeometryBuilderCond(cons // volume namespace & contaienr name declareProperty("VolumeNamespace", m_namespace); declareProperty("ExitVolumeName", m_exitVolume); + // Remove HGTD volume from ID tracking geometry + declareProperty("RemoveHGTD", m_removeHGTD); } // destructor @@ -144,6 +147,24 @@ std::pair<EventIDRange, const Trk::TrackingGeometry*> InDet::StagedTrackingGeome ATH_MSG_VERBOSE(" -> retrieved Inner Detector envelope definitions at size " << envelopeDefs.size()); double envelopeVolumeRadius = envelopeDefs[1].first; double envelopeVolumeHalfZ = fabs(envelopeDefs[1].second); + + if (m_removeHGTD) { + // If running with the HGTD, we don't want to include its volume + // as it will be included in another tracking geometry. + // re-evaluating the ID envelope dimension + float envelopeVolumeHalfZatBp = envelopeVolumeHalfZ; + // now scan the beampipe envelopes, if there is something smalles, pick it. + const RZPairVector& envelopeBeamPipeDefs = m_enclosingEnvelopeSvc->getBeamPipeRZBoundary(); + float beampipeR = envelopeDefs[0].first; + for (auto& bounds : envelopeBeamPipeDefs) { + if (float(bounds.first) == beampipeR and std::abs(bounds.second)<envelopeVolumeHalfZatBp) { + envelopeVolumeHalfZatBp = std::abs(bounds.second); + } + } + if (envelopeVolumeHalfZatBp<envelopeVolumeHalfZ) + envelopeVolumeHalfZ = envelopeVolumeHalfZatBp; + } + ATH_MSG_VERBOSE(" -> envelope R/Z defined as : " << envelopeVolumeRadius << " / " << envelopeVolumeHalfZ ); ATH_MSG_DEBUG( "[ STEP 1 ] : Getting overal dimensions from the different layer builders." ); diff --git a/InnerDetector/InDetDetDescr/PixelGeoModelXml/python/ITkPixelGeoModelConfig.py b/InnerDetector/InDetDetDescr/PixelGeoModelXml/python/ITkPixelGeoModelConfig.py index 5adb0dd360c4d7b5c588565b43f9faec2f6c905a..6b7947f28519f4f710f10e7998720ea78600d12e 100644 --- a/InnerDetector/InDetDetDescr/PixelGeoModelXml/python/ITkPixelGeoModelConfig.py +++ b/InnerDetector/InDetDetDescr/PixelGeoModelXml/python/ITkPixelGeoModelConfig.py @@ -14,11 +14,9 @@ def ITkPixelGeoModelCfg(flags): # Setting this filename triggers reading from local file rather than DB ITkPixelDetectorTool.GmxFilename = flags.ITk.pixelGeometryFilename geoModelSvc.DetectorTools += [ ITkPixelDetectorTool ] - return acc - def ITkPixelAlignmentCfg(flags): if flags.GeoModel.Align.LegacyConditionsAccess: # revert to old style CondHandle in case of simulation from IOVDbSvc.IOVDbSvcConfig import addFoldersSplitOnline diff --git a/InnerDetector/InDetDetDescr/PixelReadoutGeometry/python/PixelReadoutGeometryConfig.py b/InnerDetector/InDetDetDescr/PixelReadoutGeometry/python/PixelReadoutGeometryConfig.py index 32ff5781bfdfad4da698ac471e26b6553bd4409f..1099e0070aaa0b353c6797287d162d232e1b30ad 100644 --- a/InnerDetector/InDetDetDescr/PixelReadoutGeometry/python/PixelReadoutGeometryConfig.py +++ b/InnerDetector/InDetDetDescr/PixelReadoutGeometry/python/PixelReadoutGeometryConfig.py @@ -13,5 +13,5 @@ def PixelReadoutManagerCfg(flags, name="PixelReadoutManager", **kwargs): def ITkPixelReadoutManagerCfg(flags, name="ITkPixelReadoutManager", **kwargs): """Return a ComponentAccumulator with configured ITkPixelReadoutManager""" acc = ComponentAccumulator() - acc.addService(CompFactory.InDetDD.ITkPixelReadoutManager(name, **kwargs), primary=True) + acc.addService(CompFactory.InDetDD.ITk.PixelReadoutManager(name, **kwargs), primary=True) return acc diff --git a/InnerDetector/InDetDetDescr/PixelReadoutGeometry/src/ITkPixelReadoutManager.cxx b/InnerDetector/InDetDetDescr/PixelReadoutGeometry/src/ITkPixelReadoutManager.cxx index 0ec7e00543a7d039fd71c8a046c9e1d7f29349f1..7688def4a53116078537a3071bcddb19a7e4b534 100644 --- a/InnerDetector/InDetDetDescr/PixelReadoutGeometry/src/ITkPixelReadoutManager.cxx +++ b/InnerDetector/InDetDetDescr/PixelReadoutGeometry/src/ITkPixelReadoutManager.cxx @@ -13,14 +13,17 @@ namespace InDetDD { -ITkPixelReadoutManager::ITkPixelReadoutManager(const std::string &name, - ISvcLocator *svc) +namespace ITk +{ + +PixelReadoutManager::PixelReadoutManager(const std::string &name, + ISvcLocator *svc) : base_class(name, svc) { } -StatusCode ITkPixelReadoutManager::initialize() +StatusCode PixelReadoutManager::initialize() { ATH_MSG_DEBUG("ITkPixelReadoutManager::initialize()"); @@ -32,7 +35,7 @@ StatusCode ITkPixelReadoutManager::initialize() } -PixelModuleType ITkPixelReadoutManager::getModuleType(Identifier id) const +PixelModuleType PixelReadoutManager::getModuleType(Identifier id) const { const Identifier wafer_id = m_idHelper->wafer_id(id); const SiDetectorElement *element = m_detManager->getDetectorElement(wafer_id); @@ -54,7 +57,7 @@ PixelModuleType ITkPixelReadoutManager::getModuleType(Identifier id) const } -PixelDiodeType ITkPixelReadoutManager::getDiodeType(Identifier id) const +PixelDiodeType PixelReadoutManager::getDiodeType(Identifier id) const { const Identifier wafer_id = m_idHelper->wafer_id(id); const SiDetectorElement *element = m_detManager->getDetectorElement(wafer_id); @@ -98,19 +101,19 @@ PixelDiodeType ITkPixelReadoutManager::getDiodeType(Identifier id) const } -Identifier ITkPixelReadoutManager::getPixelIdfromHash(IdentifierHash offlineIdHash, - uint32_t FE, - uint32_t row, - uint32_t column) const +Identifier PixelReadoutManager::getPixelIdfromHash(IdentifierHash offlineIdHash, + uint32_t FE, + uint32_t row, + uint32_t column) const { return getPixelId(m_idHelper->wafer_id(offlineIdHash), FE, row, column); } -Identifier ITkPixelReadoutManager::getPixelId(Identifier offlineId, - uint32_t FE, - uint32_t row, - uint32_t column) const +Identifier PixelReadoutManager::getPixelId(Identifier offlineId, + uint32_t FE, + uint32_t row, + uint32_t column) const { const SiDetectorElement *element = m_detManager->getDetectorElement(offlineId); const PixelModuleDesign *p_design = static_cast<const PixelModuleDesign *>(&element->design()); @@ -163,8 +166,8 @@ Identifier ITkPixelReadoutManager::getPixelId(Identifier offlineId, } -uint32_t ITkPixelReadoutManager::getFE(Identifier diodeId, - Identifier offlineId) const +uint32_t PixelReadoutManager::getFE(Identifier diodeId, + Identifier offlineId) const { const SiDetectorElement *element = m_detManager->getDetectorElement(offlineId); const PixelModuleDesign *p_design = static_cast<const PixelModuleDesign *>(&element->design()); @@ -206,8 +209,8 @@ uint32_t ITkPixelReadoutManager::getFE(Identifier diodeId, } -uint32_t ITkPixelReadoutManager::getColumn(Identifier diodeId, - Identifier offlineId) const +uint32_t PixelReadoutManager::getColumn(Identifier diodeId, + Identifier offlineId) const { const SiDetectorElement *element = m_detManager->getDetectorElement(offlineId); const PixelModuleDesign *p_design = static_cast<const PixelModuleDesign *>(&element->design()); @@ -241,8 +244,8 @@ uint32_t ITkPixelReadoutManager::getColumn(Identifier diodeId, } -uint32_t ITkPixelReadoutManager::getRow(Identifier diodeId, - Identifier offlineId) const +uint32_t PixelReadoutManager::getRow(Identifier diodeId, + Identifier offlineId) const { const SiDetectorElement *element = m_detManager->getDetectorElement(offlineId); const PixelModuleDesign *p_design = static_cast<const PixelModuleDesign *>(&element->design()); @@ -286,4 +289,5 @@ uint32_t ITkPixelReadoutManager::getRow(Identifier diodeId, return row; } +} // namespace ITk } // namespace InDetDD diff --git a/InnerDetector/InDetDetDescr/PixelReadoutGeometry/src/ITkPixelReadoutManager.h b/InnerDetector/InDetDetDescr/PixelReadoutGeometry/src/ITkPixelReadoutManager.h index c9df008cf39a51db4a112b9247683202e954595c..8752ae394ba1ab1826b98bebb2aebdc3bb9a67b0 100644 --- a/InnerDetector/InDetDetDescr/PixelReadoutGeometry/src/ITkPixelReadoutManager.h +++ b/InnerDetector/InDetDetDescr/PixelReadoutGeometry/src/ITkPixelReadoutManager.h @@ -18,11 +18,13 @@ namespace InDetDD { class PixelDetectorManager; -class ITkPixelReadoutManager final : public extends<AthService, IPixelReadoutManager> +namespace ITk +{ +class PixelReadoutManager final : public extends<AthService, IPixelReadoutManager> { public: - ITkPixelReadoutManager(const std::string &name, - ISvcLocator *svc); + PixelReadoutManager(const std::string &name, + ISvcLocator *svc); virtual StatusCode initialize() override final; @@ -51,6 +53,7 @@ private: const PixelID *m_idHelper{}; }; -} +} // namespace ITk +} // namespace InDetDD #endif diff --git a/InnerDetector/InDetDetDescr/PixelReadoutGeometry/src/components/PixelReadoutGeometry_entries.cxx b/InnerDetector/InDetDetDescr/PixelReadoutGeometry/src/components/PixelReadoutGeometry_entries.cxx index 498152f337982ad4f607bb40fa311311c0e35fe2..feccf300f530f611875865e0dc863488375e284a 100644 --- a/InnerDetector/InDetDetDescr/PixelReadoutGeometry/src/components/PixelReadoutGeometry_entries.cxx +++ b/InnerDetector/InDetDetDescr/PixelReadoutGeometry/src/components/PixelReadoutGeometry_entries.cxx @@ -2,4 +2,4 @@ #include "../ITkPixelReadoutManager.h" DECLARE_COMPONENT( InDetDD::PixelReadoutManager ) -DECLARE_COMPONENT( InDetDD::ITkPixelReadoutManager ) +DECLARE_COMPONENT( InDetDD::ITk::PixelReadoutManager ) diff --git a/InnerDetector/InDetDetDescr/PixelReadoutGeometry/test/ITkPixelReadoutManager_test.cxx b/InnerDetector/InDetDetDescr/PixelReadoutGeometry/test/ITkPixelReadoutManager_test.cxx index 63e9460b80407fa1d6b524edadbef2caffaa148e..21c2192b2059d1dfa14991ec37d2b84ddeeda414 100644 --- a/InnerDetector/InDetDetDescr/PixelReadoutGeometry/test/ITkPixelReadoutManager_test.cxx +++ b/InnerDetector/InDetDetDescr/PixelReadoutGeometry/test/ITkPixelReadoutManager_test.cxx @@ -4,7 +4,7 @@ /** * @author Tadej Novak - * @brief Tests for ITkPixelReadoutManager. + * @brief Tests for ITk::PixelReadoutManager. */ #undef NDEBUG @@ -39,10 +39,10 @@ ATLAS_NO_CHECK_FILE_THREAD_SAFETY; namespace InDetDD { -namespace PixelTesting +namespace ITk { - class ITkPixelReadoutManager_test : public ::testing::Test { + class PixelReadoutManager_test : public ::testing::Test { protected: virtual void SetUp() override { @@ -69,9 +69,9 @@ namespace PixelTesting ASSERT_TRUE( m_appMgr->initialize().isSuccess() ); // the tested AthenaService - const auto& svcTypeAndName = "InDetDD::ITkPixelReadoutManager/ITkPixelReadoutManager"; + const auto& svcTypeAndName = "InDetDD::ITk::PixelReadoutManager/ITkPixelReadoutManager"; SmartIF<IService> svc = m_svcLoc->service(svcTypeAndName); - m_svc = dynamic_cast<ITkPixelReadoutManager *>(svc.get()); + m_svc = dynamic_cast<PixelReadoutManager *>(svc.get()); ASSERT_NE(nullptr, m_svc); ASSERT_TRUE( m_svc->configure().isSuccess() ); @@ -99,7 +99,7 @@ namespace PixelTesting } // the tested service - ITkPixelReadoutManager* m_svc{}; + PixelReadoutManager* m_svc{}; // Core Gaudi components IAppMgrUI* m_appMgr{}; @@ -107,14 +107,14 @@ namespace PixelTesting SmartIF<ISvcManager> m_svcMgr; SmartIF<IToolSvc> m_toolSvc; SmartIF<IProperty> m_propMgr; - }; // ITkPixelReadoutManager_test fixture + }; // PixelReadoutManager_test fixture - // TEST_F(ITkPixelReadoutManager_test, initialize_empty) { + // TEST_F(PixelReadoutManager_test, initialize_empty) { // ASSERT_TRUE( m_svc->initialize().isSuccess() ); // } - TEST_F(ITkPixelReadoutManager_test, barrel) { + TEST_F(PixelReadoutManager_test, barrel) { ASSERT_TRUE( m_svc->initialize().isSuccess() ); ServiceHandle<StoreGateSvc> detectorStore("DetectorStore", "ITkPixelReadoutManager_test"); @@ -265,7 +265,7 @@ namespace PixelTesting ASSERT_EQ( m_svc->getPixelId(moduleId, 0, p_designS->rows() / 2, p_designS->columns() / 2), centers ); } -} // namespace PixelTesting +} // namespace ITk } // namespace InDetDD diff --git a/InnerDetector/InDetDetDescr/PixelReadoutGeometry/test/ITkPixelReadoutManager_test.txt b/InnerDetector/InDetDetDescr/PixelReadoutGeometry/test/ITkPixelReadoutManager_test.txt index 86e95c4e750589dfad5ffbb17a94fcab7e275d60..87cb62f2cbfb9ee924a9fb588ab53175d4d1c1be 100644 --- a/InnerDetector/InDetDetDescr/PixelReadoutGeometry/test/ITkPixelReadoutManager_test.txt +++ b/InnerDetector/InDetDetDescr/PixelReadoutGeometry/test/ITkPixelReadoutManager_test.txt @@ -7,6 +7,6 @@ EventPersistencySvc.CnvServices += { "DetDescrCnvSvc" }; GeoModelSvc.AtlasVersion = "ATLAS-P2-ITK-24-00-00"; GeoModelSvc.SupportedGeometry = 22; -GeoModelSvc.DetectorTools = ["ITkPixelDetectorTool/ITkPixelDetectorTool"]; +GeoModelSvc.DetectorTools = ["ITk::PixelDetectorTool/ITkPixelDetectorTool"]; GeoModelSvc.ITkPixelDetectorTool.Alignable = False; GeoModelSvc.ITkPixelDetectorTool.DetectorName = "ITkPixel"; diff --git a/InnerDetector/InDetDigitization/FastSiDigitization/share/preInclude.FastPixelDigi_ITK.py b/InnerDetector/InDetDigitization/FastSiDigitization/share/preInclude.FastPixelDigi_ITK.py deleted file mode 100644 index c7d84548270e362827e7f37c2c6e67b0187a2226..0000000000000000000000000000000000000000 --- a/InnerDetector/InDetDigitization/FastSiDigitization/share/preInclude.FastPixelDigi_ITK.py +++ /dev/null @@ -1 +0,0 @@ -from AthenaCommon.AppMgr import ServiceMgr diff --git a/InnerDetector/InDetDigitization/SCT_Digitization/python/SCT_DigitizationConfigNew.py b/InnerDetector/InDetDigitization/SCT_Digitization/python/SCT_DigitizationConfigNew.py index 1ce7947351d9c77571dc476402215013663e4b4d..b971e87e927b01c007f38356297e00bd974807d7 100644 --- a/InnerDetector/InDetDigitization/SCT_Digitization/python/SCT_DigitizationConfigNew.py +++ b/InnerDetector/InDetDigitization/SCT_Digitization/python/SCT_DigitizationConfigNew.py @@ -49,7 +49,7 @@ def SCT_DigitizationCommonCfg(flags, name="SCT_DigitizationToolCommon", **kwargs # attach ToolHandles tool.FrontEnd = acc.popToolsAndMerge(SCT_FrontEndCfg(flags)) tool.SurfaceChargesGenerator = acc.popToolsAndMerge(SCT_SurfaceChargesGeneratorCfg(flags)) - tool.RandomDisabledCellGenerator = SCT_RandomDisabledCellGeneratorCfg(flags) + tool.RandomDisabledCellGenerator = acc.popToolsAndMerge(SCT_RandomDisabledCellGeneratorCfg(flags)) acc.setPrivateTools(tool) return acc @@ -133,21 +133,23 @@ def SCT_DigitizationToolGeantinoTruthCfg(flags, name="SCT_GeantinoTruthDigitizat def SCT_RandomDisabledCellGeneratorCfg(flags, name="SCT_RandomDisabledCellGenerator", **kwargs): """Return configured random cell disabling tool""" + acc = ComponentAccumulator() kwargs.setdefault("TotalBadChannels", 0.01) - SCT_RandomDisabledCellGenerator = CompFactory.SCT_RandomDisabledCellGenerator - return SCT_RandomDisabledCellGenerator(name, **kwargs) + acc.setPrivateTools(CompFactory.SCT_RandomDisabledCellGenerator(name, **kwargs)) + return acc def SCT_AmpCfg(flags, name="SCT_Amp", **kwargs): """Return configured amplifier and shaper tool""" + acc = ComponentAccumulator() kwargs.setdefault("CrossFactor2sides", 0.1) kwargs.setdefault("CrossFactorBack", 0.07) kwargs.setdefault("PeakTime", 21) kwargs.setdefault("deltaT", 1.0) kwargs.setdefault("Tmin", -25.0) kwargs.setdefault("Tmax", 150.0) - SCT_Amp = CompFactory.SCT_Amp - return SCT_Amp(name, **kwargs) + acc.setPrivateTools(CompFactory.SCT_Amp(name, **kwargs)) + return acc def SCT_SurfaceChargesGeneratorCfg(flags, name="SCT_SurfaceChargesGenerator", **kwargs): @@ -221,8 +223,8 @@ def SCT_FrontEndCfg(flags, name="SCT_FrontEnd", **kwargs): kwargs.setdefault("DataReadOutMode", 0) else: kwargs.setdefault("DataReadOutMode", 1) - SCT_FrontEnd = CompFactory.SCT_FrontEnd - acc.setPrivateTools(SCT_FrontEnd(name, **kwargs)) + kwargs.setdefault("SCT_Amp", acc.popToolsAndMerge(SCT_AmpCfg(flags))) + acc.setPrivateTools(CompFactory.SCT_FrontEnd(name, **kwargs)) return acc diff --git a/InnerDetector/InDetDigitization/StripDigitization/python/StripDigitizationConfig.py b/InnerDetector/InDetDigitization/StripDigitization/python/StripDigitizationConfig.py index 95cd7ddbbb721166a4392718b0ef1018ff2b5c71..22ed67d55df607e8bd02ed75f9c0e30869714a19 100644 --- a/InnerDetector/InDetDigitization/StripDigitization/python/StripDigitizationConfig.py +++ b/InnerDetector/InDetDigitization/StripDigitization/python/StripDigitizationConfig.py @@ -9,7 +9,7 @@ from AthenaCommon.Logging import logging from OutputStreamAthenaPool.OutputStreamConfig import OutputStreamCfg from StripGeoModelXml.ITkStripGeoModelConfig import ITkStripReadoutGeometryCfg #Eventually we want ITkStrip specific versions of these -from SCT_ConditionsTools.SCT_SiliconConditionsConfig import SCT_SiliconConditionsCfg +from SCT_ConditionsTools.SCT_SiliconConditionsConfig import ITkStripSiliconConditionsCfg #Doesn't work for ITkStrip - specific verion needed? #from SCT_ConditionsTools.SCT_ReadCalibChipDataConfig import SCT_ReadCalibChipDataCfg from SiPropertiesTool.ITkStripSiPropertiesConfig import ITkStripSiPropertiesCfg @@ -46,7 +46,7 @@ def ITkStripDigitizationCommonCfg(flags, name="ITkStripDigitizationToolCommon", kwargs.setdefault("FirstXing", ITkStripFirstXing()) kwargs.setdefault("LastXing", ITkStripLastXing() ) - ITkStripDigitizationTool = CompFactory.StripDigitizationTool + ITkStripDigitizationTool = CompFactory.ITk.StripDigitizationTool tool = ITkStripDigitizationTool(name, **kwargs) # attach ToolHandles tool.FrontEnd = acc.popToolsAndMerge(ITkStripFrontEndCfg(flags)) @@ -142,14 +142,15 @@ def ITkStripRandomDisabledCellGeneratorCfg(flags, name="ITkStripRandomDisabledCe def ITkStripAmpCfg(flags, name="ITkStripAmp", **kwargs): """Return configured amplifier and shaper tool""" + acc = ComponentAccumulator() kwargs.setdefault("CrossFactor2sides", 0.1) kwargs.setdefault("CrossFactorBack", 0.07) kwargs.setdefault("PeakTime", 21) kwargs.setdefault("deltaT", 1.0) kwargs.setdefault("Tmin", -25.0) kwargs.setdefault("Tmax", 150.0) - ITkStripAmp = CompFactory.SCT_Amp - return ITkStripAmp(name, **kwargs) + acc.setPrivateTools(CompFactory.SCT_Amp(name, **kwargs)) + return acc def ITkStripSurfaceChargesGeneratorCfg(flags, name="ITkStripSurfaceChargesGenerator", **kwargs): @@ -165,10 +166,9 @@ def ITkStripSurfaceChargesGeneratorCfg(flags, name="ITkStripSurfaceChargesGenera kwargs.setdefault("isOverlay", flags.Common.ProductionStep == ProductionStep.Overlay) # kwargs.setdefault("doTrapping", True) # ATL-INDET-INT-2016-019 # experimental ITkStripDetailedSurfaceChargesGenerator config dropped here - ITkStripSurfaceChargesGenerator, ITkStripRadDamageSummaryTool = CompFactory.getComps("StripSurfaceChargesGenerator", "SCT_RadDamageSummaryTool",) - tool = ITkStripSurfaceChargesGenerator(name, **kwargs) - tool.RadDamageSummaryTool = ITkStripRadDamageSummaryTool() - tool.SiConditionsTool = acc.popToolsAndMerge(SCT_SiliconConditionsCfg(flags)) + tool = CompFactory.ITk.StripSurfaceChargesGenerator(name, **kwargs) + tool.RadDamageSummaryTool = CompFactory.SCT_RadDamageSummaryTool(name="ITkStripRadDamageSummaryTool") + tool.SiConditionsTool = acc.popToolsAndMerge(ITkStripSiliconConditionsCfg(flags)) tool.SiPropertiesTool = acc.popToolsAndMerge(ITkStripSiPropertiesCfg(flags, SiConditionsTool=tool.SiConditionsTool)) tool.LorentzAngleTool = acc.popToolsAndMerge(ITkStripLorentzAngleCfg(flags, SiConditionsTool=tool.SiConditionsTool)) acc.setPrivateTools(tool) @@ -238,8 +238,9 @@ def ITkStripFrontEndCfg(flags, name="ITkStripFrontEnd", **kwargs): kwargs.setdefault("DataReadOutMode", 0) kwargs.setdefault("DataCompressionMode",2) - ITkStripFrontEnd = CompFactory.SCT_FrontEnd - acc.setPrivateTools(ITkStripFrontEnd(name, **kwargs)) + kwargs.setdefault("SCT_Amp", acc.popToolsAndMerge(ITkStripAmpCfg(flags))) + + acc.setPrivateTools(CompFactory.SCT_FrontEnd(name, **kwargs)) return acc diff --git a/InnerDetector/InDetDigitization/StripDigitization/src/StripDigitization.cxx b/InnerDetector/InDetDigitization/StripDigitization/src/StripDigitization.cxx index b45fa31fbcf455a939f41e2ae09376de3d33b29d..407cafbe74f80e854245441007ce2cad5f15dd15 100644 --- a/InnerDetector/InDetDigitization/StripDigitization/src/StripDigitization.cxx +++ b/InnerDetector/InDetDigitization/StripDigitization/src/StripDigitization.cxx @@ -1,10 +1,13 @@ /* - Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration + Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration */ #include "StripDigitization.h" #include "PileUpTools/IPileUpTool.h" +namespace ITk +{ + //---------------------------------------------------------------------- // Constructor with parameters: //---------------------------------------------------------------------- @@ -29,3 +32,5 @@ StatusCode StripDigitization::execute() { ATH_MSG_DEBUG("execute()"); return m_stripDigitizationTool->processAllSubEvents(Gaudi::Hive::currentContext()); } + +} // namespace ITk diff --git a/InnerDetector/InDetDigitization/StripDigitization/src/StripDigitization.h b/InnerDetector/InDetDigitization/StripDigitization/src/StripDigitization.h index 225820058b5143e302f23f258f2cfad596c44311..07dd6bebbcaf2780750de614c1f0667357565fc5 100644 --- a/InnerDetector/InDetDigitization/StripDigitization/src/StripDigitization.h +++ b/InnerDetector/InDetDigitization/StripDigitization/src/StripDigitization.h @@ -18,6 +18,9 @@ class IPileUpTool; +namespace ITk +{ + /** Top algorithm class for Strip digitization */ class StripDigitization : public AthAlgorithm { @@ -40,4 +43,6 @@ class StripDigitization : public AthAlgorithm { }; +} // namespace ITk + #endif // STRIPDIGITIZATION_STRIPDIGITIZATION_H diff --git a/InnerDetector/InDetDigitization/StripDigitization/src/StripDigitizationTool.cxx b/InnerDetector/InDetDigitization/StripDigitization/src/StripDigitizationTool.cxx index dd1515ce03c9d5a6257073943c26121890ba11e5..4fcfca3d029a753679037e94e148736dfda92ca2 100644 --- a/InnerDetector/InDetDigitization/StripDigitization/src/StripDigitizationTool.cxx +++ b/InnerDetector/InDetDigitization/StripDigitization/src/StripDigitizationTool.cxx @@ -37,6 +37,9 @@ using InDetDD::SiCellId; +namespace ITk +{ + StripDigitizationTool::StripDigitizationTool(const std::string& type, const std::string& name, const IInterface* parent) : @@ -939,3 +942,5 @@ void StripDigitizationTool::addSDO(SiChargedDiodeCollection* collection, SG::Wri } } } + +} // namespace ITk diff --git a/InnerDetector/InDetDigitization/StripDigitization/src/StripDigitizationTool.h b/InnerDetector/InDetDigitization/StripDigitization/src/StripDigitizationTool.h index 872ae082229c1f010c5ecdaa1c9c77f36539204a..f7aec9155941142c53e3af308d5b6e7f9c69bc6d 100644 --- a/InnerDetector/InDetDigitization/StripDigitization/src/StripDigitizationTool.h +++ b/InnerDetector/InDetDigitization/StripDigitization/src/StripDigitizationTool.h @@ -52,6 +52,9 @@ namespace CLHEP class HepRandomEngine; } +namespace ITk +{ + class StripDigitizationTool : public extends<PileUpToolBase, IPileUpTool> { public: @@ -159,4 +162,6 @@ inline const InterfaceID& StripDigitizationTool::interfaceID() { return IID_IStripDigitizationTool; } +} // namespace ITk + #endif // not STRIPDIGITIZATION_STRIPDIGITIZATIONTOOL_H diff --git a/InnerDetector/InDetDigitization/StripDigitization/src/StripSurfaceChargesGenerator.cxx b/InnerDetector/InDetDigitization/StripDigitization/src/StripSurfaceChargesGenerator.cxx index f7e6295ba118626196406e2167585af127e32b80..30a62f9a08b8b1cfa13e7196840a6089785c89d4 100644 --- a/InnerDetector/InDetDigitization/StripDigitization/src/StripSurfaceChargesGenerator.cxx +++ b/InnerDetector/InDetDigitization/StripDigitization/src/StripSurfaceChargesGenerator.cxx @@ -31,6 +31,9 @@ using InDetDD::SiDetectorElement; using InDetDD::SCT_ModuleSideDesign; using InDetDD::SiLocalPosition; +namespace ITk +{ + // constructor StripSurfaceChargesGenerator::StripSurfaceChargesGenerator(const std::string& type, const std::string& name, @@ -672,3 +675,5 @@ bool StripSurfaceChargesGenerator::chargeIsTrapped(double spess, } return isTrapped; } + +} // namespace ITk diff --git a/InnerDetector/InDetDigitization/StripDigitization/src/StripSurfaceChargesGenerator.h b/InnerDetector/InDetDigitization/StripDigitization/src/StripSurfaceChargesGenerator.h index c1dc38fbb6d63bae91bada8e775626870a8dc9e2..cd112d7320668f4bc03684683e790c58ccdb1dcf 100644 --- a/InnerDetector/InDetDigitization/StripDigitization/src/StripSurfaceChargesGenerator.h +++ b/InnerDetector/InDetDigitization/StripDigitization/src/StripSurfaceChargesGenerator.h @@ -57,6 +57,9 @@ namespace CLHEP { template <class HIT> class TimedHitPtr; +namespace ITk +{ + class StripSurfaceChargesGenerator : public extends<AthAlgTool, ISurfaceChargesGenerator> { public: @@ -119,11 +122,11 @@ class StripSurfaceChargesGenerator : public extends<AthAlgTool, ISurfaceChargesG BooleanProperty m_doInducedChargeModel{this, "doInducedChargeModel", false, "Flag for Induced Charge Model"}; //ToolHandles - ToolHandle<ISCT_ModuleDistortionsTool> m_distortionsTool{this, "SCTDistortionsTool", "StripDistortionsTool", "Tool to retrieve SCT distortions"}; + ToolHandle<ISCT_ModuleDistortionsTool> m_distortionsTool{this, "DistortionsTool", "StripDistortionsTool", "Tool to retrieve SCT distortions"}; ToolHandle<ISiPropertiesTool> m_siPropertiesTool{this, "SiPropertiesTool", "StripSiPropertiesTool", "Tool to retrieve SCT silicon properties"}; ToolHandle<ISCT_RadDamageSummaryTool> m_radDamageTool{this, "RadDamageSummaryTool", "StripRadDamageSummaryTool", "Tool to retrieve SCT radiation damages"}; ToolHandle<ISiliconConditionsTool> m_siConditionsTool{this, "SiConditionsTool", "StripSiliconConditionsTool", "Tool to retrieve SCT silicon information"}; - ToolHandle<ISiLorentzAngleTool> m_lorentzAngleTool{this, "LorentzAngleTool", "SiLorentzAngleTool/SCTLorentzAngleTool", "Tool to retreive Lorentz angle"}; + ToolHandle<ISiLorentzAngleTool> m_lorentzAngleTool{this, "LorentzAngleTool", "SiLorentzAngleTool/ITkStripLorentzAngleTool", "Tool to retreive Lorentz angle"}; ServiceHandle<ITHistSvc> m_thistSvc{this, "THistSvc", "THistSvc"}; @@ -164,4 +167,6 @@ class StripSurfaceChargesGenerator : public extends<AthAlgTool, ISurfaceChargesG std::unique_ptr<InducedChargeModel> m_InducedChargeModel; }; +} // namespace ITk + #endif // STRIPSURFACECHARGESGENERATOR_H diff --git a/InnerDetector/InDetDigitization/StripDigitization/src/components/StripDigitization_entries.cxx b/InnerDetector/InDetDigitization/StripDigitization/src/components/StripDigitization_entries.cxx index 0a5547aaf1071bc9d55fdea731938002355c00aa..7718d895fb793e4e166ed37a57ff6f1623359184 100644 --- a/InnerDetector/InDetDigitization/StripDigitization/src/components/StripDigitization_entries.cxx +++ b/InnerDetector/InDetDigitization/StripDigitization/src/components/StripDigitization_entries.cxx @@ -2,7 +2,7 @@ #include "../StripDigitizationTool.h" #include "../StripSurfaceChargesGenerator.h" -DECLARE_COMPONENT( StripDigitization ) -DECLARE_COMPONENT( StripDigitizationTool ) -DECLARE_COMPONENT( StripSurfaceChargesGenerator ) +DECLARE_COMPONENT( ITk::StripDigitization ) +DECLARE_COMPONENT( ITk::StripDigitizationTool ) +DECLARE_COMPONENT( ITk::StripSurfaceChargesGenerator ) diff --git a/InnerDetector/InDetRawAlgs/InDetOverlay/python/TRTOverlayConfig.py b/InnerDetector/InDetRawAlgs/InDetOverlay/python/TRTOverlayConfig.py index 1a4f1501ffa4ee3aa63fe31569b7c97c90719048..f1e746bd6625394d10d9b3c323c303ae56b924ea 100644 --- a/InnerDetector/InDetRawAlgs/InDetOverlay/python/TRTOverlayConfig.py +++ b/InnerDetector/InDetRawAlgs/InDetOverlay/python/TRTOverlayConfig.py @@ -51,8 +51,6 @@ def TRTOverlayAlgCfg(flags, name="TRTOverlay", **kwargs): acc = ComponentAccumulator() from TRT_GeoModel.TRT_GeoModelConfig import TRT_ReadoutGeometryCfg acc.merge(TRT_ReadoutGeometryCfg(flags)) - from TRT_ConditionsAlgs.TRT_ConditionsAlgsConfig import TRTStrawCondAlgCfg - acc.merge(TRTStrawCondAlgCfg(flags)) kwargs.setdefault("SortBkgInput", flags.Overlay.DataOverlay) kwargs.setdefault("BkgInputKey", flags.Overlay.BkgPrefix + "TRT_RDOs") @@ -66,16 +64,16 @@ def TRTOverlayAlgCfg(flags, name="TRTOverlay", **kwargs): kwargs.setdefault("TRT_HT_OccupancyCorrectionBarrelNoE", 0.060) kwargs.setdefault("TRT_HT_OccupancyCorrectionEndcapNoE", 0.050) - # Do TRT overlay - TRTOverlay = CompFactory.TRTOverlay - alg = TRTOverlay(name, **kwargs) + from InDetConfig.TRT_ElectronPidToolsConfig import TRT_OverlayLocalOccupancyCfg + kwargs.setdefault("TRT_LocalOccupancyTool", acc.popToolsAndMerge(TRT_OverlayLocalOccupancyCfg(flags))) from TRT_ConditionsServices.TRT_ConditionsServicesConfig import TRT_StrawStatusSummaryToolCfg - from InDetOverlay.TRT_ConditionsConfig import TRT_LocalOccupancyCfg - alg.TRT_LocalOccupancyTool = acc.popToolsAndMerge( - TRT_LocalOccupancyCfg(flags)) - alg.TRTStrawSummaryTool = acc.popToolsAndMerge( - TRT_StrawStatusSummaryToolCfg(flags)) + StrawStatusTool = acc.popToolsAndMerge(TRT_StrawStatusSummaryToolCfg(flags)) + acc.addPublicTool(StrawStatusTool) # public as it is has many clients to save some memory + kwargs.setdefault("TRTStrawSummaryTool", StrawStatusTool) + + # Do TRT overlay + alg = CompFactory.TRTOverlay(name, **kwargs) acc.addEventAlgo(alg) # Setup output diff --git a/InnerDetector/InDetRawAlgs/InDetOverlay/python/TRT_ConditionsConfig.py b/InnerDetector/InDetRawAlgs/InDetOverlay/python/TRT_ConditionsConfig.py index 399313764f3a9de5e1abfde74c35b8fcd83ba9cd..a9ed1a9af77c6c13d66a8e9fb927d9bc37423e0d 100644 --- a/InnerDetector/InDetRawAlgs/InDetOverlay/python/TRT_ConditionsConfig.py +++ b/InnerDetector/InDetRawAlgs/InDetOverlay/python/TRT_ConditionsConfig.py @@ -18,27 +18,6 @@ def TRT_OnlineFoldersCfg(flags): return acc -def TRT_LocalOccupancyCfg(flags, name="TRT_LocalOccupancy"): - """Return a ComponentAccumulator for TRT_LocalOccupancy Tool""" - acc = ComponentAccumulator() - from TRT_ConditionsServices.TRT_ConditionsServicesConfig import TRT_CalDbToolCfg, TRT_StrawStatusSummaryToolCfg - trtCalDbTool = acc.popToolsAndMerge(TRT_CalDbToolCfg(flags)) - trtStrawStatusSummaryTool = acc.popToolsAndMerge( - TRT_StrawStatusSummaryToolCfg(flags)) - - InDet__TRT_LocalOccupancy = CompFactory.InDet.TRT_LocalOccupancy - acc.setPrivateTools(InDet__TRT_LocalOccupancy(name="TRT_LocalOccupancy", - isTrigger=False, - TRTCalDbTool=trtCalDbTool, - TRTStrawStatusSummaryTool=trtStrawStatusSummaryTool, - TRT_RDOContainerName="", - TRT_DriftCircleCollection="", - )) - return acc - - - - def TRT_CablingSvcCfg(flags): """Return a ComponentAccumulator for TRT_CablingSvc service""" acc = ComponentAccumulator() diff --git a/InnerDetector/InDetRecTools/SiClusterizationTool/src/MergedPixelsTool.cxx b/InnerDetector/InDetRecTools/SiClusterizationTool/src/MergedPixelsTool.cxx index 2dd032e0774bfa000f7194afca6b3614c84f0580..c437465f71c612e583e499d6b5c39d022e2acbac 100644 --- a/InnerDetector/InDetRecTools/SiClusterizationTool/src/MergedPixelsTool.cxx +++ b/InnerDetector/InDetRecTools/SiClusterizationTool/src/MergedPixelsTool.cxx @@ -365,11 +365,16 @@ namespace InDet { // this builds the single pixel connection and breaks if the max number of elements is reached: if( (deltaCol+deltaRow) == 1 or (m_addCorners and deltaCol == 1 and deltaRow == 1) ) { - try{ + int NC1 = currentConnection.NC; + int NC2 = otherConnection.NC; + int maxPossible = currentConnection.CON.size() - 1; //both are the same + if ((NC1>maxPossible) or (NC2>maxPossible)){ + std::string m="attempt to access connection array of dimension 8 at idx "+std::to_string(currentConnection.NC); + ATH_MSG_WARNING(m); + break; + } else { currentConnection.CON.at(currentConnection.NC++) = otherPixel; otherConnection.CON.at(otherConnection.NC++) = currentPixel ; - } catch (const std::out_of_range & ){ - throw std::runtime_error("attempt to access connection array beyond its size in MergedPixelsTool::clusterize"); } if(++NB==maxElements) { break; diff --git a/LArCalorimeter/LArConfiguration/python/LArMonitoringConfig.py b/LArCalorimeter/LArConfiguration/python/LArMonitoringConfig.py index 9b47927a7b0c1ac7ee7a478683750d49df5218c5..093b42f1ccc7f35a2f4a83047886ffabefa844d4 100644 --- a/LArCalorimeter/LArConfiguration/python/LArMonitoringConfig.py +++ b/LArCalorimeter/LArConfiguration/python/LArMonitoringConfig.py @@ -37,7 +37,7 @@ def LArMonitoringConfig(inputFlags): acc.merge(LArFEBMonConfig(inputFlags)) acc.merge(LArDigitMonConfig(inputFlags)) from LArConditionsCommon.LArCool import larcool - if (larcool.runType() != 0): #RawData + Result + if (larcool is not None and larcool.runType() != 0): #RawData + Result acc.merge(LArRODMonConfig(inputFlags)) acc.merge(LArCoverageConfig(inputFlags)) acc.merge(LArNoiseCorrelationMonConfig(inputFlags)) diff --git a/LArCalorimeter/LArMonitoring/python/LArSuperCellMonAlg.py b/LArCalorimeter/LArMonitoring/python/LArSuperCellMonAlg.py new file mode 100644 index 0000000000000000000000000000000000000000..c87ca84d8947d7af1c61d236579417896221181a --- /dev/null +++ b/LArCalorimeter/LArMonitoring/python/LArSuperCellMonAlg.py @@ -0,0 +1,370 @@ +# +# Copyright (C) 2002-2020 CERN for the benefit of the ATLAS collaboration +# + +#from AthenaCommon.Include import include #needed for LArSuperCellBCIDEmAlg +#from AthenaCommon.AppMgr import ServiceMgr as svcMgr + +def LArSuperCellMonConfigOld(inputFlags): + from AthenaMonitoring.AthMonitorCfgHelper import AthMonitorCfgHelperOld + from LArMonitoring.LArMonitoringConf import LArSuperCellMonAlg + + helper = AthMonitorCfgHelperOld(inputFlags, 'LArSuperCellMonAlgOldCfg') + from AthenaCommon.BeamFlags import jobproperties + if jobproperties.Beam.beamType() == 'cosmics': + isCosmics=True + else: + isCosmics=False + + from AthenaCommon.GlobalFlags import globalflags + if globalflags.DataSource() == 'data': + isMC=False + else: + isMC=True + + if not isMC: + from LumiBlockComps.LBDurationCondAlgDefault import LBDurationCondAlgDefault + LBDurationCondAlgDefault() + from LumiBlockComps.TrigLiveFractionCondAlgDefault import TrigLiveFractionCondAlgDefault + TrigLiveFractionCondAlgDefault() + from LumiBlockComps.LuminosityCondAlgDefault import LuminosityCondAlgDefault + LuminosityCondAlgDefault() + + from CaloTools.CaloNoiseCondAlg import CaloNoiseCondAlg + CaloNoiseCondAlg() + + algo = LArSuperCellMonConfigCore(helper, LArSuperCellMonAlg,inputFlags,isCosmics, isMC) + + from AthenaMonitoring.AtlasReadyFilterTool import GetAtlasReadyFilterTool + algo.ReadyFilterTool = GetAtlasReadyFilterTool() + from AthenaMonitoring.BadLBFilterTool import GetLArBadLBFilterTool + algo.BadLBTool = GetLArBadLBFilterTool() + + return helper.result() + +def LArSuperCellMonConfig(inputFlags): + from AthenaCommon.Logging import logging + mlog = logging.getLogger( 'LArSuperCellMonConfig' ) + + from AthenaMonitoring.AthMonitorCfgHelper import AthMonitorCfgHelper + helper = AthMonitorCfgHelper(inputFlags,'LArSuperCellMonAlgCfg') + + from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator + cfg=ComponentAccumulator() + + if not inputFlags.DQ.enableLumiAccess: + mlog.warning('This algo needs Lumi access, returning empty config') + return cfg + + from LArGeoAlgsNV.LArGMConfig import LArGMCfg + cfg.merge(LArGMCfg(inputFlags)) + from TileGeoModel.TileGMConfig import TileGMCfg + cfg.merge(TileGMCfg(inputFlags)) + + from DetDescrCnvSvc.DetDescrCnvSvcConfig import DetDescrCnvSvcCfg + cfg.merge(DetDescrCnvSvcCfg(inputFlags)) + + from LArCellRec.LArCollisionTimeConfig import LArCollisionTimeCfg + cfg.merge(LArCollisionTimeCfg(inputFlags)) + + from CaloTools.CaloNoiseCondAlgConfig import CaloNoiseCondAlgCfg + cfg.merge(CaloNoiseCondAlgCfg(inputFlags)) + cfg.merge(CaloNoiseCondAlgCfg(inputFlags,noisetype="electronicNoise")) + + from LArROD.LArSCSimpleMakerConfig import LArSCSimpleMakerCfg, LArSuperCellBCIDEmAlgCfg + cfg.merge(LArSCSimpleMakerCfg(inputFlags)) + cfg.merge(LArSuperCellBCIDEmAlgCfg(inputFlags)) + + from AthenaConfiguration.ComponentFactory import CompFactory + lArCellMonAlg=CompFactory.LArSuperCellMonAlg + + + if inputFlags.Input.isMC is False: + from LumiBlockComps.LuminosityCondAlgConfig import LuminosityCondAlgCfg + cfg.merge(LuminosityCondAlgCfg(inputFlags)) + from LumiBlockComps.LBDurationCondAlgConfig import LBDurationCondAlgCfg + cfg.merge(LBDurationCondAlgCfg(inputFlags)) + + + algname='LArSuperCellMonAlg' + if inputFlags.Beam.Type == 'cosmics': + algname=algname+'Cosmics' + + isCosmics = ( inputFlags.Beam.Type == 'cosmics' ) + algo = LArSuperCellMonConfigCore(helper, lArCellMonAlg ,inputFlags, isCosmics, inputFlags.Input.isMC, algname) + + #if not inputFlags.Input.isMC: + # from AthenaMonitoring.BadLBFilterToolConfig import LArBadLBFilterToolCfg + # algo.BadLBTool=cfg.popToolsAndMerge(LArBadLBFilterToolCfg(inputFlags)) + print("Check the Algorithm properties",algo) + + cfg.merge(helper.result()) + + return cfg + + +def LArSuperCellMonConfigCore(helper, algclass, inputFlags, isCosmics=False, isMC=False, algname='LArSuperCellMonAlg'): + + + LArSuperCellMonAlg = helper.addAlgorithm(algclass, algname) + + + GroupName="LArSuperCellMon" + LArSuperCellMonAlg.MonGroupName = GroupName + + LArSuperCellMonAlg.EnableLumi = True + + + do2DOcc = True #TMP + print(do2DOcc) + + + + #---single Group for non threshold histograms + cellMonGroup = helper.addGroup( + LArSuperCellMonAlg, + GroupName, + '/LArMonitoring/LArSuperCellMon_NoTrigSel/' + + ) + + + #--define histograms + sc_hist_path='SC/' + + + cellMonGroup.defineHistogram('superCellEt;h_SuperCellEt', + title='Super Cell E_T [MeV]; MeV; # entries', + type='TH1F', path=sc_hist_path, + xbins = 100,xmin=0,xmax=50000) + cellMonGroup.defineHistogram('superCellEta;h_SuperCellEta', + title='Super Cell eta; #eta; # entries', + type='TH1F', path=sc_hist_path, + xbins = 100,xmin=-5,xmax=5) + cellMonGroup.defineHistogram('superCelltime;h_SuperCelltime', + title='Super Cell time [ns]; ns; # entries', + type='TH1F', path=sc_hist_path, + xbins = 100, xmin=-400,xmax=400) + cellMonGroup.defineHistogram('superCellprovenance;h_SuperCellprovenance', + title='Super Cell provenance; bitmask ; # entries', + type='TH1F', path=sc_hist_path, + xbins = 700, xmin=0,xmax=700) + cellMonGroup.defineHistogram('BCID,superCellEt;h_SuperCellEt_vs_BCID', + title='Super Cell ET [MeV] vs BCID ; BCID from train front; %', + type='TH2F', path=sc_hist_path, + xbins = 50, xmin=0,xmax=50, + ybins = 80, ymin=-1000,ymax=1000) + cellMonGroup.defineHistogram('BCID,superCellEtRef;h_SuperCellEtRef_vs_BCID', + title='Super Cell ET [MeV] vs BCID ; BCID from train front; %', + type='TH2F', path=sc_hist_path, + xbins = 50, xmin=0,xmax=50, + ybins = 80, ymin=-1000,ymax=1000) + + cellMonGroup.defineHistogram('resolution;h_SuperCellResolution', + title='Super Cell reconstruction resolution ; %; # entries', + type='TH1F', path=sc_hist_path, + xbins = 70, xmin=-20,xmax=120) + cellMonGroup.defineHistogram('resolutionPass;h_SuperCellResolutionPass', + title='Super Cell reconstruction resolution for BCIDed ; %; # entries', + type='TH1F', path=sc_hist_path, + xbins = 70, xmin=-20,xmax=120) + cellMonGroup.defineHistogram('superCellEt,resolution;h_SuperCellResolution_vs_ET', + title='Super Cell reconstruction resolution vs ET ; [MeV]; %', + type='TH2F', path=sc_hist_path, + xbins = 100, xmin=0,xmax=50000, + ybins = 70, ymin=-20,ymax=120) + cellMonGroup.defineHistogram('superCellEta,resolutionHET;h_SuperCellResolution_vs_eta', + title='Super Cell reconstruction resolution vs #eta ; #eta; %', + type='TH2F', path=sc_hist_path, + xbins = 100, xmin=-5,xmax=5, + ybins = 40, ymin=-20,ymax=20) + cellMonGroup.defineHistogram('BCID,resolution;h_SuperCellResolution_vs_BCID', + title='Super Cell reconstruction resolution vs BCID ; BCID from train front; %', + type='TH2F', path=sc_hist_path, + xbins = 50, xmin=0,xmax=50, + ybins = 80, ymin=-120,ymax=120) + + cellMonGroup.defineHistogram('superCellEtRef,superCellEt;h_SuperCellEtLin', + title='Super Cell E_T Linearity; Ref SC E_T [MeV]; SC E_T [MeV]', + type='TH2F', path=sc_hist_path, + xbins = 100,xmin=0,xmax=50000, + ybins = 100,ymin=0,ymax=50000) + cellMonGroup.defineHistogram('superCelltimeRef,superCelltime;h_SuperCelltimeLin', + title='Super Cell time Linearity; Ref SC time [ns]; SC time [ns]', + type='TH2F', path=sc_hist_path, + xbins = 100, xmin=-200,xmax=200, + ybins = 100, ymin=-200,ymax=200) + cellMonGroup.defineHistogram('superCellprovenanceRef,superCellprovenance;h_SuperCellprovenanceLin', + title='Super Cell provenance Linearity; Ref SC bitmask ; SC bitmask', + type='TH2F', path=sc_hist_path, + xbins = 17, xmin=0,xmax=680, + ybins = 17, ymin=0,ymax=680) + cellMonGroup.defineHistogram('BCID;h_BCID', + title='BCID from the front of the train; BCID ; # entries', + type='TH1F', path=sc_hist_path, + xbins = 120, xmin=0,xmax=120) + + sc_hist_path='SC_Layer/' + for part in LArSuperCellMonAlg.LayerNames: + partp='('+part+')' + cellMonGroup.defineHistogram('superCellEt_'+part+';h_SuperCellEt'+part, + title='Super Cell E_T [MeV] '+partp+'; MeV; # entries', + type='TH1F', path=sc_hist_path, + xbins = 100,xmin=0,xmax=50000) + cellMonGroup.defineHistogram('superCellEta_'+part+';h_SuperCellEta'+part, + title='Super Cell eta '+partp+'; #eta; # entries', + type='TH1F', path=sc_hist_path, + xbins = 100,xmin=-5,xmax=5) + cellMonGroup.defineHistogram('superCelltime_'+part+';h_SuperCelltime'+part, + title='Super Cell time [ns] '+partp+'; ns; # entries', + type='TH1F', path=sc_hist_path, + xbins = 100, xmin=-400,xmax=400) + cellMonGroup.defineHistogram('superCellprovenance_'+part+';h_SuperCellprovenance'+part, + title='Super Cell provenance '+partp+'; bitmask ; # entries', + type='TH1F', path=sc_hist_path, + xbins = 700, xmin=0,xmax=700) + cellMonGroup.defineHistogram('BCID,superCellEt_'+part+';h_SuperCellET_vs_BCID'+part, + title='Super Cell ET [MeV] vs BCID '+partp+'; BCID from train front; %', + type='TH2F', path=sc_hist_path, + xbins = 50, xmin=0,xmax=50, + ybins = 100, ymin=-1000,ymax=1000) + cellMonGroup.defineHistogram('BCID,superCellEtRef_'+part+';h_SuperCellRefET_vs_BCID'+part, + title='Super Cell ET [MeV] vs BCID '+partp+'; BCID from train front; %', + type='TH2F', path=sc_hist_path, + xbins = 50, xmin=0,xmax=50, + ybins = 100, ymin=-1000,ymax=1000) + + cellMonGroup.defineHistogram('resolution_'+part+';h_SuperCellResolution'+part, + title='Super Cell reconstruction resolution '+partp+'; %; # entries', + type='TH1F', path=sc_hist_path, + xbins = 70, xmin=-20,xmax=120) + cellMonGroup.defineHistogram('resolutionPass_'+part+';h_SuperCellResolutionPass'+part, + title='Super Cell reconstruction resolution for BCIDed '+partp+'; %; # entries', + type='TH1F', path=sc_hist_path, + xbins = 70, xmin=-20,xmax=120) + cellMonGroup.defineHistogram('superCellEt_'+part+',resolution_'+part+';h_SuperCellResolution_vs_ET'+part, + title='Super Cell reconstruction resolution vs ET '+partp+'; [MeV]; %', + type='TH2F', path=sc_hist_path, + xbins = 100, xmin=0,xmax=50000, + ybins = 70, ymin=-20,ymax=120) + cellMonGroup.defineHistogram('superCellEta_'+part+',resolutionHET_'+part+';h_SuperCellResolution_vs_eta'+part, + title='Super Cell reconstruction resolution vs #eta '+partp+'; #eta; %', + type='TH2F', path=sc_hist_path, + xbins = 100, xmin=-5,xmax=5, + ybins = 40, ymin=-20,ymax=20) + cellMonGroup.defineHistogram('BCID,resolution_'+part+';h_SuperCellResolution_vs_BCID'+part, + title='Super Cell reconstruction resolution vs BCID '+partp+'; BCID from train front; %', + type='TH2F', path=sc_hist_path, + xbins = 50, xmin=0,xmax=50, + ybins = 80, ymin=-120,ymax=120) + + cellMonGroup.defineHistogram('superCellEtRef_'+part+',superCellEt_'+part+';h_SuperCellEtLin'+part, + title='Super Cell E_T Linearity '+partp+'; Ref SC E_T [MeV]; SC E_T [MeV]', + type='TH2F', path=sc_hist_path, + xbins = 100,xmin=0,xmax=50000, + ybins = 100,ymin=0,ymax=50000) + cellMonGroup.defineHistogram('superCelltimeRef_'+part+',superCelltime_'+part+';h_SuperCelltimeLin'+part, + title='Super Cell time Linearity '+partp+'; Ref SC time [ns]; SC time [ns]', + type='TH2F', path=sc_hist_path, + xbins = 100, xmin=-200,xmax=200, + ybins = 100, ymin=-200,ymax=200) + cellMonGroup.defineHistogram('superCellprovenanceRef_'+part+',superCellprovenance_'+part+';h_SuperCellprovenanceLin'+part, + title='Super Cell provenance Linearity '+partp+'; Ref SC bitmask ; SC bitmask', + type='TH2F', path=sc_hist_path, + xbins = 17, xmin=0,xmax=680, + ybins = 17, ymin=0,ymax=680) + + + cellMonGroup.defineHistogram('cellEnergy_'+part+';CellEnergy_'+part, + title='Cell Energy in ' +part+';Cell Energy [MeV];Cell Events', + type='TH1F', path=sc_hist_path, + xbins = 100,xmin=0,xmax=50000 + ) + LArSuperCellMonAlg.doDatabaseNoiseVsEtaPhi = True + + for part in LArSuperCellMonAlg.LayerNames: + + cellMonGroup.defineHistogram('celleta_'+part+';NCellsActiveVsEta_'+part, + title="No. of Active Cells in #eta for "+part+";cell #eta", + type='TH1F', path=sc_hist_path, + xbins = 100,xmin=-5,xmax=5 + ) + + cellMonGroup.defineHistogram('cellphi_'+part+';NCellsActiveVsPhi_'+part, + title="No. of Active Cells in #phi for "+part+";cell #phi", + type='TH1F', path=sc_hist_path, + xbins = 100,xmin=-5,xmax=5 + ) + + cellMonGroup.defineHistogram('celleta_'+part+',cellphi_'+part+';DatabaseNoiseVsEtaPhi_'+part, + title="Map of Noise Values from the Database vs (#eta,#phi) for "+part+";cell #eta;cell #phi", + weight='cellnoisedb_'+part, + cutmask='doDatabaseNoisePlot', + type='TH2F', path="DatabaseNoise/", + xbins = 100,xmin=-5,xmax=5, + ybins = 100,ymin=-5,ymax=5, + merge='weightedAverage') + + + + return LArSuperCellMonAlg + + +if __name__=='__main__': + + # Setup the Run III behavior + from AthenaCommon.Configurable import Configurable + Configurable.configurableRun3Behavior = 1 + + # Setup logs + from AthenaCommon.Constants import DEBUG + from AthenaCommon.Constants import WARNING + from AthenaCommon.Logging import log + log.setLevel(DEBUG) + + # Set the Athena configuration flags + from AthenaConfiguration.AllConfigFlags import ConfigFlags + #from AthenaConfiguration.TestDefaults import defaultTestFiles + #ConfigFlags.Input.Files = defaultTestFiles.ESD + #ConfigFlags.Input.Files = ['/afs/cern.ch/work/l/lily/LAr/Rel22Dataset/valid1.345058.PowhegPythia8EvtGen_NNPDF3_AZNLO_ggZH125_vvbb.recon.ESD.e6004_e5984_s3126_d1623_r12488/ESD.24607649._000024.pool.root.1'] + ConfigFlags.Input.Files = ['/home/pavol/valid1/ESD.24607649._000024.pool.root.1'] + ConfigFlags.Input.Files = ['/tmp/damazio/SCMon/ESD.24607649._000024.pool.root.1'] + #ConfigFlags.Input.Files = ['/eos/atlas/user/b/bcarlson/Run3Tmp/data18_13TeV.00360026.physics_EnhancedBias.recon.ESD.r10978_r11179_r11185/ESD.16781883._001043.pool.root.1'] + # to test tier0 workflow: + #ConfigFlags.Input.Files = ['/cvmfs/atlas-nightlies.cern.ch/repo/data/data-art/OverlayMonitoringRTT/data15_13TeV.00278748.physics_ZeroBias.merge.RAW._lb0384._SFO-ALL._0001.1'] + + #ConfigFlags.Calo.Cell.doPileupOffsetBCIDCorr=True + ConfigFlags.Output.HISTFileName = 'LArSuperCellMonOutput.root' + ConfigFlags.DQ.enableLumiAccess = True + ConfigFlags.DQ.useTrigger = False + ConfigFlags.DQ.Environment = 'tier0' + ConfigFlags.lock() + + + # Initialize configuration object, add accumulator, merge, and run. + from AthenaConfiguration.MainServicesConfig import MainServicesCfg + cfg = MainServicesCfg(ConfigFlags) + print(cfg) + print(dir(cfg)) + print(cfg.getServices()) + storeGateSvc = cfg.getService("StoreGateSvc") + storeGateSvc.Dump=True + print(storeGateSvc) + + # in case of tier0 workflow: + #from CaloRec.CaloRecoConfig import CaloRecoCfg + #cfg.merge(CaloRecoCfg(ConfigFlags)) + + from AthenaPoolCnvSvc.PoolReadConfig import PoolReadCfg + cfg.merge(PoolReadCfg(ConfigFlags)) + + from LumiBlockComps.BunchCrossingCondAlgConfig import BunchCrossingCondAlgCfg + cfg.merge(BunchCrossingCondAlgCfg(ConfigFlags)) + + cfg.merge(LArSuperCellMonConfig(ConfigFlags)) + + f=open("LArSuperCellMon.pkl","wb") + cfg.store(f) + f.close() + + cfg.run(200,OutputLevel=WARNING) #use cfg.run() to run on all events diff --git a/LArCalorimeter/LArMonitoring/src/LArSuperCellMonAlg.cxx b/LArCalorimeter/LArMonitoring/src/LArSuperCellMonAlg.cxx new file mode 100644 index 0000000000000000000000000000000000000000..90e102dafcc64ce38cb1ba61159745af53a2cfaa --- /dev/null +++ b/LArCalorimeter/LArMonitoring/src/LArSuperCellMonAlg.cxx @@ -0,0 +1,277 @@ +/* + Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration +*/ + +// NAME: LArSuperCellMonAlg.cxx +// based on LArCellMonAlg: +// L. Morvaj, P.Strizenec, D. Oliveira Damazio - develop for Digital Trigger monitoring (2021) +// ******************************************************************** +#include "LArSuperCellMonAlg.h" + + +#include "CaloDetDescr/CaloDetDescrElement.h" +#include "CaloIdentifier/CaloGain.h" +#include "Identifier/Identifier.h" +#include "Identifier/HWIdentifier.h" +#include "CaloIdentifier/CaloCell_ID.h" +#include "CaloDetDescr/CaloDetDescrManager.h" + +//#include "AthenaMonitoring/DQBadLBFilterTool.h" +//#include "AthenaMonitoring/DQAtlasReadyFilterTool.h" + +#include "CaloEvent/CaloCellContainer.h" +#include "AthenaKernel/Units.h" + +#include <cassert> +#include <algorithm> + +//////////////////////////////////////////// +LArSuperCellMonAlg::LArSuperCellMonAlg(const std::string& name, ISvcLocator* pSvcLocator) + :AthMonitorAlgorithm(name, pSvcLocator), + // m_badChannelMask("BadLArRawChannelMask",this), + m_calo_id(nullptr) +{ +} + + + +LArSuperCellMonAlg::~LArSuperCellMonAlg() { +} + +//////////////////////////////////////////// +StatusCode LArSuperCellMonAlg::initialize() { + + ATH_MSG_DEBUG("LArSuperCellMonAlg::initialize() start"); + + + //Identfier-helpers + ATH_CHECK( detStore()->retrieve(m_calo_id) ); + + ATH_CHECK( m_superCellContainerKey.initialize() ); + ATH_CHECK( m_superCellContainerRefKey.initialize() ); + ATH_CHECK( m_noiseCDOKey.initialize() ); + ATH_CHECK( m_bcDataKey.initialize() ); + + ATH_MSG_DEBUG("LArSuperCellMonAlg::initialize() is done!"); + + return AthMonitorAlgorithm::initialize(); +} + + + +StatusCode LArSuperCellMonAlg::initThresh() { + + return StatusCode::SUCCESS; +} + + +//////////////////////////////////////////////////////////////////////////// +StatusCode LArSuperCellMonAlg::fillHistograms(const EventContext& ctx) const{ + + ATH_MSG_DEBUG("LArSuperCellMonAlg::fillHistograms() starts"); + + SG::ReadHandle<CaloCellContainer> superCellHdl{m_superCellContainerKey, ctx}; + const CaloCellContainer* superCellCont = superCellHdl.cptr(); + + SG::ReadHandle<CaloCellContainer> superCellRefHdl{m_superCellContainerRefKey, ctx}; + const CaloCellContainer* superCellRefCont = superCellRefHdl.cptr(); + + SG::ReadCondHandle<CaloNoise> noiseHdl{m_noiseCDOKey, ctx}; + const CaloNoise *noisep = *noiseHdl; + + SG::ReadCondHandle<BunchCrossingCondData> bccd (m_bcDataKey,ctx); + + if (ctx.evt()==0) { + ATH_CHECK(createPerJobHistograms(superCellCont, noisep)); + } + + //get LB + auto lumiBlock = Monitored::Scalar<unsigned int>("lumiBlock",0); + lumiBlock = GetEventInfo(ctx)->lumiBlock(); + auto bcid = Monitored::Scalar<unsigned int>("bcid",0); + bcid = GetEventInfo(ctx)->bcid(); + int bcidFFB = bccd->distanceFromFront(bcid,BunchCrossingCondData::BunchCrossings); + + + + //////////////// loop over SUPER cells ------------- + + CaloCellContainer::const_iterator SCit = superCellCont->begin(); + CaloCellContainer::const_iterator SCit_e = superCellCont->end(); + + std::vector<std::reference_wrapper<Monitored::IMonitoredVariable>> variables; + + for ( ; SCit!=SCit_e;++SCit) { + + const CaloCell* superCell = *SCit; + variables.clear(); + + float SCet = superCell->et(); + const CaloDetDescrElement* SCcaloDDE = superCell->caloDDE(); + float SCeta,SCphi; + unsigned iLyr, iLyrNS; + float SCt = superCell->time(); + + getHistoCoordinates(SCcaloDDE, SCeta, SCphi, iLyr, iLyrNS); + + + int SCprov = superCell->provenance()&0xFFF; + bool SCpassTime = SCprov & 0x200; + bool SCpassPF = SCprov & 0x40; + + const CaloCell* superCellRef = superCellRefCont->findCell( SCcaloDDE->identifyHash() ); + float SCetRef = superCellRef->et(); + float resolution = -100; + float resolutionPass = -100; + float resolutionHET = -100; + if ( SCetRef > 100 ) resolution = 100.0*(SCet-SCetRef)/SCetRef; + if ( SCpassTime || SCpassPF ) resolutionPass = resolution; + if ( SCet > 4e3 ) resolutionHET=resolution; + + // real monitoring business + auto MSCet = Monitored::Scalar<float>("superCellEt",SCet); + auto MSCt = Monitored::Scalar<float>("superCelltime",SCt); + auto MSCprov = Monitored::Scalar<int>("superCellprovenance",SCprov); + auto MSCeta = Monitored::Scalar<float>("superCellEta",SCeta); + auto MSCres = Monitored::Scalar<float>("resolution",resolution); + auto MSCresPass = Monitored::Scalar<float>("resolutionPass",resolutionPass); + auto MSCresHET = Monitored::Scalar<float>("resolutionHET",resolutionHET); + auto MSCetRef = Monitored::Scalar<float>("superCellEtRef",SCetRef); + auto MSCtRef = Monitored::Scalar<float>("superCelltimeRef",superCellRef->time()); + auto MSCprovRef = Monitored::Scalar<int>("superCellprovenanceRef",(superCellRef->provenance()&0xFFF)); + variables.push_back(MSCet); + variables.push_back(MSCt); + variables.push_back(MSCprov); + variables.push_back(MSCeta); + if ( SCetRef > 100 ) variables.push_back(MSCres); + if ( (SCetRef > 100 ) && (SCpassTime || SCpassPF ) ) variables.push_back(MSCresPass); + if ( (SCetRef > 100 ) && (SCet > 4e3 ) ) variables.push_back(MSCresHET); + variables.push_back(MSCetRef); + // let us put conditional to force building the linearity plot + // only when the new signal passes BCID + if ( SCpassTime || SCpassPF ) variables.push_back(MSCtRef); + variables.push_back(MSCprovRef); + + // per layer + auto layerName=m_layerNames[iLyr]; + auto LMSCet = Monitored::Scalar<float>("superCellEt_"+layerName,SCet); + auto LMSCt = Monitored::Scalar<float>("superCelltime_"+layerName,SCt); + auto LMSCprov = Monitored::Scalar<int>("superCellprovenance_"+layerName,SCprov); + auto LMSCeta = Monitored::Scalar<float>("superCellEta_"+layerName,SCeta); + auto LMSCres = Monitored::Scalar<float>("resolution_"+layerName,resolution); + auto LMSCresPass = Monitored::Scalar<float>("resolutionPass_"+layerName,resolutionPass); + auto LMSCresHET = Monitored::Scalar<float>("resolutionHET_"+layerName,resolutionHET); + auto LMSCetRef = Monitored::Scalar<float>("superCellEtRef_"+layerName,SCetRef); + auto LMSCtRef = Monitored::Scalar<float>("superCelltimeRef_"+layerName,superCellRef->time()); + auto LMSCprovRef = Monitored::Scalar<int>("superCellprovenanceRef_"+layerName,(superCellRef->provenance()&0xFFF)); + + auto MBCIDFFB = Monitored::Scalar<int>("BCID",bcidFFB); + variables.push_back(LMSCet); + variables.push_back(LMSCt); + variables.push_back(LMSCprov); + variables.push_back(LMSCeta); + if ( SCetRef > 100 ) variables.push_back(LMSCres); + if ( (SCetRef > 100 ) && (SCpassTime || SCpassPF ) ) variables.push_back(LMSCresPass); + if ( (SCetRef > 100 ) && (SCet > 4e3 ) ) variables.push_back(LMSCresHET); + variables.push_back(LMSCetRef); + if ( SCpassTime || SCpassPF ) variables.push_back(LMSCtRef); + variables.push_back(LMSCprovRef); + variables.push_back(MBCIDFFB); + + fill(m_MonGroupName,variables); + + } // end loop over SC + + + + + ATH_MSG_DEBUG("LArSuperCellMonAlg::fillLarHists() is done"); + return StatusCode::SUCCESS; +} + + +StatusCode LArSuperCellMonAlg::createPerJobHistograms(const CaloCellContainer* cellCont, const CaloNoise *noisep ) const { + + ATH_MSG_INFO("Creating the once-per-job histograms"); + //The following histograms can be considered constants for one job + //(in fact, they are constant for an entire run or even run-periode) + //ActiveCells in eta/phi (to normalize 1D occupancy plots) + //BadChannel word + //Database noise + + auto doDatabaseNoisePlot = Monitored::Scalar<bool>("doDatabaseNoisePlot",m_doDatabaseNoiseVsEtaPhi); + + // if(!doDatabaseNoisePlot && !doCellsActiveEtaPlot && !doCellsActivePhiPlot) { + if(!doDatabaseNoisePlot) { + ATH_MSG_INFO("No once-per-job histogram requested"); + return StatusCode::SUCCESS; + } + + + //filling: + + CaloCellContainer::const_iterator it = cellCont->begin(); + CaloCellContainer::const_iterator it_e = cellCont->end(); + for ( ; it!=it_e;++it) { + const CaloCell* cell = *it; + Identifier id = cell->ID(); + bool is_lar=m_calo_id->is_lar(id); + if(!is_lar) continue; + const CaloDetDescrElement* caloDDEl=cell->caloDDE(); + float celleta, cellphi; + unsigned iLyr, iLyrNS; + + + getHistoCoordinates(caloDDEl, celleta, cellphi, iLyr, iLyrNS); + + auto mon_eta = Monitored::Scalar<float>("celleta_"+m_layerNames[iLyr],celleta); + auto mon_phi = Monitored::Scalar<float>("cellphi_"+m_layerNames[iLyr],cellphi); + auto cellnoisedb = Monitored::Scalar<float>("cellnoisedb_"+m_layerNames[iLyr],noisep->getNoise(id,cell->gain())); + + fill(m_MonGroupName,cellnoisedb,mon_eta,mon_phi); + + + }//end loop over cells + + return StatusCode::SUCCESS; +} + + + +std::string LArSuperCellMonAlg::strToLower(const std::string& input) const { + std::string output; + for (const auto& c : input) { + output.push_back(std::tolower(c)); + } + return output; +} + + + +void LArSuperCellMonAlg::getHistoCoordinates(const CaloDetDescrElement* dde, float& celleta, float& cellphi, unsigned& iLyr, unsigned& iLyrNS) const { + + celleta=dde->eta_raw(); + cellphi=dde->phi_raw(); + + int calosample=dde->getSampling(); + if (dde->is_lar_em_endcap_inner()) calosample-=1; //Here, we consider the two layers of the EMEC IW as EME1 and EME2 instad of layer 2 and 3 + iLyrNS=m_caloSamplingToLyrNS.at(calosample); //will throw if out of bounds + if ((iLyrNS==EMB1NS || iLyrNS==EMB2NS) && m_calo_id->region(dde->identify())==1) { + //We are in the awkward region 1 of the EM Barrel + //Looking at the image at http://atlas.web.cern.ch/Atlas/GROUPS/LIQARGEXT/TDR/figures6/figure6-17.eps + //may be useful to understand what's going on here. + + //In brief: Region 1, layer 1 is closer related ot the middle compartment (aka layer 2) + // and region 1, layer 2 closer related to the back compartment (aka layer 3) + iLyrNS+=1; + + //Layer 2: 0<eta<1.4 + 1.4<eta<1.475, deta = 0.025. 3 rows of cells from region 1 + //Layer 3: 0<eta<1.35 (deta=0.050) + 1.4<eta<1.475 (deta = 0.075). 1 row of cell from region 1 with different dEta + } + + const unsigned side=(celleta>0) ? 0 : 1; //Value >0 means A-side + iLyr=iLyrNS*2+side; //Getting LayerEnum value. This logic works because of the way the enums LayerEnum and LayerEnumNoSides are set up. + return; +} + + diff --git a/LArCalorimeter/LArMonitoring/src/LArSuperCellMonAlg.h b/LArCalorimeter/LArMonitoring/src/LArSuperCellMonAlg.h new file mode 100644 index 0000000000000000000000000000000000000000..6f08c07ea32ba7f8c4adf6e9dd6f661702ef5e89 --- /dev/null +++ b/LArCalorimeter/LArMonitoring/src/LArSuperCellMonAlg.h @@ -0,0 +1,160 @@ +/* + Copyright (C) 2002-2020 CERN for the benefit of the ATLAS collaboration +*/ +// Morvaj, P.Strizenec - develop for Digital Trigger monitoring (2021) + +#ifndef LARMONITORING_LARSUPERCELLMONALG_H +#define LARMONITORING_LARSUPERCELLMONALG_H + +#include "AthenaMonitoring/AthMonitorAlgorithm.h" + +//#include "LArRecConditions/ILArBadChannelMasker.h" + +#include "LArIdentifier/LArOnlineID.h" +#include "Identifier/IdentifierHash.h" + +#include "StoreGate/ReadCondHandleKey.h" +//#include "LArRecConditions/LArBadChannelCont.h" +#include "LArCabling/LArOnOffIdMapping.h" +#include "CaloConditions/CaloNoise.h" + +//#include "TrigDecisionTool/TrigDecisionTool.h" +#include "LumiBlockData/BunchCrossingCondData.h" + +#include <vector> +#include <string> +#include <bitset> +#include <array> +#include <map> +#include <unordered_map> + +namespace Trig { + class ChainGroup; +} + +class CaloCell; +class TileID; +class CaloCell_ID; + + +class LArSuperCellMonAlg : public AthMonitorAlgorithm { + + public: + + LArSuperCellMonAlg(const std::string& name, ISvcLocator* pSvcLocator); + ~LArSuperCellMonAlg(); + + virtual StatusCode initialize() override final; + virtual StatusCode fillHistograms(const EventContext& ctx) const override final; + + +private: + + // Job properties + SG::ReadHandleKey<CaloCellContainer> m_superCellContainerKey{this,"CaloCellContainer","SCell","SG key of the input super cell container"}; + SG::ReadHandleKey<CaloCellContainer> m_superCellContainerRefKey{this,"CaloCellContainerRef","SCellEm","SG key of the reference super cell container"}; + + /// Property: Bunch crossing data (MC only) (conditions input). + SG::ReadCondHandleKey<BunchCrossingCondData> m_bcDataKey + {this, "BunchCrossingCondDataKey", "BunchCrossingData" ,"SG Key of BunchCrossing CDO"}; + + Gaudi::Property<std::string> m_MonGroupName {this, "MonGroupName", "LArSuperCellMonGroup"}; + //Gaudi::Property<std::string> m_SuperCellContainer {this, "SuperCellContainer", "LArSuperCellContainer"}; + // std::string m_SuperCellContainer; + + Gaudi::Property<std::vector<std::string> > m_streams{this, "Streams", {}, "Which streams to monitor, if empty, only simple profile per partition (offline case)"}; + Gaudi::Property<std::vector<std::string> > m_partitions {this, "PartitionNames", {} }; + Gaudi::Property<std::vector<std::string> > m_SubDetNames{this, "SubDetNames", {} }; + + SG::ReadCondHandleKey<CaloNoise> m_noiseCDOKey{this,"CaloNoiseKey","totalNoise","SG Key of CaloNoise data object"}; + + //Tool maps, for thr. histograms + std::map<std::string,std::map<std::string,int>> m_toolmapAll; + + + // Thresholds for time and Time vs Energy plots: + // Energy thresholds hardcoded following official timing analysis. See for example: + // https://indico.cern.ch/event/522351/ + FloatArrayProperty m_eCutForTiming {this, "EcutForTiming", + //EMBPNS=0, EMB1NS, EMB2NS, EMB3NS, HEC0NS, HEC1NS, HEC2NS, HEC3NS,EMECPNS,EMEC1NS,EMEC2NS,EMEC3NS,FCAL1NS,FCAL2NS,FCAL3NS + {1000., 1000., 3000., 1500., 3500., 3500., 3500., 3500., 1500., 3000., 3000., 2000., 10000., 10000., 10000.} + }; + + StringArrayProperty m_layerNames{this, "LayerNames", {"EMBPA", "EMBPC", "EMB1A", "EMB1C", "EMB2A", "EMB2C", "EMB3A", "EMB3C", + "HEC0A", "HEC0C", "HEC1A", "HEC1C", "HEC2A", "HEC2C", "HEC3A", "HEC3C", + "EMECPA", "EMECPC", "EMEC1A", "EMEC1C", "EMEC2A", "EMEC2C", "EMEC3A", "EMEC3C", + "FCAL1A", "FCAL1C", "FCAL2A", "FCAL2C", "FCAL3A", "FCAL3C"}, + "Names of individual layers to monitor"}; + IntegerArrayProperty m_layerNcells{this,"LayerNcells",{ 3905, 3905, 29376, 29376, 14595, 14595, 6912, 6912, + 768, 768, 736, 736, 672, 672, 640, 640, + 768, 768, 14272, 14272, 11712, 11712, 5120, 5120, + 1008, 1008, 500, 500, 254, 254}, + "Number of expected cells per layer"}; + + StringArrayProperty m_partitionNames{this, "PartitionNames", {"EMBA","EMBC","EMECA","EMECC","HECA","HECC","FCALA","FCALC"}}; + + BooleanProperty m_doDatabaseNoiseVsEtaPhi{this, "doDatabaseNoiseVsEtaPhi", true}; + + + //enums to help with the conversion of Layer, partitions and such: + //Enumerate layers + enum LayerEnum{EMBPA=0, EMBPC, EMB1A, EMB1C, EMB2A, EMB2C, EMB3A, EMB3C, + HEC0A, HEC0C, HEC1A, HEC1C, HEC2A, HEC2C, HEC3A, HEC3C, + EMECPA,EMECPC,EMEC1A,EMEC1C,EMEC2A,EMEC2C,EMEC3A,EMEC3C, + FCAL1A,FCAL1C,FCAL2A,FCAL2C,FCAL3A,FCAL3C,MAXLAYER}; + + //Enumerate layer-types, ignoring sides. Useful for configuration that is per-definition symmetric + enum LayerEnumNoSides{EMBPNS=0, EMB1NS, EMB2NS, EMB3NS, HEC0NS, HEC1NS, HEC2NS, HEC3NS, + EMECPNS,EMEC1NS,EMEC2NS,EMEC3NS,FCAL1NS,FCAL2NS,FCAL3NS,MAXLYRNS}; + + FloatArrayProperty m_thresholdsProp[MAXLYRNS]; + + //Enumerate partitions + enum PartitionEnum{EMBA,EMBC,EMECA,EMECC,HECA,HECC,FCALA,FCALC,MAXPARTITIONS}; + + + + //Mapping of CaloCell nomencature to CaloCellMonitoring nomencature + const std::map<unsigned,LayerEnumNoSides> m_caloSamplingToLyrNS{ + {CaloSampling::PreSamplerB, EMBPNS},{CaloSampling::EMB1,EMB1NS},{CaloSampling::EMB2,EMB2NS},{CaloSampling::EMB3,EMB3NS}, //LAr Barrel + {CaloSampling::PreSamplerE, EMECPNS},{CaloSampling::EME1,EMEC1NS}, {CaloSampling::EME2,EMEC2NS}, {CaloSampling::EME3,EMEC3NS}, //LAr Endcap + {CaloSampling::HEC0,HEC0NS}, {CaloSampling::HEC1,HEC1NS}, {CaloSampling::HEC2,HEC2NS}, {CaloSampling::HEC3,HEC3NS}, //Hadronic endcap + {CaloSampling::FCAL0,FCAL1NS}, {CaloSampling::FCAL1,FCAL2NS}, {CaloSampling::FCAL2,FCAL3NS} //FCAL + }; + + //Mapping of layers to the partition the layer belongs to + const std::array<PartitionEnum,MAXLAYER> m_layerEnumtoPartitionEnum{{ + EMBA, EMBC, EMBA, EMBC, EMBA, EMBC, EMBA, EMBC, + HECA, HECC, HECA, HECC, HECA, HECC, HECA, HECC, + EMECA, EMECC, EMECA, EMECC, EMECA, EMECC, EMECA, EMECC, + FCALA, FCALC, FCALA, FCALC, FCALA, FCALC + }}; + + + //Private methods: Initialization and job-option interpretation + StatusCode initThresh(); + + std::string strToLower(const std::string& input) const; + + + //Private methods: Histogram filling + StatusCode createPerJobHistograms(const CaloCellContainer* cellcont, const CaloNoise *noisep) const; + + //Helpers for histogram filling + void getHistoCoordinates(const CaloDetDescrElement* dde, float& celleta, float& cellphi, unsigned& iLyr, unsigned& iLyrNS) const; + + // other private variables + + + // Identifer helpers and such + + const LArOnlineID* m_LArOnlineIDHelper; + const CaloCell_ID* m_calo_id; + + SG::ReadCondHandleKey<LArOnOffIdMapping> m_cablingKey{this,"CablingKey","LArOnOffIdMap","SG Key of LArOnOffIdMapping object"}; + + +}; + +#endif + diff --git a/LArCalorimeter/LArMonitoring/src/components/LArMonitoring_entries.cxx b/LArCalorimeter/LArMonitoring/src/components/LArMonitoring_entries.cxx index 84909195a1314cd4379b81bcd8a406fd0f18adbd..d65b956ff04dcd14fc40565a599a7f15cecbd221 100755 --- a/LArCalorimeter/LArMonitoring/src/components/LArMonitoring_entries.cxx +++ b/LArCalorimeter/LArMonitoring/src/components/LArMonitoring_entries.cxx @@ -11,6 +11,7 @@ #include "../LArNoiseCorrelationMonAlg.h" #include "../LArCalibPedMonAlg.h" #include "../LArCoherentNoisefractionMonAlg.h" +#include "../LArSuperCellMonAlg.h" DECLARE_COMPONENT(LArCollisionTimeMonAlg) DECLARE_COMPONENT(LArAffectedRegionsAlg) @@ -25,3 +26,4 @@ DECLARE_COMPONENT(LArDigitalTriggMonAlg) DECLARE_COMPONENT(LArNoiseCorrelationMonAlg) DECLARE_COMPONENT(LArCalibPedMonAlg) DECLARE_COMPONENT(LArCoherentNoisefractionMonAlg) +DECLARE_COMPONENT(LArSuperCellMonAlg) diff --git a/LArCalorimeter/LArROD/python/LArSCSimpleMakerConfig.py b/LArCalorimeter/LArROD/python/LArSCSimpleMakerConfig.py new file mode 100644 index 0000000000000000000000000000000000000000..358d1bc59329095950eba12e051d72391853d232 --- /dev/null +++ b/LArCalorimeter/LArROD/python/LArSCSimpleMakerConfig.py @@ -0,0 +1,38 @@ +"""Configuration for the LAr SC Simple Maker algorithm + +Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration +""" +from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator +from AthenaConfiguration.ComponentFactory import CompFactory + + +def LArSCSimpleMakerCfg(flags, **kwargs): + """Return ComponentAccumulator for LArSCSimpleMaker algorithm""" + acc = ComponentAccumulator() + + acc.addCondAlgo(CompFactory.CaloNoiseSigmaDiffCondAlg(**kwargs)) + + from CaloRec.CaloBCIDLumiCondAlgConfig import CaloBCIDLumiCondAlgCfg + acc.merge(CaloBCIDLumiCondAlgCfg(flags)) + + from CaloRec.CaloBCIDAvgAlgConfig import CaloBCIDAvgAlgCfg + acc.merge(CaloBCIDAvgAlgCfg(flags)) + + kwargs.setdefault("SCellContainer","SimpleSCellNoBCID") + acc.addEventAlgo(CompFactory.LArSCSimpleMaker(**kwargs)) + return acc + +def LArSuperCellBCIDEmAlgCfg(flags, **kwargs): + """Return ComponentAccumulator for LArSuperCellBCIDEmAlg algorithm""" + acc = ComponentAccumulator() + + from CaloRec.CaloBCIDLumiCondAlgConfig import CaloBCIDLumiCondAlgCfg + acc.merge(CaloBCIDLumiCondAlgCfg(flags)) + + from CaloRec.CaloBCIDAvgAlgConfig import CaloBCIDAvgAlgCfg + acc.merge(CaloBCIDAvgAlgCfg(flags)) + + kwargs.setdefault("SCellContainerIn","SimpleSCellNoBCID") + kwargs.setdefault("SCellContainerOut","SCellEm") + acc.addEventAlgo(CompFactory.LArSuperCellBCIDEmAlg(**kwargs)) + return acc diff --git a/LArCalorimeter/LArROD/src/LArSCSimpleMaker.cxx b/LArCalorimeter/LArROD/src/LArSCSimpleMaker.cxx index 313cf5b6620d29172f6135c5090db0e8c00fa0dd..40271693dab6913dfcbe2649995574fc9c8790db 100755 --- a/LArCalorimeter/LArROD/src/LArSCSimpleMaker.cxx +++ b/LArCalorimeter/LArROD/src/LArSCSimpleMaker.cxx @@ -202,7 +202,8 @@ StatusCode LArSCSimpleMaker::execute(const EventContext& context) const } energies[i]+=add_noise; - CaloCell* ss = dataPool.nextElementPtr(); + //CaloCell* ss = dataPool.nextElementPtr(); + CaloCell* ss = new CaloCell(); ss->setCaloDDE( m_sem_mgr->get_element (i)); ss->setEnergy( energies[i] ); uint16_t prov (0); diff --git a/LArCalorimeter/LArRecUtils/python/LArRoIMapCondAlgDefault.py b/LArCalorimeter/LArRecUtils/python/LArRoIMapCondAlgDefault.py index b02c5903e920164dd3e0a35f1f37189ab621345a..b830a16550675699f6874c3f80b6e351f8374f04 100644 --- a/LArCalorimeter/LArRecUtils/python/LArRoIMapCondAlgDefault.py +++ b/LArCalorimeter/LArRecUtils/python/LArRoIMapCondAlgDefault.py @@ -17,7 +17,7 @@ def LArRoIMapCondAlgDefault (name = 'LArRoIMapCondAlg'): from AthenaCommon.Include import include include ('CaloConditions/LArTTCellMap_ATLAS_jobOptions.py') - include ('CaloConditions/CaloTTId_ATLAS_jobOptions.py') + include ('CaloConditions/CaloTTIdMap_ATLAS_jobOptions.py') CaloTriggerTowerService = CompFactory.CaloTriggerTowerService # CaloTriggerTool larRoIMapCondAlg = CompFactory.LArRoIMapCondAlg (name, diff --git a/MuonSpectrometer/MuonCnv/MuonEventTPCnv/src/MuonRDO/NSW_PadTriggerDataContainerCnv_p1.cxx b/MuonSpectrometer/MuonCnv/MuonEventTPCnv/src/MuonRDO/NSW_PadTriggerDataContainerCnv_p1.cxx index 8bd2eee4842c91066ff6ef8263f45b801fffd2a4..1df812b83e4e509a2e2853556ebbe218f54455cc 100644 --- a/MuonSpectrometer/MuonCnv/MuonEventTPCnv/src/MuonRDO/NSW_PadTriggerDataContainerCnv_p1.cxx +++ b/MuonSpectrometer/MuonCnv/MuonEventTPCnv/src/MuonRDO/NSW_PadTriggerDataContainerCnv_p1.cxx @@ -38,7 +38,7 @@ void NSW_PadTriggerDataContainerCnv_p1::transToPers(const NSW_PadTriggerDataCont } persistentObj->m_collections.reserve(transientObj->size()); // Iterate over collections - for (const auto& tCollection : *transientObj) { + for (const NSW_PadTriggerData* tCollection : *transientObj) { NSW_PadTriggerData_p1 pCollection{}; pCollection.m_segments.reserve(tCollection->size()); diff --git a/MuonSpectrometer/MuonDetDescr/MuonAGDDBase/MuonAGDDBase/ATLAS_CHECK_THREAD_SAFETY b/MuonSpectrometer/MuonDetDescr/MuonAGDDBase/MuonAGDDBase/ATLAS_CHECK_THREAD_SAFETY new file mode 100644 index 0000000000000000000000000000000000000000..6bd22768dad151006d3a33ca8eee5fe8761946cf --- /dev/null +++ b/MuonSpectrometer/MuonDetDescr/MuonAGDDBase/MuonAGDDBase/ATLAS_CHECK_THREAD_SAFETY @@ -0,0 +1 @@ +MuonSpectrometer/MuonDetDescr/MuonAGDDBase diff --git a/MuonSpectrometer/MuonDetDescr/MuonAGDDBase/src/AGDDMuonStation.cxx b/MuonSpectrometer/MuonDetDescr/MuonAGDDBase/src/AGDDMuonStation.cxx index b3245684b94f2ae3f650a2c30c68e6f7599c3bcf..adff8d754ad1a38d33e9251b810d2734965c4ac8 100644 --- a/MuonSpectrometer/MuonDetDescr/MuonAGDDBase/src/AGDDMuonStation.cxx +++ b/MuonSpectrometer/MuonDetDescr/MuonAGDDBase/src/AGDDMuonStation.cxx @@ -32,14 +32,8 @@ void AGDDMuonStation::CreateSolid (const AGDDBuilder& /*builder*/) void AGDDMuonStation::CreateVolume (const AGDDBuilder& builder) { std::cout<<"this is AGDDMuonStation::CreateVolume()"<<std::endl; - static int ifirst=1; - static const GeoMaterial* air=0; - if (ifirst) - { - ifirst=0; - air = GetMMMaterial("std::Air"); - if (!air) std::cout<<" Air not found!"<<std::endl; - } + static const GeoMaterial* const air = GetMMMaterial("std::Air"); + if (!air) std::cout<<" Air not found!"<<std::endl; CreateSolid (builder); diff --git a/MuonSpectrometer/MuonGeoModel/MuonGeoModel/Component.h b/MuonSpectrometer/MuonGeoModel/MuonGeoModel/Component.h index 384efe0a6c5a8a4ccd9c82cb3d2fe752ccd4f6bc..b9003cfce0745a5d1b187defefd136cf4a355280 100644 --- a/MuonSpectrometer/MuonGeoModel/MuonGeoModel/Component.h +++ b/MuonSpectrometer/MuonGeoModel/MuonGeoModel/Component.h @@ -1,5 +1,5 @@ /* - Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration + Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration */ #ifndef Component_H @@ -11,8 +11,8 @@ namespace MuonGM { class Component { public: Component(); - Component(const Component &c); - Component &operator=(const Component &c); + Component(const Component &c) = default; + Component &operator=(const Component &c) = default; virtual ~Component(){}; double GetThickness() const; std::string name; diff --git a/MuonSpectrometer/MuonGeoModel/MuonGeoModel/DetectorElement.h b/MuonSpectrometer/MuonGeoModel/MuonGeoModel/DetectorElement.h index 78e46c253b6db0e3172a5ce76b18af23b0054b51..493e965b544cc3761e2f83131eb09c28a35f555d 100644 --- a/MuonSpectrometer/MuonGeoModel/MuonGeoModel/DetectorElement.h +++ b/MuonSpectrometer/MuonGeoModel/MuonGeoModel/DetectorElement.h @@ -19,9 +19,9 @@ namespace MuonGM { std::string name; std::string logVolName; - DetectorElement(std::string n) : name(n) { logVolName = ""; } + DetectorElement(const std::string& n) : name(n) { } - void setLogVolName(std::string str) { logVolName = str; } + void setLogVolName(const std::string& str) { logVolName = str; } virtual void print() { MsgStream log(Athena::getMessageSvc(), "MuonGM::DetectorElement"); diff --git a/MuonSpectrometer/MuonGeoModel/MuonGeoModel/MMSpacer_Technology.h b/MuonSpectrometer/MuonGeoModel/MuonGeoModel/MMSpacer_Technology.h index 7bc82f408d11a6b22839dbdfb03cf5ed3bc5bf98..d99fba973ac8b904308eec63a1edf7c39debb8ae 100644 --- a/MuonSpectrometer/MuonGeoModel/MuonGeoModel/MMSpacer_Technology.h +++ b/MuonSpectrometer/MuonGeoModel/MuonGeoModel/MMSpacer_Technology.h @@ -14,8 +14,6 @@ namespace MuonGM { class MMSpacer_Technology : public Technology { public: - double thickness; - // constructor inline MMSpacer_Technology(MYSQL& mysql, const std::string& s); inline double Thickness() const; @@ -29,7 +27,7 @@ namespace MuonGM { }; MMSpacer_Technology::MMSpacer_Technology(MYSQL& mysql, const std::string& s) - : Technology(mysql, s), thickness(0.), lowZCutOuts(0), lowZCutOutWidth(0.), lowZCutOutDZ(0.), highZCutOuts(0), highZCutOutWidth(0.), highZCutOutDZ(0.) {} + : Technology(mysql, s), lowZCutOuts(0), lowZCutOutWidth(0.), lowZCutOutDZ(0.), highZCutOuts(0), highZCutOutWidth(0.), highZCutOutDZ(0.) {} double MMSpacer_Technology::Thickness() const { return thickness; } diff --git a/MuonSpectrometer/MuonGeoModel/MuonGeoModel/MultiLayer.h b/MuonSpectrometer/MuonGeoModel/MuonGeoModel/MultiLayer.h index 4dc0f2e70105c499e3a1e8f18cca5bf4c0ef9b5f..a65f4b8a35dc8e0d71a16a08c090740b778b932b 100644 --- a/MuonSpectrometer/MuonGeoModel/MuonGeoModel/MultiLayer.h +++ b/MuonSpectrometer/MuonGeoModel/MuonGeoModel/MultiLayer.h @@ -18,7 +18,6 @@ namespace MuonGM { class MultiLayer : public DetectorElement { public: - std::string logVolName; int nrOfLayers; int nrOfTubes; // tubes in a layer double tubePitch; // tube pitch in a layer diff --git a/MuonSpectrometer/MuonGeoModel/MuonGeoModel/MuonDetectorFactory001.h b/MuonSpectrometer/MuonGeoModel/MuonGeoModel/MuonDetectorFactory001.h index 5de7281337552003891db1eb7bfa238ca3d10416..37de24c0fef1a5dc67b6e6747ffa75e6a6cf1c0b 100644 --- a/MuonSpectrometer/MuonGeoModel/MuonGeoModel/MuonDetectorFactory001.h +++ b/MuonSpectrometer/MuonGeoModel/MuonGeoModel/MuonDetectorFactory001.h @@ -35,18 +35,18 @@ namespace MuonGM { virtual const MuonDetectorManager *getDetectorManager() const override; MuonDetectorManager *getDetectorManager(); - inline void setDBAtlasVersion(std::string v); - inline void setDBMuonVersion(std::string v); - inline void setDBkey(std::string v); - inline void setDBnode(std::string v); + inline void setDBAtlasVersion(const std::string& v); + inline void setDBMuonVersion(const std::string& v); + inline void setDBkey(const std::string& v); + inline void setDBnode(const std::string& v); inline void setAmdcDb(bool value); - inline void setLayout(std::string); + inline void setLayout(const std::string&); inline void setCutoutsFlag(int); inline void setCutoutsBogFlag(int); inline void setCtbBisFlag(int); inline void setRDBAccess(IRDBAccessSvc *access); - inline void setAltAsciiDBMap(const AltAsciiDBMap asciidbmap); + inline void setAltAsciiDBMap(const AltAsciiDBMap& asciidbmap); inline void setUseRDB(int rdb); inline void setControlAlines(int cA); inline void setMinimalGeoFlag(int minimalGeo); @@ -54,7 +54,9 @@ namespace MuonGM { inline void setDumpAlines(bool cA); inline void setDumpCscIntAlines(bool cA); inline void setUseCscIntAlinesFromGM(bool cA); - inline void setSelection(std::vector<std::string>, std::vector<int>, std::vector<int>); + inline void setSelection(const std::vector<std::string>&, + const std::vector<int>&, + const std::vector<int>&); inline void setCachingFlag(int value); inline void setDumpMemoryBreakDown(bool value); inline void setCacheFillingFlag(int value); @@ -110,19 +112,19 @@ namespace MuonGM { AltAsciiDBMap m_altAsciiDBMap; }; - void MuonDetectorFactory001::setDBAtlasVersion(std::string v) { m_DBAtlasVersion = v; } - void MuonDetectorFactory001::setDBMuonVersion(std::string v) { m_DBMuonVersion = v; } - void MuonDetectorFactory001::setDBkey(std::string v) { m_DBkey = v; } - void MuonDetectorFactory001::setDBnode(std::string v) { m_DBnode = v; } + void MuonDetectorFactory001::setDBAtlasVersion(const std::string& v) { m_DBAtlasVersion = v; } + void MuonDetectorFactory001::setDBMuonVersion(const std::string& v) { m_DBMuonVersion = v; } + void MuonDetectorFactory001::setDBkey(const std::string& v) { m_DBkey = v; } + void MuonDetectorFactory001::setDBnode(const std::string& v) { m_DBnode = v; } void MuonDetectorFactory001::setAmdcDb(bool value) { m_isAmdcDb = value; } - void MuonDetectorFactory001::setLayout(std::string str) { m_layout = str; } + void MuonDetectorFactory001::setLayout(const std::string& str) { m_layout = str; } void MuonDetectorFactory001::setCutoutsFlag(int flag) { m_includeCutouts = flag; } void MuonDetectorFactory001::setCutoutsBogFlag(int flag) { m_includeCutoutsBog = flag; } void MuonDetectorFactory001::setCtbBisFlag(int flag) { m_includeCtbBis = flag; } void MuonDetectorFactory001::setUseRDB(int rdb) { m_rdb = rdb; } void MuonDetectorFactory001::setRDBAccess(IRDBAccessSvc *access) { m_pRDBAccess = access; } - void MuonDetectorFactory001::setAltAsciiDBMap(AltAsciiDBMap asciidbmap) { std::swap(m_altAsciiDBMap, asciidbmap); } + void MuonDetectorFactory001::setAltAsciiDBMap(const AltAsciiDBMap& asciidbmap) { m_altAsciiDBMap = asciidbmap; } void MuonDetectorFactory001::setControlAlines(int cA) { m_controlAlines = cA; } void MuonDetectorFactory001::setMinimalGeoFlag(int minimalGeo) { m_minimalGeoFlag = minimalGeo; } void MuonDetectorFactory001::setControlCscIntAlines(int cA) { m_controlCscIntAlines = cA; } @@ -130,7 +132,9 @@ namespace MuonGM { void MuonDetectorFactory001::setDumpCscIntAlines(bool dumpAlines) { m_dumpCscIntAlines = dumpAlines; } void MuonDetectorFactory001::setUseCscIntAlinesFromGM(bool useIlinesFromGM) { m_useCscIntAlinesFromGM = useIlinesFromGM; } - void MuonDetectorFactory001::setSelection(std::vector<std::string> vst, std::vector<int> veta, std::vector<int> vphi) { + void MuonDetectorFactory001::setSelection(const std::vector<std::string>& vst, + const std::vector<int>& veta, + const std::vector<int>& vphi) { m_selectedStations = vst; m_selectedStEta = veta; m_selectedStPhi = vphi; diff --git a/MuonSpectrometer/MuonGeoModel/MuonGeoModel/MuonSystemDescription.h b/MuonSpectrometer/MuonGeoModel/MuonGeoModel/MuonSystemDescription.h index b6fcf2ab209ee86cf74afeae272fa75c0b097f74..9af0dff1879525e1915ea0e5fa69740969bd13fa 100644 --- a/MuonSpectrometer/MuonGeoModel/MuonGeoModel/MuonSystemDescription.h +++ b/MuonSpectrometer/MuonGeoModel/MuonGeoModel/MuonSystemDescription.h @@ -1,5 +1,5 @@ /* - Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration + Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration */ #ifndef MuonSystemDescription_H diff --git a/MuonSpectrometer/MuonGeoModel/MuonGeoModel/Station.h b/MuonSpectrometer/MuonGeoModel/MuonGeoModel/Station.h index 2abe2f8386af1768d78c8216c838e31b4d42c108..d875a52e4cf8173352ae9a2f774b0a99996c9ce7 100644 --- a/MuonSpectrometer/MuonGeoModel/MuonGeoModel/Station.h +++ b/MuonSpectrometer/MuonGeoModel/MuonGeoModel/Station.h @@ -39,7 +39,8 @@ namespace MuonGM { public: Station(); ~Station(); - Station(const Station &s); + Station(const Station &s) = delete; + Station& operator= (const Station &s) = delete; Station(MYSQL& mysql, std::string name); void SetComponent(Component *c); void SetCutout(Cutout *c); @@ -96,7 +97,6 @@ namespace MuonGM { std::vector<Cutout *> m_cutouts; PositionMap m_positions; AlignPosMap m_alignpositions; - Station &operator=(const Station &right); }; // class Station } // namespace MuonGM diff --git a/MuonSpectrometer/MuonGeoModel/src/Component.cxx b/MuonSpectrometer/MuonGeoModel/src/Component.cxx index 0bf26de1a803af7440678afa9c3974271ea531d2..54c43b6a54cd7d1ec77f0225a342ee044432d1ea 100644 --- a/MuonSpectrometer/MuonGeoModel/src/Component.cxx +++ b/MuonSpectrometer/MuonGeoModel/src/Component.cxx @@ -6,30 +6,14 @@ namespace MuonGM { - Component::Component() { - name = "XXXY"; - dx1 = 0.; - dx2 = 0.; - dy = 0.; - } - - Component::Component(const Component &c) { - name = c.name; - dx1 = c.dx1; - dx2 = c.dx2; - dy = c.dy; + Component::Component() + : name ("XXXY"), + dx1 (0), + dx2 (0), + dy (0) + { } double Component::GetThickness() const { return 0; } - Component &Component::operator=(const Component &c) { - if (this != &c) { - name = c.name; - dx1 = c.dx1; - dx2 = c.dx2; - dy = c.dy; - } - return *this; - } - } // namespace MuonGM diff --git a/MuonSpectrometer/MuonGeoModel/src/DBReader.cxx b/MuonSpectrometer/MuonGeoModel/src/DBReader.cxx index 7438160a70f44d3d09f4666d99add7af656034f6..f36c1577fd19b57290fc8e64667273478a892198 100644 --- a/MuonSpectrometer/MuonGeoModel/src/DBReader.cxx +++ b/MuonSpectrometer/MuonGeoModel/src/DBReader.cxx @@ -10,9 +10,11 @@ namespace MuonGM { - DBReader::DBReader(StoreGateSvc * /*pDetStore*/) : m_mgr(0) { - m_SCdbaccess = StatusCode::SUCCESS; - m_msgSvc = Athena::getMessageSvc(); + DBReader::DBReader(StoreGateSvc * /*pDetStore*/) : + m_SCdbaccess (StatusCode::SUCCESS), + m_mgr(0), + m_msgSvc (Athena::getMessageSvc()) + { } void DBReader::setGeometryVersion(std::string geoVersion) { m_version = std::move(geoVersion); } diff --git a/MuonSpectrometer/MuonGeoModel/src/DriftTube.cxx b/MuonSpectrometer/MuonGeoModel/src/DriftTube.cxx index eb9c579f3719005e1680924c12ef34eb902f7b96..4edff30ae874cc12792092adb7e747b5e0769eec 100644 --- a/MuonSpectrometer/MuonGeoModel/src/DriftTube.cxx +++ b/MuonSpectrometer/MuonGeoModel/src/DriftTube.cxx @@ -25,12 +25,13 @@ namespace MuonGM { DriftTube::DriftTube(const MYSQL& mysql, std::string n) - : DetectorElement(std::move(n)), length(0.) // length is set in MultiLayer.cxx + : DetectorElement(std::move(n)), + gasMaterial ("muo::ArCO2"), + tubeMaterial ("std::Aluminium"), + plugMaterial ("std::Bakelite"), + wireMaterial ("std::Aluminium"), + length(0.) // length is set in MultiLayer.cxx { - gasMaterial = "muo::ArCO2"; - tubeMaterial = "std::Aluminium"; - plugMaterial = "std::Bakelite"; - wireMaterial = "std::Aluminium"; const MDT *md = dynamic_cast<const MDT*>(mysql.GetTechnology(name.substr(0, 5))); gasRadius = md->innerRadius; outerRadius = gasRadius + md->tubeWallThickness; diff --git a/MuonSpectrometer/MuonGeoModel/src/FPVMAP.cxx b/MuonSpectrometer/MuonGeoModel/src/FPVMAP.cxx index 315e19cef08c2d43cabaf6f604320221cc15be15..e6dad575e1a73a3458283e842834407b6b0112c4 100644 --- a/MuonSpectrometer/MuonGeoModel/src/FPVMAP.cxx +++ b/MuonSpectrometer/MuonGeoModel/src/FPVMAP.cxx @@ -34,9 +34,8 @@ namespace MuonGM { void FPVMAP::PrintAllDetectors() { MsgStream log(Athena::getMessageSvc(), "MuonGM::FPVMAP"); - for (DetectorIterator it = m_Detectors.begin(); it != m_Detectors.end(); it++) { - std::string key = (*it).first; - log << MSG::INFO << "---> A PhysVol corresponds to " << key << endmsg; + for (const auto& p : m_Detectors) { + log << MSG::INFO << "---> A PhysVol corresponds to " << p.first << endmsg; } } diff --git a/MuonSpectrometer/MuonGeoModel/src/MYSQL.cxx b/MuonSpectrometer/MuonGeoModel/src/MYSQL.cxx index c8c646610232d3e06272d022d7b922227eaf9cde..21b0be5544b788a7d011f1d10dabad7a7c260cac 100644 --- a/MuonSpectrometer/MuonGeoModel/src/MYSQL.cxx +++ b/MuonSpectrometer/MuonGeoModel/src/MYSQL.cxx @@ -17,12 +17,14 @@ namespace MuonGM { - MYSQL::MYSQL() : m_includeCutoutsBog(0), m_includeCtbBis(0), m_controlAlines(0) { - m_geometry_version = "unknown"; - m_layout_name = "unknown"; - m_amdb_version = 0; - m_nova_version = 0; - m_amdb_from_rdb = false; + MYSQL::MYSQL() : + m_geometry_version ("unknown"), + m_layout_name ("unknown"), + m_nova_version (0), + m_amdb_version (0), + m_amdb_from_rdb (false), + m_includeCutoutsBog(0), m_includeCtbBis(0), m_controlAlines(0) + { for (unsigned int i = 0; i < NTgcReadouts; i++) { m_tgcReadout[i] = NULL; } @@ -33,15 +35,13 @@ namespace MuonGM { std::unique_lock l (ptr.m_mutex); // delete stations - std::map<std::string, Station *>::const_iterator it; - for (it = m_stations.begin(); it != m_stations.end(); it++) { - delete (*it).second; + for (auto& p : m_stations) { + delete p.second; } // delete m_technologies - std::map<std::string, Technology *>::const_iterator it1; - for (it1 = m_technologies.begin(); it1 != m_technologies.end(); it1++) { - delete (*it1).second; + for (auto& p : m_technologies) { + delete p.second; } // reset the pointer so that at next initialize the MYSQL object will be re-created @@ -227,20 +227,16 @@ namespace MuonGM { void MYSQL::PrintAllStations() { MsgStream log(Athena::getMessageSvc(), "MuonGM::MYSQL"); - std::map<std::string, Station *>::const_iterator it; - for (it = m_stations.begin(); it != m_stations.end(); it++) { - std::string key = (*it).first; - log << MSG::INFO << "---> Station " << key << endmsg; + for (const auto& p : m_stations) { + log << MSG::INFO << "---> Station " << p.first << endmsg; } } void MYSQL::PrintTechnologies() { MsgStream log(Athena::getMessageSvc(), "MuonGM::MYSQL"); - std::map<std::string, Technology *>::const_iterator it; - for (it = m_technologies.begin(); it != m_technologies.end(); it++) { - std::string key = (*it).first; - log << MSG::INFO << "---> Technology " << key << endmsg; + for (const auto& p : m_technologies) { + log << MSG::INFO << "---> Technology " << p.first << endmsg; } } diff --git a/MuonSpectrometer/MuonGeoModel/src/MuonDetectorFactory001.cxx b/MuonSpectrometer/MuonGeoModel/src/MuonDetectorFactory001.cxx index 7f10f4efd1e3dab01cd63e4ea633b7bbdd77ee1c..57642a2cd6f27d20cb4c6c9ea5c50357daf8263d 100644 --- a/MuonSpectrometer/MuonGeoModel/src/MuonDetectorFactory001.cxx +++ b/MuonSpectrometer/MuonGeoModel/src/MuonDetectorFactory001.cxx @@ -483,7 +483,7 @@ namespace MuonGM { StationSelector sel(*mysql, slist); StationSelector::StationIterator it; - for (it = sel.begin(); it != sel.end(); it++) { + for (it = sel.begin(); it != sel.end(); ++it) { Station *station = (*it).second; std::string stname(station->GetName(), 0, 3); if (m_selectedStations.size() <= 0) { diff --git a/MuonSpectrometer/MuonGeoModel/src/MuonSystemDescription.cxx b/MuonSpectrometer/MuonGeoModel/src/MuonSystemDescription.cxx index 6c38c4fa8ba34d37dc89efc13157867bfbe6db67..eb45120db6d9cb8093460b318ad558caddc35444 100644 --- a/MuonSpectrometer/MuonGeoModel/src/MuonSystemDescription.cxx +++ b/MuonSpectrometer/MuonGeoModel/src/MuonSystemDescription.cxx @@ -1,5 +1,5 @@ /* - Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration + Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration */ #include "MuonGeoModel/MuonSystemDescription.h" diff --git a/MuonSpectrometer/MuonGeoModel/src/RDBReaderAtlas.cxx b/MuonSpectrometer/MuonGeoModel/src/RDBReaderAtlas.cxx index 9a1af11dc7e331c6e69d9c3156ee39a7f0e3fca1..cce116f426c9f2b59df4acbc755fcb42e5998611 100644 --- a/MuonSpectrometer/MuonGeoModel/src/RDBReaderAtlas.cxx +++ b/MuonSpectrometer/MuonGeoModel/src/RDBReaderAtlas.cxx @@ -453,7 +453,7 @@ namespace MuonGM { bool have_spa_details = (getGeometryVersion().substr(0, 1) != "P"); - for (it = sel.begin(); it != sel.end(); it++) { + for (it = sel.begin(); it != sel.end(); ++it) { Station *station = (*it).second; for (int ic = 0; ic < station->GetNrOfComponents(); ic++) { Component *c = station->GetComponent(ic); diff --git a/MuonSpectrometer/MuonGeoModel/src/Station.cxx b/MuonSpectrometer/MuonGeoModel/src/Station.cxx index fe0c0a81173ff863cac7e090d8b53bebb0e8a5e5..0c64dd2412bcc399712749d902c38dcf1328d24d 100644 --- a/MuonSpectrometer/MuonGeoModel/src/Station.cxx +++ b/MuonSpectrometer/MuonGeoModel/src/Station.cxx @@ -21,32 +21,21 @@ namespace MuonGM { - Station::Station(MYSQL& mysql, std::string s) : m_name(std::move(s)) { - m_amdbOrigine_along_length = 0; - m_amdbOrigine_along_thickness = 0; - - m_hasMdts = false; + Station::Station(MYSQL& mysql, std::string s) : + m_amdbOrigine_along_length (0), + m_amdbOrigine_along_thickness (0), + m_name(std::move(s)), + m_hasMdts (false) + { mysql.StoreStation(this); } - Station::Station() { - m_amdbOrigine_along_length = 0; - m_amdbOrigine_along_thickness = 0; - - m_name = "unknown"; - m_hasMdts = false; - } - - Station::Station(const Station &s) { - m_amdbOrigine_along_length = 0; - m_amdbOrigine_along_thickness = 0; - - m_hasMdts = s.m_hasMdts; - m_name = s.m_name; - for (unsigned int i = 0; i < s.m_components.size(); i++) - m_components.push_back(s.m_components[i]); - for (unsigned int i = 0; i < s.m_cutouts.size(); i++) - m_cutouts.push_back(s.m_cutouts[i]); + Station::Station() : + m_amdbOrigine_along_length (0), + m_amdbOrigine_along_thickness (0), + m_name("unknown"), + m_hasMdts (false) + { } Station::~Station() { diff --git a/MuonSpectrometer/MuonGeoModel/src/StationSelector.cxx b/MuonSpectrometer/MuonGeoModel/src/StationSelector.cxx index 3245e67a1d0d6d44aae2ac4adfd4d9d0c63872e2..b89c40b1565120e734b00af2a2f2ec3ae6727cfc 100644 --- a/MuonSpectrometer/MuonGeoModel/src/StationSelector.cxx +++ b/MuonSpectrometer/MuonGeoModel/src/StationSelector.cxx @@ -29,7 +29,7 @@ namespace MuonGM { } StationIterator it; - for (it = mysql.StationBegin(); it != mysql.StationEnd(); it++) { + for (it = mysql.StationBegin(); it != mysql.StationEnd(); ++it) { if (select(it)) { m_theMap[(*it).first] = (*it).second; } @@ -38,7 +38,7 @@ namespace MuonGM { StationSelector::StationSelector(const MYSQL& mysql, std::vector<std::string> s) : m_selector(std::move(s)) { StationIterator it; - for (it = mysql.StationBegin(); it != mysql.StationEnd(); it++) { + for (it = mysql.StationBegin(); it != mysql.StationEnd(); ++it) { if (select(it)) m_theMap[(*it).first] = (*it).second; } diff --git a/PhysicsAnalysis/Algorithms/AsgAnalysisAlgorithms/AsgAnalysisAlgorithms/AsgPtEtaSelectionTool.h b/PhysicsAnalysis/Algorithms/AsgAnalysisAlgorithms/AsgAnalysisAlgorithms/AsgPtEtaSelectionTool.h index d7995a527a911f2c6e7ccc3bf186394797123841..5a5ea996b3248c208aebaeec72730bef1a44b505 100644 --- a/PhysicsAnalysis/Algorithms/AsgAnalysisAlgorithms/AsgAnalysisAlgorithms/AsgPtEtaSelectionTool.h +++ b/PhysicsAnalysis/Algorithms/AsgAnalysisAlgorithms/AsgAnalysisAlgorithms/AsgPtEtaSelectionTool.h @@ -10,6 +10,7 @@ #define ASG_ANALYSIS_ALGORITHMS__ASG_PT_ETA_SELECTION_TOOL_H #include <AsgTools/AsgTool.h> +#include <AthContainers/AuxElement.h> #include <PATCore/IAsgSelectionTool.h> #include <atomic> @@ -77,6 +78,7 @@ namespace CP float m_etaGapLow {0}; float m_etaGapHigh {0}; bool m_useClusterEta {false}; + bool m_useDressedProperties {false}; bool m_printCastWarning {true}; bool m_printClusterWarning {true}; @@ -94,6 +96,8 @@ namespace CP int m_egammaCastCutIndex{ -1 }; /// Index for the e/gamma calo-cluster int m_egammaClusterCutIndex{ -1 }; + /// Index for the existence of dressed properties + int m_dressedPropertiesIndex{ -1 }; /// \brief a version of \ref m_printCastWarning that we modify /// once we printed the warning @@ -124,6 +128,11 @@ namespace CP /// \brief the \ref asg::AcceptInfo we are using private: mutable asg::AcceptInfo m_accept; + + /// \brief dressed pt and eta accessors + private: + std::unique_ptr<SG::AuxElement::ConstAccessor<float>> m_dressedPtAccessor{}; + std::unique_ptr<SG::AuxElement::ConstAccessor<float>> m_dressedEtaAccessor{}; }; } diff --git a/PhysicsAnalysis/Algorithms/AsgAnalysisAlgorithms/AsgAnalysisAlgorithms/SysListDumperAlg.h b/PhysicsAnalysis/Algorithms/AsgAnalysisAlgorithms/AsgAnalysisAlgorithms/SysListDumperAlg.h index ea35718fa83e9efa66e65b7003355df80a72adae..a3ca251a74d6a44a42b70dfa774670a6e9a82c79 100644 --- a/PhysicsAnalysis/Algorithms/AsgAnalysisAlgorithms/AsgAnalysisAlgorithms/SysListDumperAlg.h +++ b/PhysicsAnalysis/Algorithms/AsgAnalysisAlgorithms/AsgAnalysisAlgorithms/SysListDumperAlg.h @@ -9,6 +9,7 @@ #define ASG_ANALYSIS_ALGORITHMS__SYS_LIST_DUMPER_ALG_H #include <AnaAlgorithm/AnaAlgorithm.h> +#include <AsgServices/ServiceHandle.h> #include <SystematicsHandles/SysListHandle.h> namespace CP @@ -32,10 +33,17 @@ namespace CP public: virtual ::StatusCode execute () override; + /// \brief make the systematics vector using a regex + private: + std::vector<CP::SystematicSet> makeSystematicsVector (const std::string ®ex) const; + + /// \brief the handle for the systematics service + private: + ServiceHandle<ISystematicsSvc> m_systematicsService {"SystematicsSvc", ""}; - /// \brief the systematics list we run + /// \brief the regex private: - SysListHandle m_systematicsList {this}; + std::string m_regex {}; /// \brief the name of the histogram to use private: diff --git a/PhysicsAnalysis/Algorithms/AsgAnalysisAlgorithms/Root/AsgPtEtaSelectionTool.cxx b/PhysicsAnalysis/Algorithms/AsgAnalysisAlgorithms/Root/AsgPtEtaSelectionTool.cxx index 79134d32c90864da6f3d8181dcb067ee5e6e4436..dbbe299b7f51b07997ddec71c012c85ef8a94839 100644 --- a/PhysicsAnalysis/Algorithms/AsgAnalysisAlgorithms/Root/AsgPtEtaSelectionTool.cxx +++ b/PhysicsAnalysis/Algorithms/AsgAnalysisAlgorithms/Root/AsgPtEtaSelectionTool.cxx @@ -32,6 +32,7 @@ namespace CP declareProperty ("etaGapLow", m_etaGapLow, "low end of the eta gap"); declareProperty ("etaGapHigh", m_etaGapHigh, "high end of the eta gap (or 0 for no eta gap)"); declareProperty ("useClusterEta", m_useClusterEta, "whether to use the cluster eta (for electrons only)"); + declareProperty ("useDressedProperties", m_useDressedProperties, "whether to use the dressed kinematic properties (for truth particles only)"); declareProperty ("printCastWarning", m_printCastWarning, "whether to print a warning/error when the cast fails"); declareProperty ("printClusterWarning", m_printClusterWarning, "whether to print a warning/error when the cluster is missing"); } @@ -41,6 +42,11 @@ namespace CP StatusCode AsgPtEtaSelectionTool :: initialize () { + if (m_useDressedProperties && m_useClusterEta) + { + ATH_MSG_ERROR ("both 'useClusterEta' and 'useDressedProperties' can not be used at the same time"); + return StatusCode::FAILURE; + } if (m_minPt < 0 || !std::isfinite (m_minPt)) { ATH_MSG_ERROR ("invalid value of minPt: " << m_minPt); @@ -77,6 +83,12 @@ namespace CP return StatusCode::FAILURE; } + if (m_useDressedProperties) { + ATH_MSG_DEBUG( "Performing pt and eta cuts on the dressed properties" ); + m_dressedPropertiesIndex = m_accept.addCut ("dressedProperties", "has dressed properties"); + m_dressedPtAccessor = std::make_unique<SG::AuxElement::ConstAccessor<float>> ("pt_dressed"); + m_dressedEtaAccessor = std::make_unique<SG::AuxElement::ConstAccessor<float>> ("eta_dressed"); + } if (m_minPt > 0) { ATH_MSG_DEBUG( "Performing pt >= " << m_minPt << " MeV selection" ); m_minPtCutIndex = m_accept.addCut ("minPt", "minimum pt cut"); @@ -120,12 +132,29 @@ namespace CP { asg::AcceptData accept (&m_accept); - // Perform the tranverse momentum cuts. - if (m_minPtCutIndex >= 0) { - accept.setCutResult (m_minPtCutIndex, particle->pt() >= m_minPt); + // Check if dressed properties exist if needed + if (m_useDressedProperties) { + if (!m_dressedPtAccessor->isAvailable(*particle)) { + ANA_MSG_WARNING ("dressed decorations not available"); + return accept; + } + accept.setCutResult (m_dressedPropertiesIndex, true); } - if (m_maxPtCutIndex >= 0) { - accept.setCutResult (m_maxPtCutIndex, particle->pt() < m_maxPt); + + // Perform the tranverse momentum cuts. + if (m_minPtCutIndex >= 0 || m_maxPtCutIndex >= 0) + { + float pt = particle->pt(); + if (m_useDressedProperties) { + pt = (*m_dressedPtAccessor) (*particle); + } + + if (m_minPtCutIndex >= 0) { + accept.setCutResult (m_minPtCutIndex, pt >= m_minPt); + } + if (m_maxPtCutIndex >= 0) { + accept.setCutResult (m_maxPtCutIndex, pt < m_maxPt); + } } // Perform the eta cut(s). @@ -155,6 +184,9 @@ namespace CP } accept.setCutResult (m_egammaClusterCutIndex, true); absEta = std::abs (caloCluster->etaBE(2)); + } else if (m_useDressedProperties) + { + absEta = std::abs ((*m_dressedEtaAccessor) (*particle)); } else { absEta = std::abs (particle->eta()); diff --git a/PhysicsAnalysis/Algorithms/AsgAnalysisAlgorithms/Root/SysListDumperAlg.cxx b/PhysicsAnalysis/Algorithms/AsgAnalysisAlgorithms/Root/SysListDumperAlg.cxx index b88ee2198b95929f0e9dbc2a5be82bdefb322de3..b3dd1f1ac0c3e27ee030f4da2528a20aac0d5fe4 100644 --- a/PhysicsAnalysis/Algorithms/AsgAnalysisAlgorithms/Root/SysListDumperAlg.cxx +++ b/PhysicsAnalysis/Algorithms/AsgAnalysisAlgorithms/Root/SysListDumperAlg.cxx @@ -9,6 +9,7 @@ // includes // +#include <regex> #include <AsgAnalysisAlgorithms/SysListDumperAlg.h> #include <TH1.h> @@ -23,6 +24,8 @@ namespace CP ISvcLocator* pSvcLocator) : AnaAlgorithm (name, pSvcLocator) { + declareProperty ("systematicsService", m_systematicsService, "systematics service"); + declareProperty ("systematicsRegex", m_regex, "systematics regex"); declareProperty ("histogramName", m_histogramName, "the name of the output histogram"); } @@ -37,7 +40,7 @@ namespace CP return StatusCode::FAILURE; } - ANA_CHECK (m_systematicsList.initialize()); + ANA_CHECK (m_systematicsService.retrieve()); return StatusCode::SUCCESS; } @@ -54,16 +57,16 @@ namespace CP m_firstEvent = false; - const auto& systematics = m_systematicsList.systematicsVector(); + const std::vector<CP::SystematicSet> systematics = makeSystematicsVector (m_regex); ANA_CHECK (book (TH1F (m_histogramName.c_str(), "systematics", systematics.size(), 0, systematics.size()))); TH1 *histogram = hist (m_histogramName); int i = 1; - for (const auto& sys : m_systematicsList.systematicsVector()) + for (const auto& sys : systematics) { std::string name; - ANA_CHECK (m_systematicsList.service().makeSystematicsName (name, "%SYS%", sys)); + ANA_CHECK (m_systematicsService->makeSystematicsName (name, "%SYS%", sys)); histogram->GetXaxis()->SetBinLabel(i, name.c_str()); i++; @@ -71,4 +74,28 @@ namespace CP return StatusCode::SUCCESS; } + + + + std::vector<CP::SystematicSet> SysListDumperAlg :: + makeSystematicsVector (const std::string ®ex) const + { + std::vector<CP::SystematicSet> inputVector = m_systematicsService->makeSystematicsVector (); + if (regex.empty()) + { + return inputVector; + } + + std::vector<CP::SystematicSet> systematicsVector; + std::regex expr (regex); + for (const CP::SystematicSet& sys : inputVector) + { + if (regex_match (sys.name(), expr)) + { + systematicsVector.push_back (sys); + } + } + return systematicsVector; + } + } diff --git a/PhysicsAnalysis/DerivationFramework/DerivationFrameworkJetEtMiss/share/JETM1.py b/PhysicsAnalysis/DerivationFramework/DerivationFrameworkJetEtMiss/share/JETM1.py index 531759acead657b97e82f0f8a73bde4e5dba5f5b..3c7cff65038b0d026adf98ec8be4d66d3ad97d90 100644 --- a/PhysicsAnalysis/DerivationFramework/DerivationFrameworkJetEtMiss/share/JETM1.py +++ b/PhysicsAnalysis/DerivationFramework/DerivationFrameworkJetEtMiss/share/JETM1.py @@ -178,13 +178,15 @@ JETM1SlimmingHelper.SmartCollections = ["Electrons", "Photons", "Muons", "Primar # Add QG tagger variables JETM1SlimmingHelper.ExtraVariables = ["AntiKt4EMTopoJets.DFCommonJets_QGTagger_NTracks.DFCommonJets_QGTagger_TracksWidth.DFCommonJets_QGTagger_TracksC1", "AntiKt4EMPFlowJets.DFCommonJets_QGTagger_NTracks.DFCommonJets_QGTagger_TracksWidth.DFCommonJets_QGTagger_TracksC1", + "AntiKt4EMPFlowJets.GhostTower", "InDetTrackParticles.truthMatchProbability", "AntiKt10UFOCSSKSoftDropBeta100Zcut10Jets.zg.rg.NumTrkPt1000.TrackWidthPt1000.GhostMuonSegmentCount.EnergyPerSampling.GhostTrack", "AntiKt10LCTopoTrimmedPtFrac5SmallR20Jets.zg.rg", "AntiKt10UFOCSSKJets.NumTrkPt1000.TrackWidthPt1000.GhostMuonSegmentCount.EnergyPerSampling.GhostTrack"] JETM1SlimmingHelper.AllVariables = [ "MuonSegments", "EventInfo", "TruthVertices", "TruthParticles" - "Kt4EMTopoOriginEventShape","Kt4EMPFlowEventShape","Kt4EMPFlowPUSBEventShape"] + "Kt4EMTopoOriginEventShape","Kt4EMPFlowEventShape","Kt4EMPFlowPUSBEventShape", + "CaloCalFwdTopoTowers"] # Trigger content JETM1SlimmingHelper.IncludeJetTriggerContent = True diff --git a/PhysicsAnalysis/DerivationFramework/DerivationFrameworkMuons/share/MUON1.py b/PhysicsAnalysis/DerivationFramework/DerivationFrameworkMuons/share/MUON1.py index 99bfceb67baa75f910434dff1bfe20a8ababa798..5fe999e45f3ac168b20f0f79027ad731b683b11a 100644 --- a/PhysicsAnalysis/DerivationFramework/DerivationFrameworkMuons/share/MUON1.py +++ b/PhysicsAnalysis/DerivationFramework/DerivationFrameworkMuons/share/MUON1.py @@ -28,6 +28,10 @@ if not hasattr(ToolSvc,"IDTrackCaloDepositsDecoratorTool"): ToolSvc += DecoTool +if DerivationFrameworkHasTruth: + from DerivationFrameworkMCTruth.MCTruthCommon import addStandardTruthContents + addStandardTruthContents() + #==================================================================== # SET UP STREAM #==================================================================== diff --git a/PhysicsAnalysis/DerivationFramework/DerivationFrameworkMuons/share/MUON6.py b/PhysicsAnalysis/DerivationFramework/DerivationFrameworkMuons/share/MUON6.py index eacd3190cb9e9a861efda88d7524c8777842b2c4..cd5cc2276ee41667bbf5136f3c14f1bb2bc28016 100644 --- a/PhysicsAnalysis/DerivationFramework/DerivationFrameworkMuons/share/MUON6.py +++ b/PhysicsAnalysis/DerivationFramework/DerivationFrameworkMuons/share/MUON6.py @@ -11,6 +11,10 @@ from DerivationFrameworkInDet.InDetCommon import * import AthenaCommon.SystemOfUnits as Units +if DerivationFrameworkHasTruth: + from DerivationFrameworkMCTruth.MCTruthCommon import addStandardTruthContents + addStandardTruthContents() + #==================================================================== # SET UP STREAM #==================================================================== diff --git a/PhysicsAnalysis/DerivationFramework/DerivationFrameworkPhys/CMakeLists.txt b/PhysicsAnalysis/DerivationFramework/DerivationFrameworkPhys/CMakeLists.txt index a472a8332264e3f836a6d91592830b1eca7df5a9..3d69040050a611d23174c9c5e7a66afcc4971ca0 100644 --- a/PhysicsAnalysis/DerivationFramework/DerivationFrameworkPhys/CMakeLists.txt +++ b/PhysicsAnalysis/DerivationFramework/DerivationFrameworkPhys/CMakeLists.txt @@ -6,4 +6,4 @@ atlas_subdir( DerivationFrameworkPhys ) # Install files from the package: atlas_install_python_modules( python/*.py POST_BUILD_CMD ${ATLAS_FLAKE8} ) atlas_install_joboptions( share/*.py ) - +atlas_install_data( data/* ) diff --git a/PhysicsAnalysis/DerivationFramework/DerivationFrameworkPhys/data/run2ExtraMatchingTauTriggers.txt b/PhysicsAnalysis/DerivationFramework/DerivationFrameworkPhys/data/run2ExtraMatchingTauTriggers.txt new file mode 100644 index 0000000000000000000000000000000000000000..a788be8b16c06547cbf1b6fa0b71924e8c964875 --- /dev/null +++ b/PhysicsAnalysis/DerivationFramework/DerivationFrameworkPhys/data/run2ExtraMatchingTauTriggers.txt @@ -0,0 +1,36 @@ +# A note on the format of this file +# Lines beginning with a '#' character are comments and will be ignored, as will empty lines +# Triggers are broken up into sections to make it easier to read, and when adding new triggers +# please try and keep them in alphabetical order + + +################ +# Tau Triggers # +################ + +HLT_tau25_medium1_tracktwoEF_L1TAU12I +HLT_tau25_medium1_tracktwoEF_L1TAU12IM +HLT_tau25_medium1_tracktwo_L1TAU12 +HLT_tau25_medium1_tracktwo_L1TAU12I +HLT_tau25_medium1_tracktwo_L1TAU12IM +HLT_tau25_mediumRNN_tracktwoMVA_L1TAU12I +HLT_tau25_mediumRNN_tracktwoMVA_L1TAU12IM +HLT_tau35_medium1_tracktwoEF_L1TAU20I +HLT_tau35_medium1_tracktwoEF_L1TAU20IM +HLT_tau35_medium1_tracktwo_L1TAU20 +HLT_tau35_medium1_tracktwo_L1TAU20I +HLT_tau35_medium1_tracktwo_L1TAU20IM +HLT_tau35_mediumRNN_tracktwoMVA_L1TAU20I +HLT_tau35_mediumRNN_tracktwoMVA_L1TAU20IM +HLT_tau40_medium1_tracktwoEF_L1TAU25 +HLT_tau40_medium1_tracktwoEF_L1TAU25IM +HLT_tau40_medium1_tracktwo_L1TAU25 +HLT_tau40_medium1_tracktwo_L1TAU25IM +HLT_tau40_mediumRNN_tracktwoMVA_L1TAU25 +HLT_tau40_mediumRNN_tracktwoMVA_L1TAU25IM +HLT_tau50_medium1_tracktwo_L1TAU12 +HLT_tau60_medium1_tracktwoEF_L1TAU40 +HLT_tau60_medium1_tracktwo_L1TAU40 +HLT_tau60_mediumRNN_tracktwoMVA_L1TAU40 +HLT_tau80_medium1_tracktwoEF_L1TAU60 +HLT_tau80_mediumRNN_tracktwoMVA_L1TAU60 \ No newline at end of file diff --git a/PhysicsAnalysis/DerivationFramework/DerivationFrameworkPhys/data/run2ExtraMatchingTriggers.txt b/PhysicsAnalysis/DerivationFramework/DerivationFrameworkPhys/data/run2ExtraMatchingTriggers.txt new file mode 100644 index 0000000000000000000000000000000000000000..32fd3be95d06d60c6ba9f12af958ead497de8586 --- /dev/null +++ b/PhysicsAnalysis/DerivationFramework/DerivationFrameworkPhys/data/run2ExtraMatchingTriggers.txt @@ -0,0 +1,78 @@ +# A note on the format of this file +# Lines beginning with a '#' character are comments and will be ignored, as will empty lines +# Triggers are broken up into sections to make it easier to read, and when adding new triggers +# please try and keep them in alphabetical order + +################# +# Muon triggers # +################# + +HLT_2mu4_bJpsimumu +HLT_2mu4_bUpsimumu +HLT_2mu6_bJpsimumu +HLT_2mu6_bJpsimumu_Lxy0_L1BPH_2M9_2MU6_BPH_2DR15_2MU6 +HLT_2mu6_bJpsimumu_delayed +HLT_2mu6_bUpsimumu +HLT_2mu6_bUpsimumu_L1BPH_8M15_2MU6_BPH_0DR22_2MU6 +HLT_2mu6_bUpsimumu_delayed +HLT_mu10 +HLT_mu10_bJpsi_TrkPEB +HLT_mu10_bJpsi_Trkloose +HLT_mu11_bJpsi_TrkPEB +HLT_mu11_mu6_bJpsimumu +HLT_mu11_mu6_bUpsimumu +HLT_mu14 +HLT_mu18 +HLT_mu20 +HLT_mu20_bJpsi_TrkPEB +HLT_mu22 +HLT_mu24 +HLT_mu26_ivarmedium +HLT_mu4 +HLT_mu4_bJpsi_TrkPEB +HLT_mu4_bJpsi_Trkloose +HLT_mu4_mu4_idperf_bJpsimumu_noid +HLT_mu50 +HLT_mu6 +HLT_mu6_bJpsi_TrkPEB +HLT_mu6_bJpsi_Trkloose +HLT_mu6_bJpsi_lowpt_TrkPEB +HLT_mu6_idperf +HLT_mu6_mu4_bJpsimumu +HLT_mu6_mu4_bJpsimumu_Lxy0_L1BPH_2M9_MU6MU4_BPH_0DR15_MU6MU4 +HLT_mu6_mu4_bJpsimumu_delayed +HLT_mu6_mu4_bUpsimumu +HLT_mu6_mu4_bUpsimumu_L1BPH_8M15_MU6MU4_BPH_0DR22_MU6MU4_BO +HLT_mu6_mu4_bUpsimumu_delayed + +##################### +# Electron triggers # +##################### + +HLT_2e12_lhloose_L12EM10VH +HLT_e100_lhvloose_nod0 +HLT_e10_lhvloose_L1EM7 +HLT_e10_lhvloose_nod0_L1EM7 +HLT_e120_lhvloose_nod0 +HLT_e12_lhvloose_L1EM10VH +HLT_e12_lhvloose_nod0_L1EM10VH +HLT_e140_lhvloose_nod0 +HLT_e15_lhvloose_L1EM13VH +HLT_e15_lhvloose_nod0_L1EM7 +HLT_e160_lhvloose_nod0 +HLT_e17_lhvloose +HLT_e17_lhvloose_nod0 +HLT_e200_etcut +HLT_e20_lhvloose +HLT_e20_lhvloose_nod0 +HLT_e24_lhvloose_nod0_L1EM18VH +HLT_e26_lhvloose_nod0_L1EM20VH +HLT_e28_lhvloose_nod0_L1EM20VH +HLT_e28_lhvloose_nod0_L1EM22VH +HLT_e300_etcut +HLT_e5_lhvloose +HLT_e5_lhvloose_nod0 +HLT_e60_lhmedium +HLT_e60_lhvloose_nod0 +HLT_e70_lhvloose_nod0 +HLT_e80_lhvloose_nod0 \ No newline at end of file diff --git a/PhysicsAnalysis/DerivationFramework/DerivationFrameworkPhys/python/PhysCommonTrigger.py b/PhysicsAnalysis/DerivationFramework/DerivationFrameworkPhys/python/PhysCommonTrigger.py index 1288a720d2996b0b2ffedbbc53986fd0378acf9a..3da53d02c9cfac70d633134751228bc7ff4a724e 100644 --- a/PhysicsAnalysis/DerivationFramework/DerivationFrameworkPhys/python/PhysCommonTrigger.py +++ b/PhysicsAnalysis/DerivationFramework/DerivationFrameworkPhys/python/PhysCommonTrigger.py @@ -10,8 +10,23 @@ from TriggerMenuMT.TriggerAPI.TriggerAPI import TriggerAPI from TriggerMenuMT.TriggerAPI.TriggerEnums import TriggerPeriod, TriggerType from DerivationFrameworkTrigger.TriggerMatchingHelper import TriggerMatchingHelper +from PathResolver import PathResolver import re +def read_trig_list_file(fname): + """Read a text file containing a list of triggers + + Returns the list of triggers held in the file + """ + triggers = [] + with open(PathResolver.FindCalibFile(fname)) as fp: + for line in fp: + line = line.strip() + if line == "" or line.startswith("#"): + continue + triggers.append(line) + return triggers + #==================================================================== # TRIGGER CONTENT #==================================================================== @@ -29,10 +44,13 @@ trig_et = TriggerAPI.getLowestUnprescaledAnyPeriod(allperiods, triggerType=Trigg trig_mt = TriggerAPI.getLowestUnprescaledAnyPeriod(allperiods, triggerType=TriggerType.mu, additionalTriggerType=TriggerType.tau, livefraction=0.8) ## Note that this seems to pick up both isolated and non-isolated triggers already, so no need for extra grabs trig_txe = TriggerAPI.getLowestUnprescaledAnyPeriod(allperiods, triggerType=TriggerType.tau, additionalTriggerType=TriggerType.xe, livefraction=0.8) + +extra_notau = read_trig_list_file("DerivationFrameworkPhys/run2ExtraMatchingTriggers.txt") +extra_tau = read_trig_list_file("DerivationFrameworkPhys/run2ExtraMatchingTauTriggers.txt") # ## Merge and remove duplicates -trigger_names_full_notau = list(set(trig_el+trig_mu+trig_g+trig_em+trig_et+trig_mt)) -trigger_names_full_tau = list(set(trig_tau+trig_txe)) +trigger_names_full_notau = list(set(trig_el+trig_mu+trig_g+trig_em+trig_et+trig_mt+extra_notau)) +trigger_names_full_tau = list(set(trig_tau+trig_txe+extra_tau)) # ## Now reduce the list... trigger_names_notau = [] diff --git a/PhysicsAnalysis/DerivationFramework/DerivationFrameworkTrigger/src/TriggerMatchingTool.cxx b/PhysicsAnalysis/DerivationFramework/DerivationFrameworkTrigger/src/TriggerMatchingTool.cxx index 03e6757b5a6e2b24284c72c074335ba79a01353f..0bbb6cc545898ce5e10946ff56f22e5991ae3494 100644 --- a/PhysicsAnalysis/DerivationFramework/DerivationFrameworkTrigger/src/TriggerMatchingTool.cxx +++ b/PhysicsAnalysis/DerivationFramework/DerivationFrameworkTrigger/src/TriggerMatchingTool.cxx @@ -50,7 +50,7 @@ namespace DerivationFramework { declareProperty("DRThreshold", m_drThreshold = 0.1, "The maximum dR between an offline and an online particle to consider " "a match between them."); - declareProperty("Rerun", m_rerun = false, + declareProperty("Rerun", m_rerun = true, "Whether to match triggers in rerun mode."); declareProperty("OutputContainerPrefix", m_outputPrefix="TrigMatch_", "The prefix to add to the output containers."); diff --git a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/AsgElectronIsEMSelectorsConfig.py b/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/AsgElectronIsEMSelectorsConfig.py index d7e4440332cbd8b6932014d49c7b2116e201c596..03c388565db569b7867f449362156416e5e0f6e1 100644 --- a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/AsgElectronIsEMSelectorsConfig.py +++ b/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/AsgElectronIsEMSelectorsConfig.py @@ -1,14 +1,17 @@ -# Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +# Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration -__doc__ = "Configure the AsgElectronIsEMSelector with the quality cuts and allow for (re-)setting of all provided cuts." + +__doc__ = """Configure the AsgElectronIsEMSelector with the quality cuts + and allow for (re-)setting of all provided cuts.""" from AthenaCommon.Logging import logging from AthenaConfiguration.ComponentFactory import CompFactory from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator +from ElectronPhotonSelectorTools.ElectronIsEMSelectorMapping import ( + ElectronIsEMMap, electronPIDmenu) # Import the needed stuff specific to the ElectronPhotonSelectorTools -AsgElectronIsEMSelector=CompFactory.AsgElectronIsEMSelector -from ElectronPhotonSelectorTools.ElectronIsEMSelectorMapping import ElectronIsEMMap, electronPIDmenu +AsgElectronIsEMSelector = CompFactory.AsgElectronIsEMSelector def AsgElectronIsEMSelectorCfg(flags, name, quality, menu=electronPIDmenu.menuDC14): @@ -21,7 +24,10 @@ def AsgElectronIsEMSelectorCfg(flags, name, quality, menu=electronPIDmenu.menuDC ntuple = ElectronIsEMMap(quality, menu) mlog.debug('ntuple: %s', ntuple) except KeyError: - mlog.error('Electron quality not found. Please use an egammaIDQuality (ElectronPhotonSelectorTools/egammaPIDdefs.h).This function only supports standard electron IDs, and not photon or forward IDs') + mlog.error("Electron quality not found. Please use an egammaIDQuality" + "(ElectronPhotonSelectorTools/egammaPIDdefs.h)." + "This function only supports standard electron IDs," + "and not photon or forward IDs") raise # Create and instance of the tool diff --git a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/AsgElectronLikelihoodToolsConfig.py b/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/AsgElectronLikelihoodToolsConfig.py index fca0f5ac8edb1f8f48946cac7083e576c26cdbcc..52c822132e5f23b7ed838741fa0a6a2f2d8700f2 100644 --- a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/AsgElectronLikelihoodToolsConfig.py +++ b/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/AsgElectronLikelihoodToolsConfig.py @@ -1,14 +1,16 @@ # Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration -__doc__ = " Configure the AsgElectronLikelihoodTool with the quality cuts and allow for (re-)setting of all provided cuts." +__doc__ = """Configure the AsgElectronLikelihoodTool with the quality + cuts and allow for (re-)setting of all provided cuts.""" +from ElectronPhotonSelectorTools.ElectronLikelihoodToolMapping import ( + ElectronLikelihoodMap, electronLHmenu) from AthenaCommon.Logging import logging from AthenaConfiguration.ComponentFactory import CompFactory from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator # Import the needed stuff specific to the ElectronPhotonSelectorTools -AsgElectronLikelihoodTool=CompFactory.AsgElectronLikelihoodTool -from ElectronPhotonSelectorTools.ElectronLikelihoodToolMapping import ElectronLikelihoodMap, electronLHmenu +AsgElectronLikelihoodTool = CompFactory.AsgElectronLikelihoodTool def AsgElectronLikelihoodToolCfg(flag, name, quality, menu=electronLHmenu.offlineMC16): @@ -22,7 +24,11 @@ def AsgElectronLikelihoodToolCfg(flag, name, quality, menu=electronLHmenu.offlin ntuple = ElectronLikelihoodMap(quality, menu) mlog.debug('ntuple: %s', ntuple) except KeyError: - mlog.error("ElectronLH quality not found. Please use an egammaIDQuality (ElectronPhotonSelectorTools/egammaPIDdefs.h). This function only supports standard electronLH IDs, and not standard electron IDs or photon or forward IDs") + mlog.error("ElectronLH quality not found." + "Please use an egammaIDQuality " + "(ElectronPhotonSelectorTools/egammaPIDdefs.h). " + "This function only supports standard electronLH IDs," + "and not standard electron IDs or photon or forward IDs") raise # Create an instance of the tool diff --git a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/AsgForwardElectronIsEMSelectorsConfig.py b/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/AsgForwardElectronIsEMSelectorsConfig.py index fe5fdb4412dda8c97cd4d51e936423fc72a7eb2b..ca8c6314962e5d483597e8a2dc5457b4a4e65218 100644 --- a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/AsgForwardElectronIsEMSelectorsConfig.py +++ b/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/AsgForwardElectronIsEMSelectorsConfig.py @@ -1,14 +1,16 @@ -# Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +# Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration -__doc__ = "Configure the AsgForwardElectronIsEMSelector with the quality cuts and allow for (re-)setting of all provided cuts." + +__doc__ = """Configure the AsgForwardElectronIsEMSelector with the quality cuts + and allow for (re-)setting of all provided cuts.""" from AthenaCommon.Logging import logging from AthenaConfiguration.ComponentFactory import CompFactory from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator - +from ElectronPhotonSelectorTools.ForwardElectronIsEMSelectorMapping import ( + ForwardElectronIsEMMap, forwardelectronPIDmenu) # Import the needed stuff specific to the ElectronPhotonSelectorTools -AsgForwardElectronIsEMSelector=CompFactory.AsgForwardElectronIsEMSelector -from ElectronPhotonSelectorTools.ForwardElectronIsEMSelectorMapping import ForwardElectronIsEMMap, forwardelectronPIDmenu +AsgForwardElectronIsEMSelector = CompFactory.AsgForwardElectronIsEMSelector def AsgForwardElectronIsEMSelectorCfg(flags, name, quality, menu=forwardelectronPIDmenu.menuMC15): @@ -22,7 +24,11 @@ def AsgForwardElectronIsEMSelectorCfg(flags, name, quality, menu=forwardelectron ntuple = ForwardElectronIsEMMap(quality, menu) mlog.debug('ntuple: %s', ntuple) except KeyError: - mlog.error("Fwd Electron quality not found. Please use an egammaIDQuality (ElectronPhotonSelectorTools/egammaPIDdefs.h). This function only supports forward IDs, and not photon or standard electron IDs") + mlog.error("Fwd Electron quality not found." + "Please use an egammaIDQuality" + "(ElectronPhotonSelectorTools/egammaPIDdefs.h)." + "This function only supports forward IDs," + "and not photon or standard electron IDs") raise # Create and instance of the tool diff --git a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/AsgPhotonIsEMSelectorsConfig.py b/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/AsgPhotonIsEMSelectorsConfig.py index f23aa8e4c8eaca02e4f7554178dde70c68992667..97013b4bebcc018ccf421729dc15538b9ef1b5f9 100644 --- a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/AsgPhotonIsEMSelectorsConfig.py +++ b/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/AsgPhotonIsEMSelectorsConfig.py @@ -1,17 +1,19 @@ -# Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +# Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration -__doc__ = "Configure the AsgPhotonIsEMSelector with the quality cuts and allow for (re-)setting of all provided cuts." +__doc__ = """Configure the AsgPhotonIsEMSelector with the quality cuts + and allow for (re-)setting of all provided cuts.""" +from ElectronPhotonSelectorTools.PhotonIsEMSelectorMapping import ( + PhotonIsEMMap, photonPIDmenu) from AthenaCommon.Logging import logging from AthenaConfiguration.ComponentFactory import CompFactory from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator # Import the needed stuff specific to the PhotonPhotonSelectorTools -AsgPhotonIsEMSelector=CompFactory.AsgPhotonIsEMSelector -from ElectronPhotonSelectorTools.PhotonIsEMSelectorMapping import PhotonIsEMMap, photonPIDmenu +AsgPhotonIsEMSelector = CompFactory.AsgPhotonIsEMSelector -def AsgPhotonIsEMSelectorCfg(flags, name, quality, menu=photonPIDmenu.menuDC14): +def AsgPhotonIsEMSelectorCfg(flags, name, quality, menu=photonPIDmenu.menuCurrentCuts): acc = ComponentAccumulator() @@ -22,7 +24,11 @@ def AsgPhotonIsEMSelectorCfg(flags, name, quality, menu=photonPIDmenu.menuDC14): ntuple = PhotonIsEMMap(quality, menu) mlog.debug('ntuple: %s', ntuple) except KeyError: - mlog.error("Photon quality not found. Please use an egammaIDQuality (ElectronPhotonSelectorTools/egammaPIDdefs.h). This function only supports standard photon IDs, and not electron IDs or forward IDs") + mlog.error("Photon quality not found." + "Please use an egammaIDQuality" + "(ElectronPhotonSelectorTools/egammaPIDdefs.h)." + "This function only supports standard photon IDs," + "and not electron IDs or forward IDs") raise # Create and instance of the tool diff --git a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ElectronIsEMLooseSelectorCutDefs.py b/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ElectronIsEMLooseSelectorCutDefs.py deleted file mode 100644 index 8307a089f75bbe6b41b05e49d009acf11f426387..0000000000000000000000000000000000000000 --- a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ElectronIsEMLooseSelectorCutDefs.py +++ /dev/null @@ -1,21 +0,0 @@ -# Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration - -# default configuration of the ElectronIsEMSelectorCutDefs -# This one is used for loose++ menu - -# Import a needed helper -from PATCore.HelperUtils import GetTool - -# Define GeV -GeV = 1000.0 - -def ElectronIsEMLooseSelectorConfigDC14(theTool) : - ''' - These are the cut base isEM definitions: Loose from MC15 - ''' - - theTool = GetTool(theTool) - - theTool.ConfigFile = "ElectronPhotonSelectorTools/offline/mc15_20150329/ElectronIsEMLooseSelectorCutDefs.conf" - - diff --git a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ElectronIsEMMediumSelectorCutDefs.py b/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ElectronIsEMMediumSelectorCutDefs.py deleted file mode 100644 index 9107bfb2ca061dcb227e402e0baeb49573dfeea4..0000000000000000000000000000000000000000 --- a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ElectronIsEMMediumSelectorCutDefs.py +++ /dev/null @@ -1,22 +0,0 @@ -# Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration - -# default configuration of the ElectronIsEMSelectorCutDefs -# This one is used for medium++ menu - -# Import a needed helper -from PATCore.HelperUtils import GetTool - -# Define GeV -GeV = 1000.0 - -def ElectronIsEMMediumSelectorConfigDC14(theTool) : - ''' - These are the cut base isEM definitions: Medium from MC15 - ''' - - theTool = GetTool(theTool) - - theTool.ConfigFile = "ElectronPhotonSelectorTools/offline/mc15_20150329/ElectronIsEMMediumSelectorCutDefs.conf" - - - diff --git a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ElectronIsEMMenuDefs.py b/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ElectronIsEMMenuDefs.py new file mode 100644 index 0000000000000000000000000000000000000000..14904768ed0d4315c1f03834dd7b9ceeb44562e0 --- /dev/null +++ b/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ElectronIsEMMenuDefs.py @@ -0,0 +1,69 @@ +# Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration + +# Cnfiguration of the Electron IsEM Selector + +# Import a needed helper +from PATCore.HelperUtils import GetTool + +# Define GeV +GeV = 1000.0 + + +def ElectronIsEMLooseSelectorConfigDC14(theTool): + ''' + These are the cut base isEM definitions: Loose + ''' + + theTool = GetTool(theTool) + + theTool.ConfigFile = "ElectronPhotonSelectorTools/offline/mc15_20150329/ElectronIsEMLooseSelectorCutDefs.conf" + + +def ElectronIsEMMediumSelectorConfigDC14(theTool): + ''' + These are the cut base isEM definitions: Medium + ''' + + theTool = GetTool(theTool) + + theTool.ConfigFile = "ElectronPhotonSelectorTools/offline/mc15_20150329/ElectronIsEMMediumSelectorCutDefs.conf" + + +def ElectronIsEMTightSelectorConfigDC14(theTool): + ''' + These are the cut base isEM definitions: Tight + ''' + + theTool = GetTool(theTool) + + theTool.ConfigFile = "ElectronPhotonSelectorTools/offline/mc15_20150329/ElectronIsEMTightSelectorCutDefs.conf" + + +def TrigElectronIsEMLooseSelectorConfigDC14(theTool): + ''' + This is for the Loose isEM definitions for the Trigger. + ''' + + theTool = GetTool(theTool) + + theTool.ConfigFile = "ElectronPhotonSelectorTools/trigger/mc15_20150329/ElectronIsEMLooseSelectorCutDefs.conf" + + +def TrigElectronIsEMMediumSelectorConfigDC14(theTool): + ''' + This is for the Medium++ isEM definitions for the LATEST Trigger. + ''' + theTool = GetTool(theTool) + + theTool.ConfigFile = "ElectronPhotonSelectorTools/trigger/mc15_20150329/ElectronIsEMMediumSelectorCutDefs.conf" + + +def TrigElectronIsEMTightSelectorConfigDC14(theTool): + ''' + This is for the Tight MC15 LATEST isEM definitions for the Trigger. + ''' + + theTool = GetTool(theTool) + + # the isEM name + theTool.ConfigFile = "ElectronPhotonSelectorTools/trigger/mc15_20150329/ElectronIsEMTightSelectorCutDefs.conf" diff --git a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ElectronIsEMSelectorMapping.py b/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ElectronIsEMSelectorMapping.py index be64dc7dccd96599dfe9ea89b60463811ac1c13b..fdcb50af9f2826600c7119bd40783acf4fd4d448 100644 --- a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ElectronIsEMSelectorMapping.py +++ b/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ElectronIsEMSelectorMapping.py @@ -9,15 +9,7 @@ # Description: Find mapping of mask and function for ID quality # ============================================================================= - -import ElectronPhotonSelectorTools.TrigElectronIsEMLooseSelectorCutDefs as TrigElectronIsEMLooseSelectorCutDefs -import ElectronPhotonSelectorTools.TrigElectronIsEMTightSelectorCutDefs as TrigElectronIsEMTightSelectorCutDefs -import ElectronPhotonSelectorTools.TrigElectronIsEMMediumSelectorCutDefs as TrigElectronIsEMMediumSelectorCutDefs -import ElectronPhotonSelectorTools.ElectronIsEMTightSelectorCutDefs as ElectronIsEMTightSelectorCutDefs -import ElectronPhotonSelectorTools.ElectronIsEMMediumSelectorCutDefs as ElectronIsEMMediumSelectorCutDefs -import ElectronPhotonSelectorTools.ElectronIsEMLooseSelectorCutDefs as ElectronIsEMLooseSelectorCutDefs - -# +import ElectronPhotonSelectorTools.ElectronIsEMMenuDefs as ElectronIsEMSelectorCutDefs from ElectronPhotonSelectorTools.EgammaPIDdefs import egammaPID @@ -30,29 +22,29 @@ class electronPIDmenu: ElectronIsEMMapDC14 = { egammaPID.ElectronIDLoosePP: ( egammaPID.ElectronLoosePP, - ElectronIsEMLooseSelectorCutDefs.ElectronIsEMLooseSelectorConfigDC14), + ElectronIsEMSelectorCutDefs.ElectronIsEMLooseSelectorConfigDC14), egammaPID.ElectronIDMediumPP: ( egammaPID.ElectronMediumPP, - ElectronIsEMMediumSelectorCutDefs.ElectronIsEMMediumSelectorConfigDC14), + ElectronIsEMSelectorCutDefs.ElectronIsEMMediumSelectorConfigDC14), egammaPID.ElectronIDTightPP: ( egammaPID.ElectronTightPP, - ElectronIsEMTightSelectorCutDefs.ElectronIsEMTightSelectorConfigDC14), + ElectronIsEMSelectorCutDefs.ElectronIsEMTightSelectorConfigDC14), egammaPID.NoIDCut: ( 0, - ElectronIsEMLooseSelectorCutDefs.ElectronIsEMLooseSelectorConfigDC14) + ElectronIsEMSelectorCutDefs.ElectronIsEMLooseSelectorConfigDC14) } TrigElectronIsEMMapDC14 = { egammaPID.ElectronIDLooseHLT: (egammaPID.ElectronLooseHLT, - TrigElectronIsEMLooseSelectorCutDefs.TrigElectronIsEMLooseSelectorConfigDC14), + ElectronIsEMSelectorCutDefs.TrigElectronIsEMLooseSelectorConfigDC14), egammaPID.ElectronIDMediumHLT: (egammaPID.ElectronMediumHLT, - TrigElectronIsEMMediumSelectorCutDefs.TrigElectronIsEMMediumSelectorConfigDC14), + ElectronIsEMSelectorCutDefs.TrigElectronIsEMMediumSelectorConfigDC14), egammaPID.ElectronIDTightHLT: (egammaPID.ElectronTightHLT, - TrigElectronIsEMTightSelectorCutDefs.TrigElectronIsEMTightSelectorConfigDC14), + ElectronIsEMSelectorCutDefs.TrigElectronIsEMTightSelectorConfigDC14), } diff --git a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ElectronIsEMTightSelectorCutDefs.py b/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ElectronIsEMTightSelectorCutDefs.py deleted file mode 100644 index ba474399351c6c226103c130b02b8179d51c7358..0000000000000000000000000000000000000000 --- a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ElectronIsEMTightSelectorCutDefs.py +++ /dev/null @@ -1,22 +0,0 @@ -# Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration - -# default configuration of the ElectronIsEMSelectorCutDefs -# This one is used for tight++ menu - -# Import a needed helper -from PATCore.HelperUtils import GetTool - - -# Define GeV -GeV = 1000.0 - -def ElectronIsEMTightSelectorConfigDC14(theTool) : - ''' - These are the cut base isEM definitions: Tight from MC15 - ''' - - theTool = GetTool(theTool) - - theTool.ConfigFile = "ElectronPhotonSelectorTools/offline/mc15_20150329/ElectronIsEMTightSelectorCutDefs.conf" - - diff --git a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ElectronLikelihoodMenuDefs.py b/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ElectronLikelihoodMenuDefs.py index f9d51c6b9fc762f8fc169b62b1a2b24f605cfece..db05608b78e03edbb75e310dbf478355f14633e8 100644 --- a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ElectronLikelihoodMenuDefs.py +++ b/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ElectronLikelihoodMenuDefs.py @@ -33,46 +33,6 @@ def ElectronLikelihoodTightTriggerConfig2015(theTool): theTool = GetTool(theTool) theTool.ConfigFile = "ElectronPhotonSelectorTools/trigger/mc15_20150712/ElectronLikelihoodTightTriggerConfig2015.conf" - -def ElectronLikelihoodVeryLooseOfflineConfig2015(theTool): - ''' - This is for the custom implementation of the VeryLoose offline likelihood for MC15 / Run 2. - This uses Offline PDFs, but does not yet have the pileup dependent discriminant cut. - ''' - theTool = GetTool(theTool) - theTool.ConfigFile = "ElectronPhotonSelectorTools/offline/mc15_20160512/ElectronLikelihoodVeryLooseOfflineConfig2016_Smooth.conf" - - -def ElectronLikelihoodLooseOfflineConfig2015(theTool): - ''' - This is for the custom implementation of the Loose offline likelihood for MC15 / Run 2. - This uses Offline PDFs, but does not yet have the pileup dependent discriminant cut. - (NOTE: same signal eff as offline Loosepp + 1%) - ''' - theTool = GetTool(theTool) - theTool.ConfigFile = "ElectronPhotonSelectorTools/offline/mc15_20160512/ElectronLikelihoodLooseOfflineConfig2016_Smooth.conf" - - -def ElectronLikelihoodMediumOfflineConfig2015(theTool): - ''' - This is for the custom implementation of the Medium offline likelihood for MC15 / Run 2. - This uses Offline PDFs, but does not yet have the pileup dependent discriminant cut. - (NOTE: same signal eff as offline Mediumpp + 1%) - ''' - theTool = GetTool(theTool) - theTool.ConfigFile = "ElectronPhotonSelectorTools/offline/mc15_20160512/ElectronLikelihoodMediumOfflineConfig2016_Smooth.conf" - - -def ElectronLikelihoodTightOfflineConfig2015(theTool): - ''' - This is for the custom implementation of the Tight offline likelihood for MC15 / Run 2. - This uses Offline PDFs, but does not yet have the pileup dependent discriminant cut. - (NOTE: same signal eff as offline Tightpp + 1%) - ''' - theTool = GetTool(theTool) - theTool.ConfigFile = "ElectronPhotonSelectorTools/offline/mc15_20160512/ElectronLikelihoodTightOfflineConfig2016_Smooth.conf" - - def ElectronLikelihoodVeryLooseOfflineConfig2016(theTool): ''' This is for the custom implementation of the VeryLoose offline likelihood for MC16 / Run 2 / Release 21. diff --git a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ElectronLikelihoodToolMapping.py b/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ElectronLikelihoodToolMapping.py index 1f12f2415a9bb0b7fae92e26046ade176b17fdc6..f19ca29c5f03885ecf6f60897d6c671e2d637dbd 100644 --- a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ElectronLikelihoodToolMapping.py +++ b/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ElectronLikelihoodToolMapping.py @@ -16,7 +16,6 @@ import ElectronPhotonSelectorTools.ElectronLikelihoodMenuDefs as ElectronLikelih class electronLHmenu: trigger2015 = 1 - offline2015 = 2 offlineMC16 = 3 @@ -28,13 +27,6 @@ ElectronLHMapTrigger2015 = { LikeEnum.Tight: (LikeEnum.CustomOperatingPoint, ElectronLikelihoodMenuDefs.ElectronLikelihoodTightTriggerConfig2015), } -ElectronLHMapOffline2015 = { - LikeEnum.VeryLoose: (LikeEnum.CustomOperatingPoint, ElectronLikelihoodMenuDefs.ElectronLikelihoodVeryLooseOfflineConfig2015), - LikeEnum.Loose: (LikeEnum.CustomOperatingPoint, ElectronLikelihoodMenuDefs.ElectronLikelihoodLooseOfflineConfig2015), - LikeEnum.Medium: (LikeEnum.CustomOperatingPoint, ElectronLikelihoodMenuDefs.ElectronLikelihoodMediumOfflineConfig2015), - LikeEnum.Tight: (LikeEnum.CustomOperatingPoint, ElectronLikelihoodMenuDefs.ElectronLikelihoodTightOfflineConfig2015), -} - ElectronLHMapOffline2016 = { LikeEnum.VeryLoose: (LikeEnum.CustomOperatingPoint, ElectronLikelihoodMenuDefs.ElectronLikelihoodVeryLooseOfflineConfig2016), LikeEnum.Loose: (LikeEnum.CustomOperatingPoint, ElectronLikelihoodMenuDefs.ElectronLikelihoodLooseOfflineConfig2016), @@ -46,8 +38,6 @@ ElectronLHMapOffline2016 = { def ElectronLikelihoodMap(quality, menu): if menu == electronLHmenu.trigger2015: return ElectronLHMapTrigger2015[quality] - elif menu == electronLHmenu.offline2015: - return ElectronLHMapOffline2015[quality] elif menu == electronLHmenu.offlineMC16: return ElectronLHMapOffline2016[quality] else: diff --git a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ForwardElectronIsEMLooseSelectorCutDefs.py b/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ForwardElectronIsEMLooseSelectorCutDefs.py deleted file mode 100644 index 82ec03b8a5eb2bfd55f766ec543bc000edc2195c..0000000000000000000000000000000000000000 --- a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ForwardElectronIsEMLooseSelectorCutDefs.py +++ /dev/null @@ -1,20 +0,0 @@ -# Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration - -# default configuration of the PhotonIsEMSelectorCutDefs -# This one is used for stadard Loose photons cuts menus - -# Import a needed helper -from PATCore.HelperUtils import GetTool - -# Define GeV -GeV = 1000.0 - -def ForwardElectronIsEMLooseSelectorConfigMC15(theTool) : - ''' - These are the photon isEM definitions *MC15* Loose - ''' - - theTool = GetTool(theTool) - - theTool.ConfigFile = "ElectronPhotonSelectorTools/offline/mc15_20170711/ForwardElectronIsEMLooseSelectorCutDefs.conf" - diff --git a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ForwardElectronIsEMMediumSelectorCutDefs.py b/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ForwardElectronIsEMMediumSelectorCutDefs.py deleted file mode 100644 index 08e58c678dd5f4827678155c120d0babe2f75f07..0000000000000000000000000000000000000000 --- a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ForwardElectronIsEMMediumSelectorCutDefs.py +++ /dev/null @@ -1,24 +0,0 @@ -# Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration - -# default configuration of the ForwardElectronIsEMSelectorCutDefs -# This one is used for stadard photons cuts menus - -# Import a needed helper -from PATCore.HelperUtils import GetTool - -# Define GeV -GeV = 1000.0 - -def ForwardElectronIsEMMediumSelectorConfigMC15(theTool) : - ''' - These are the photon isEM definitions from *MC15* - ''' - - theTool = GetTool(theTool) - - theTool.ConfigFile = "ElectronPhotonSelectorTools/offline/mc15_20170711/ForwardElectronIsEMMediumSelectorCutDefs.conf" - - - - - diff --git a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ForwardElectronIsEMMenuDefs.py b/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ForwardElectronIsEMMenuDefs.py new file mode 100644 index 0000000000000000000000000000000000000000..42fc27f59d5921be6c1c3cb53eb107508b97776d --- /dev/null +++ b/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ForwardElectronIsEMMenuDefs.py @@ -0,0 +1,38 @@ +# Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration + +# default configuration of the Forward Electron IsEM Selectors +# Import a needed helper +from PATCore.HelperUtils import GetTool + +# Define GeV +GeV = 1000.0 + + +def ForwardElectronIsEMLooseSelectorConfigMC15(theTool): + ''' + These are the forward electron isEM definitions Loose + ''' + + theTool = GetTool(theTool) + + theTool.ConfigFile = "ElectronPhotonSelectorTools/offline/mc15_20170711/ForwardElectronIsEMLooseSelectorCutDefs.conf" + + +def ForwardElectronIsEMMediumSelectorConfigMC15(theTool): + ''' + These are the forward electron isEM definitions Medium + ''' + + theTool = GetTool(theTool) + + theTool.ConfigFile = "ElectronPhotonSelectorTools/offline/mc15_20170711/ForwardElectronIsEMMediumSelectorCutDefs.conf" + + +def ForwardElectronIsEMTightSelectorConfigMC15(theTool): + ''' + These are the forward electron isEM definitions Tight + ''' + + theTool = GetTool(theTool) + + theTool.ConfigFile = "ElectronPhotonSelectorTools/offline/mc15_20170711/ForwardElectronIsEMTightSelectorCutDefs.conf" diff --git a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ForwardElectronIsEMSelectorMapping.py b/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ForwardElectronIsEMSelectorMapping.py index ffe2d8b362d7532acbc0a14be8633d0e22d98fcb..c0a6c50d3d3f430bdf0ab40d2e5165cb8dfd88ea 100644 --- a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ForwardElectronIsEMSelectorMapping.py +++ b/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ForwardElectronIsEMSelectorMapping.py @@ -11,9 +11,7 @@ from ElectronPhotonSelectorTools.EgammaPIDdefs import egammaPID # -import ElectronPhotonSelectorTools.ForwardElectronIsEMLooseSelectorCutDefs as ForwardElectronIsEMLooseSelectorCutDefs -import ElectronPhotonSelectorTools.ForwardElectronIsEMTightSelectorCutDefs as ForwardElectronIsEMTightSelectorCutDefs -import ElectronPhotonSelectorTools.ForwardElectronIsEMMediumSelectorCutDefs as ForwardElectronIsEMMediumSelectorCutDefs +import ElectronPhotonSelectorTools.ForwardElectronIsEMMenuDefs as ForwardElectronIsEMSelectorCutDefs class forwardelectronPIDmenu: @@ -25,16 +23,16 @@ class forwardelectronPIDmenu: ForwardElectronIsEMMapMC15 = { egammaPID.ForwardElectronIDLoose: ( egammaPID.ID_ForwardElectron, - ForwardElectronIsEMLooseSelectorCutDefs.ForwardElectronIsEMLooseSelectorConfigMC15), + ForwardElectronIsEMSelectorCutDefs.ForwardElectronIsEMLooseSelectorConfigMC15), egammaPID.ForwardElectronIDMedium: ( egammaPID.ID_ForwardElectron, - ForwardElectronIsEMMediumSelectorCutDefs.ForwardElectronIsEMMediumSelectorConfigMC15), + ForwardElectronIsEMSelectorCutDefs.ForwardElectronIsEMMediumSelectorConfigMC15), egammaPID.ForwardElectronIDTight: ( egammaPID.ID_ForwardElectron, - ForwardElectronIsEMTightSelectorCutDefs.ForwardElectronIsEMTightSelectorConfigMC15), + ForwardElectronIsEMSelectorCutDefs.ForwardElectronIsEMTightSelectorConfigMC15), egammaPID.NoIDCut: ( 0, - ForwardElectronIsEMLooseSelectorCutDefs.ForwardElectronIsEMLooseSelectorConfigMC15) + ForwardElectronIsEMSelectorCutDefs.ForwardElectronIsEMLooseSelectorConfigMC15) } diff --git a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ForwardElectronIsEMTightSelectorCutDefs.py b/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ForwardElectronIsEMTightSelectorCutDefs.py deleted file mode 100644 index 727df2547626c670ad429f74e080cf2208d045fa..0000000000000000000000000000000000000000 --- a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/ForwardElectronIsEMTightSelectorCutDefs.py +++ /dev/null @@ -1,21 +0,0 @@ -# Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration - -# default configuration of the PhotonIsEMSelectorCutDefs -# This one is used for stadard Tight photons cuts menus - -# Import a needed helper -from PATCore.HelperUtils import GetTool - - -def ForwardElectronIsEMTightSelectorConfigMC15(theTool) : - ''' - These are the photon isEM definitions for Tight menu - ''' - - theTool = GetTool(theTool) - - # - # PHOTON tight cuts, with updated using *MC15* - # - theTool.ConfigFile = "ElectronPhotonSelectorTools/offline/mc15_20170711/ForwardElectronIsEMTightSelectorCutDefs.conf" - diff --git a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/TrigElectronIsEMLooseSelectorCutDefs.py b/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/TrigElectronIsEMLooseSelectorCutDefs.py deleted file mode 100644 index b094236eab9cda7260e92974e2bb09e4ecf9d4ea..0000000000000000000000000000000000000000 --- a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/TrigElectronIsEMLooseSelectorCutDefs.py +++ /dev/null @@ -1,26 +0,0 @@ -# Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration - -##=============================================================================== -## Name: TrigEgammaElectronIsEMCutDefs_loose.py -## -## Author: Ryan Mackenzie White -## Created: June 2014 -## -## Description: Loose trigger electron cut definitions for 2014 new tunes. -## Optimized by S. Kahn -##=============================================================================== - -# Import a needed helper -from PATCore.HelperUtils import GetTool - - -def TrigElectronIsEMLooseSelectorConfigDC14(theTool) : - ''' - This is for the Loose isEM definitions for the Trigger. - ''' - - theTool = GetTool(theTool) - - theTool.ConfigFile = "ElectronPhotonSelectorTools/trigger/mc15_20150329/ElectronIsEMLooseSelectorCutDefs.conf" - - diff --git a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/TrigElectronIsEMMediumSelectorCutDefs.py b/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/TrigElectronIsEMMediumSelectorCutDefs.py deleted file mode 100644 index 9a087cc01dccc9da8d1a575289b369233ed7da8d..0000000000000000000000000000000000000000 --- a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/TrigElectronIsEMMediumSelectorCutDefs.py +++ /dev/null @@ -1,25 +0,0 @@ -# Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration - -##=============================================================================== -## Name: TrigEgammaElectronIsEMCutDefs_medium.py -## -## Author: Ryan Mackenzie White -## Created: June 2014 -## -## Description: Medium trigger electron cut definitions for 2014 new tunes. -## -##=============================================================================== - -# Import a needed helper -from PATCore.HelperUtils import GetTool - - -def TrigElectronIsEMMediumSelectorConfigDC14(theTool) : - ''' - This is for the Medium++ isEM definitions for the LATEST Trigger. - ''' - theTool = GetTool(theTool) - - theTool.ConfigFile = "ElectronPhotonSelectorTools/trigger/mc15_20150329/ElectronIsEMMediumSelectorCutDefs.conf" - - diff --git a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/TrigElectronIsEMTightSelectorCutDefs.py b/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/TrigElectronIsEMTightSelectorCutDefs.py deleted file mode 100644 index 906748a216ef8c4361dad88b0ae72669e94a0af3..0000000000000000000000000000000000000000 --- a/PhysicsAnalysis/ElectronPhotonID/ElectronPhotonSelectorTools/python/TrigElectronIsEMTightSelectorCutDefs.py +++ /dev/null @@ -1,26 +0,0 @@ -# Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration - -##=============================================================================== -## Name: TrigEgammaElectronIsEMCutDefs_tight.py -## -## Author: Ryan Mackenzie White -## Created: June 2014 -## -## Description: Tight trigger electron cut definitions for 2014 new tunes. -## -##=============================================================================== - -# Import a needed helper -from PATCore.HelperUtils import GetTool - - -def TrigElectronIsEMTightSelectorConfigDC14(theTool) : - ''' - This is for the Tight MC15 LATEST isEM definitions for the Trigger. - ''' - - theTool = GetTool(theTool) - - # the isEM name - theTool.ConfigFile = "ElectronPhotonSelectorTools/trigger/mc15_20150329/ElectronIsEMTightSelectorCutDefs.conf" - diff --git a/PhysicsAnalysis/TopPhys/xAOD/TopCPTools/Root/TopEgammaCPTools.cxx b/PhysicsAnalysis/TopPhys/xAOD/TopCPTools/Root/TopEgammaCPTools.cxx index b2ff9531f92b0fd8c1153a5096e38ef23443ea68..263bd784227609fb63b89104a9ed8cdcf4e0da6a 100644 --- a/PhysicsAnalysis/TopPhys/xAOD/TopCPTools/Root/TopEgammaCPTools.cxx +++ b/PhysicsAnalysis/TopPhys/xAOD/TopCPTools/Root/TopEgammaCPTools.cxx @@ -690,27 +690,13 @@ namespace top { std::string EgammaCPTools::electronSFMapFilePath(const std::string& type) { // Store here the paths to maps which may be updated with new recommendations // Currently can use maps for reco, id, iso, trigger but not ChargeID - const std::string el_calib_path = "ElectronEfficiencyCorrection/2015_2017/rel21.2/Consolidation_September2018_v1/"; + const std::string el_calib_path = "ElectronEfficiencyCorrection/2015_2018/rel21.2/Precision_Summer2020_v1/map0.txt"; - std::string file_path; - if (type == "reco") { - file_path = "map3.txt"; - } else if (type == "ID") { - file_path = "map3.txt"; - } else if (type == "FWDID") { - file_path = "map3.txt"; - } else if (type == "isolation") { - file_path = "map3.txt"; - } else if (type == "trigger") { - file_path = "map3.txt"; - } else if (type == "ChargeID") { - ATH_MSG_ERROR("Use electronSFFilePath method until ChargeID is supported by maps"); - } else if (type == "ChargeMisID") { - ATH_MSG_ERROR("Use electronSFFilePath method until ChargeMisID is supported by maps"); - } else { - ATH_MSG_ERROR("Unknown electron SF type"); + if (type == "FWDID") { + return PathResolverFindCalibFile("ElectronEfficiencyCorrection/2015_2017/rel21.2/Consolidation_September2018_v1/map3.txt"); } - return PathResolverFindCalibFile(el_calib_path + file_path); + + return PathResolverFindCalibFile(el_calib_path); } std::string EgammaCPTools::mapWorkingPoints(const std::string& type) { diff --git a/Reconstruction/Jet/JetRec/python/JetRecStandardToolManager.py b/Reconstruction/Jet/JetRec/python/JetRecStandardToolManager.py index af25b1047a9b3d8f4155b1c8765c80f726619179..d7035329023b0caf6d4c45fc0397be3224c05ea5 100644 --- a/Reconstruction/Jet/JetRec/python/JetRecStandardToolManager.py +++ b/Reconstruction/Jet/JetRec/python/JetRecStandardToolManager.py @@ -155,6 +155,7 @@ if jetFlags.useTracks(): lcgetters += trackjetgetters empfgetters += trackjetgetters +empfgetters += [jtm.gtowerget] # Add getter lists to jtm indexed by input type name. jtm.gettersMap["emtopo"] = list(emgetters) diff --git a/Reconstruction/Jet/JetRec/python/JetRecStandardTools.py b/Reconstruction/Jet/JetRec/python/JetRecStandardTools.py index 92db91ec11717fb036d75c6c54bd4d4030b5eb07..1f2f1e41d59bcc8a93a144d977fd77f51adaaba8 100644 --- a/Reconstruction/Jet/JetRec/python/JetRecStandardTools.py +++ b/Reconstruction/Jet/JetRec/python/JetRecStandardTools.py @@ -308,6 +308,14 @@ jtm += MuonSegmentPseudoJetAlgorithm( Pt = 1.e-20 ) +# Ghost towers: +jtm += PseudoJetAlgorithm( + "gtowerget", + InputContainer = "CaloCalFwdTopoTowers", + Label = "GhostTower", + OutputContainer = "PseduoJetGhostTower" +) + useVertices = True if not jetFlags.useVertices: useVertices = False diff --git a/Reconstruction/egamma/egammaAlgs/CMakeLists.txt b/Reconstruction/egamma/egammaAlgs/CMakeLists.txt index 1858f5d53e1132b44dcdebcf75df338b99cf6212..6bc12a5f08ae29daa711095f330262bca3e20b94 100644 --- a/Reconstruction/egamma/egammaAlgs/CMakeLists.txt +++ b/Reconstruction/egamma/egammaAlgs/CMakeLists.txt @@ -7,8 +7,8 @@ atlas_subdir( egammaAlgs ) atlas_add_component( egammaAlgs src/*.cxx - src/components/*.cxx - INCLUDE_DIRS + src/components/*.cxx + INCLUDE_DIRS LINK_LIBRARIES AthenaBaseComps EventKernel xAODCaloEvent xAODEgamma xAODTruth GaudiKernel MCTruthClassifierLib CaloGeoHelpers CaloUtilsLib CaloDetDescrLib AthenaKernel StoreGateLib xAODTracking InDetReadoutGeometry EgammaAnalysisInterfacesLib egammaRecEvent egammaUtils @@ -20,4 +20,37 @@ atlas_install_python_modules( python/*.py POST_BUILD_CMD ${ATLAS_FLAKE8} ) atlas_add_test( EMVertexBuilderConfig_test SCRIPT python -m egammaAlgs.EMVertexBuilderConfig - POST_EXEC_SCRIPT nopost.sh) \ No newline at end of file + POST_EXEC_SCRIPT nopost.sh) + +atlas_add_test( EMBremCollectionBuilderConfig_test + SCRIPT python -m egammaAlgs.EMBremCollectionBuilderConfig + POST_EXEC_SCRIPT nopost.sh) + +atlas_add_test( egammaRecBuilderConfig_test + SCRIPT python -m egammaAlgs.egammaRecBuilderConfig + POST_EXEC_SCRIPT nopost.sh) + +atlas_add_test( egammaSuperClusterBuilderConfig_test + SCRIPT python -m egammaAlgs.egammaSuperClusterBuilderConfig + POST_EXEC_SCRIPT nopost.sh) + +atlas_add_test( EMGSFCaloExtensionBuilderConfig_test + SCRIPT python -m egammaAlgs.EMGSFCaloExtensionBuilderConfig + POST_EXEC_SCRIPT nopost.sh) + +atlas_add_test( egammaSelectedTrackCopyConfig_test + SCRIPT python -m egammaAlgs.egammaSelectedTrackCopyConfig + POST_EXEC_SCRIPT nopost.sh) + +atlas_add_test( egammaTopoClusterCopierConfig_test + SCRIPT python -m egammaAlgs.egammaTopoClusterCopierConfig + POST_EXEC_SCRIPT nopost.sh) + +atlas_add_test( topoEgammaBuilderConfig_test + SCRIPT python -m egammaAlgs.topoEgammaBuilderConfig + POST_EXEC_SCRIPT nopost.sh) + +atlas_add_test( egammaTrackSlimmerConfig_test + SCRIPT python -m egammaAlgs.egammaTrackSlimmerConfig + POST_EXEC_SCRIPT nopost.sh) + diff --git a/Reconstruction/egamma/egammaAlgs/python/EMBremCollectionBuilderConfig.py b/Reconstruction/egamma/egammaAlgs/python/EMBremCollectionBuilderConfig.py index f69055eb884e300afedfd661a28fd81726bdc628..8e52c475c228d72cdb3c28f64d859c8ad6fd4a43 100644 --- a/Reconstruction/egamma/egammaAlgs/python/EMBremCollectionBuilderConfig.py +++ b/Reconstruction/egamma/egammaAlgs/python/EMBremCollectionBuilderConfig.py @@ -2,36 +2,64 @@ from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator from AthenaConfiguration.ComponentFactory import CompFactory +from AthenaCommon.Logging import logging -def EMBremCollectionBuilderCfg(flags, - name="EMBremCollectionBuilder", - **kwargs): +def EMBremCollectionBuilderCfg(flags, + name="EMBremCollectionBuilder", + **kwargs): acc = ComponentAccumulator() - # FIXME runtime testing required this, but since this is not a direct dependency it should be added elsewhere, but I do not know where yet + # FIXME runtime testing required this, but since this is not a + # direct dependency it should be added elsewhere, but I do not know where yet if not flags.Input.isMC: - from LumiBlockComps.LumiBlockMuWriterConfig import LumiBlockMuWriterCfg + from LumiBlockComps.LumiBlockMuWriterConfig import LumiBlockMuWriterCfg acc.merge(LumiBlockMuWriterCfg(flags)) if "TrackRefitTool" not in kwargs: from egammaTrackTools.egammaTrackToolsConfig import egammaTrkRefitterToolCfg - kwargs["TrackRefitTool"] = acc.popToolsAndMerge( egammaTrkRefitterToolCfg(flags) ) + kwargs["TrackRefitTool"] = acc.popToolsAndMerge( + egammaTrkRefitterToolCfg(flags)) if "TrackParticleCreatorTool" not in kwargs: from InDetConfig.TrackRecoConfig import TrackParticleCreatorToolCfg - kwargs["TrackParticleCreatorTool"] = acc.getPrimaryAndMerge(TrackParticleCreatorToolCfg(flags, name="GSFBuildInDetParticleCreatorTool", BadClusterID = 3)) + kwargs["TrackParticleCreatorTool"] = acc.getPrimaryAndMerge(TrackParticleCreatorToolCfg( + flags, name="GSFBuildInDetParticleCreatorTool", BadClusterID=3)) if "TrackSlimmingTool" not in kwargs: - slimmingTool = CompFactory.Trk.TrackSlimmingTool(name="GSFBuildInDetTrackSlimmingTool", KeepOutliers=True) + slimmingTool = CompFactory.Trk.TrackSlimmingTool( + name="GSFBuildInDetTrackSlimmingTool", KeepOutliers=True) kwargs["TrackSlimmingTool"] = slimmingTool - + if "TrackSummaryTool" not in kwargs: from egammaTrackTools.egammaTrackToolsConfig import GSFTrackSummaryToolCfg - kwargs["TrackSummaryTool"] = acc.popToolsAndMerge(GSFTrackSummaryToolCfg(flags)) - - kwargs.setdefault("usePixel", True) # TODO configure according to some doPixel, presumably flags.Detector.EnablePixel, same for src + kwargs["TrackSummaryTool"] = acc.popToolsAndMerge( + GSFTrackSummaryToolCfg(flags)) + + # TODO configure according to some doPixel, presumably flags.Detector.EnablePixel, same for src + kwargs.setdefault("usePixel", True) kwargs.setdefault("useSCT", True) alg = CompFactory.EMBremCollectionBuilder(name, **kwargs) acc.addEventAlgo(alg) - return acc \ No newline at end of file + return acc + + +if __name__ == "__main__": + from AthenaCommon.Configurable import Configurable + Configurable.configurableRun3Behavior = True + from AthenaConfiguration.AllConfigFlags import ConfigFlags as flags + from AthenaConfiguration.TestDefaults import defaultTestFiles + from AthenaConfiguration.ComponentAccumulator import printProperties + from AthenaConfiguration.MainServicesConfig import MainServicesCfg + flags.Input.Files = defaultTestFiles.RDO + + acc = MainServicesCfg(flags) + acc.merge(EMBremCollectionBuilderCfg(flags)) + mlog = logging.getLogger("EMBremCollectionBuilderConfigTest") + mlog.info("Configuring EMBremCollectionBuilder: ") + printProperties(mlog, + acc.getEventAlgo("EMBremCollectionBuilder"), + nestLevel=1, + printDefaults=True) + with open("embremcollectionbuilder.pkl", "wb") as f: + acc.store(f) diff --git a/Reconstruction/egamma/egammaAlgs/python/EMGSFCaloExtensionBuilderConfig.py b/Reconstruction/egamma/egammaAlgs/python/EMGSFCaloExtensionBuilderConfig.py index 38b76725cecc46c8f114d40e574c475f2743e56f..60f09fe19f508d28630d78d4c09e71b681b364e2 100644 --- a/Reconstruction/egamma/egammaAlgs/python/EMGSFCaloExtensionBuilderConfig.py +++ b/Reconstruction/egamma/egammaAlgs/python/EMGSFCaloExtensionBuilderConfig.py @@ -1,11 +1,13 @@ # Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration +__doc__ = """ Instantiate the EMGSFCaloExtensionBuilder +with default configuration """ + from TrackToCalo.TrackToCaloConfig import ParticleCaloExtensionToolCfg from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator from AthenaConfiguration.ComponentFactory import CompFactory from AthenaCommon.Logging import logging -__doc__ = """ Instantiate the EMGSFCaloExtensionBuilder -with default configuration """ + EMGSFCaloExtensionBuilder = CompFactory.EMGSFCaloExtensionBuilder @@ -26,16 +28,16 @@ def EMGSFCaloExtensionBuilderCfg( name="PerigeeCaloExtensionTool", ParticleType="electron", StartFromPerigee=True) - kwargs["PerigeeCaloExtensionTool"] = perigeeCaloExtrapAcc.popPrivateTools() - acc.merge(perigeeCaloExtrapAcc) + kwargs["PerigeeCaloExtensionTool"] = acc.popToolsAndMerge( + perigeeCaloExtrapAcc) if "LastCaloExtensionTool" not in kwargs: lastCaloExtrapAcc = ParticleCaloExtensionToolCfg( flags, name="LastCaloExtensionTool", ParticleType="electron") - kwargs["LastCaloExtensionTool"] = lastCaloExtrapAcc.popPrivateTools() - acc.merge(lastCaloExtrapAcc) + kwargs["LastCaloExtensionTool"] = acc.popToolsAndMerge( + lastCaloExtrapAcc) kwargs.setdefault( "GFFTrkPartContainerName", @@ -45,3 +47,24 @@ def EMGSFCaloExtensionBuilderCfg( acc.addEventAlgo(emgscaloextfAlg) return acc + + +if __name__ == "__main__": + from AthenaCommon.Configurable import Configurable + Configurable.configurableRun3Behavior = True + from AthenaConfiguration.AllConfigFlags import ConfigFlags as flags + from AthenaConfiguration.TestDefaults import defaultTestFiles + from AthenaConfiguration.ComponentAccumulator import printProperties + from AthenaConfiguration.MainServicesConfig import MainServicesCfg + flags.Input.Files = defaultTestFiles.RDO + + acc = MainServicesCfg(flags) + acc.merge(EMGSFCaloExtensionBuilderCfg(flags)) + mlog = logging.getLogger("EMGSFCaloExtensionBuilderConfigTest") + mlog.info("Configuring EMGSFCaloExtensionBuilder: ") + printProperties(mlog, + acc.getEventAlgo("EMGSFCaloExtensionBuilder"), + nestLevel=1, + printDefaults=True) + with open("emgsfcaloextensionbuilder.pkl", "wb") as f: + acc.store(f) diff --git a/Reconstruction/egamma/egammaAlgs/python/EMVertexBuilderConfig.py b/Reconstruction/egamma/egammaAlgs/python/EMVertexBuilderConfig.py index fa112732d0fc06ad56df3910fafd91bbb102c018..a9c343bfbf8157775edd415432d95ed768fa54fd 100644 --- a/Reconstruction/egamma/egammaAlgs/python/EMVertexBuilderConfig.py +++ b/Reconstruction/egamma/egammaAlgs/python/EMVertexBuilderConfig.py @@ -2,6 +2,7 @@ from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator from AthenaConfiguration.ComponentFactory import CompFactory +from AthenaCommon.Logging import logging def EMVertexBuilderCfg(flags, name="EMVertexBuilder", **kwargs): @@ -9,11 +10,14 @@ def EMVertexBuilderCfg(flags, name="EMVertexBuilder", **kwargs): if "ExtrapolationTool" not in kwargs: from egammaTrackTools.egammaTrackToolsConfig import EMExtrapolationToolsCfg - kwargs["ExtrapolationTool"] = acc.popToolsAndMerge(EMExtrapolationToolsCfg(flags)) - if "VertexFinderTool" not in kwargs: - vtxFlags = flags.cloneAndReplace("InDet.SecVertex", "InDet.SecVertexEGammaPileUp" ) + kwargs["ExtrapolationTool"] = acc.popToolsAndMerge( + EMExtrapolationToolsCfg(flags)) + if "VertexFinderTool" not in kwargs: + vtxFlags = flags.cloneAndReplace( + "InDet.SecVertex", "InDet.SecVertexEGammaPileUp") from InDetConfig.VertexFindingConfig import ConversionFinderCfg - kwargs["VertexFinderTool"] = acc.popToolsAndMerge( ConversionFinderCfg(vtxFlags) ) + kwargs["VertexFinderTool"] = acc.popToolsAndMerge( + ConversionFinderCfg(vtxFlags)) alg = CompFactory.EMVertexBuilder(name, **kwargs) acc.addEventAlgo(alg) @@ -22,13 +26,20 @@ def EMVertexBuilderCfg(flags, name="EMVertexBuilder", **kwargs): if __name__ == "__main__": from AthenaCommon.Configurable import Configurable - Configurable.configurableRun3Behavior=1 + Configurable.configurableRun3Behavior = True from AthenaConfiguration.AllConfigFlags import ConfigFlags as flags from AthenaConfiguration.TestDefaults import defaultTestFiles + from AthenaConfiguration.ComponentAccumulator import printProperties from AthenaConfiguration.MainServicesConfig import MainServicesCfg - flags.Input.Files = defaultTestFiles.RAW + flags.Input.Files = defaultTestFiles.RDO + acc = MainServicesCfg(flags) acc.merge(EMVertexBuilderCfg(flags)) + mlog = logging.getLogger("EMVertexBuilderConfigTest") + mlog.info("Configuring EMVertexBuilder: ") + printProperties(mlog, + acc.getEventAlgo("EMVertexBuilder"), + nestLevel=1, + printDefaults=True) with open("vertexbuilder.pkl", "wb") as f: acc.store(f) - \ No newline at end of file diff --git a/Reconstruction/egamma/egammaAlgs/python/egammaRecBuilderConfig.py b/Reconstruction/egamma/egammaAlgs/python/egammaRecBuilderConfig.py index f5f6b76bc76762ea873825e65138c1e74323d506..413d0daadf51e046c818602785b5d56fa3a0d6f7 100644 --- a/Reconstruction/egamma/egammaAlgs/python/egammaRecBuilderConfig.py +++ b/Reconstruction/egamma/egammaAlgs/python/egammaRecBuilderConfig.py @@ -23,13 +23,11 @@ def egammaRecBuilderCfg( acc = ComponentAccumulator() if "TrackMatchBuilderTool" not in kwargs: emtrkmatch = EMTrackMatchBuilderCfg(flags) - kwargs["TrackMatchBuilderTool"] = emtrkmatch.popPrivateTools() - acc.merge(emtrkmatch) + kwargs["TrackMatchBuilderTool"] = acc.popToolsAndMerge(emtrkmatch) if "ConversionBuilderTool" not in kwargs: emcnv = EMConversionBuilderCfg(flags) - kwargs["ConversionBuilderTool"] = emcnv.popPrivateTools() - acc.merge(emcnv) + kwargs["ConversionBuilderTool"] = acc.popToolsAndMerge(emcnv) kwargs.setdefault( "egammaRecContainer", @@ -42,3 +40,24 @@ def egammaRecBuilderCfg( acc.addEventAlgo(egrecAlg) return acc + + +if __name__ == "__main__": + from AthenaCommon.Configurable import Configurable + Configurable.configurableRun3Behavior = True + from AthenaConfiguration.AllConfigFlags import ConfigFlags as flags + from AthenaConfiguration.TestDefaults import defaultTestFiles + from AthenaConfiguration.ComponentAccumulator import printProperties + from AthenaConfiguration.MainServicesConfig import MainServicesCfg + flags.Input.Files = defaultTestFiles.RDO + + acc = MainServicesCfg(flags) + acc.merge(egammaRecBuilderCfg(flags)) + mlog = logging.getLogger("egammaRecBuilderConfigTest") + mlog.info("Configuring egammaRecBuilder: ") + printProperties(mlog, + acc.getEventAlgo("egammaRecBuilder"), + nestLevel=1, + printDefaults=True) + with open("egammarecbuilder.pkl", "wb") as f: + acc.store(f) diff --git a/Reconstruction/egamma/egammaAlgs/python/egammaSelectedTrackCopyConfig.py b/Reconstruction/egamma/egammaAlgs/python/egammaSelectedTrackCopyConfig.py index f27879774149ae7debd5be3f87d554ced0f0a093..8a4c1d6892874d7de9f7afb8aa149a5467a6ad45 100644 --- a/Reconstruction/egamma/egammaAlgs/python/egammaSelectedTrackCopyConfig.py +++ b/Reconstruction/egamma/egammaAlgs/python/egammaSelectedTrackCopyConfig.py @@ -9,6 +9,7 @@ from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator egammaCaloClusterSelector = CompFactory.egammaCaloClusterSelector egammaSelectedTrackCopy = CompFactory.egammaSelectedTrackCopy + def egammaSelectedTrackCopyCfg( flags, name='egammaSelectedTrackCopy', @@ -29,13 +30,15 @@ def egammaSelectedTrackCopyCfg( kwargs["egammaCaloClusterSelector"] = egammaCaloClusterGSFSelector if "ExtrapolationTool" not in kwargs: - extraptool = EMExtrapolationToolsCfg(flags, name="EMExtrapolationTools") - kwargs["ExtrapolationTool"] = extraptool.popPrivateTools() - acc.merge(extraptool) + extraptool = EMExtrapolationToolsCfg( + flags, name="EMExtrapolationTools") + kwargs["ExtrapolationTool"] = acc.popToolsAndMerge(extraptool) if "ExtrapolationToolCommonCache" not in kwargs: - from egammaTrackTools.egammaTrackToolsConfig import EMExtrapolationToolsCacheCfg - kwargs["ExtrapolationToolCommonCache"] = acc.popToolsAndMerge(EMExtrapolationToolsCacheCfg(flags)) + from egammaTrackTools.egammaTrackToolsConfig import ( + EMExtrapolationToolsCacheCfg) + kwargs["ExtrapolationToolCommonCache"] = acc.popToolsAndMerge( + EMExtrapolationToolsCacheCfg(flags)) kwargs.setdefault( "ClusterContainerName", @@ -48,3 +51,24 @@ def egammaSelectedTrackCopyCfg( acc.addEventAlgo(egseltrkcpAlg) return acc + + +if __name__ == "__main__": + from AthenaCommon.Configurable import Configurable + Configurable.configurableRun3Behavior = True + from AthenaConfiguration.AllConfigFlags import ConfigFlags as flags + from AthenaConfiguration.TestDefaults import defaultTestFiles + from AthenaConfiguration.ComponentAccumulator import printProperties + from AthenaConfiguration.MainServicesConfig import MainServicesCfg + flags.Input.Files = defaultTestFiles.RDO + + acc = MainServicesCfg(flags) + acc.merge(egammaSelectedTrackCopyCfg(flags)) + mlog = logging.getLogger("egammaSelectedTrackCopyConfigTest") + mlog.info("Configuring egammaSelectedTrackCopy: ") + printProperties(mlog, + acc.getEventAlgo("egammaSelectedTrackCopy"), + nestLevel=1, + printDefaults=True) + with open("egammaselectedtrackCopy.pkl", "wb") as f: + acc.store(f) diff --git a/Reconstruction/egamma/egammaAlgs/python/egammaSuperClusterBuilderConfig.py b/Reconstruction/egamma/egammaAlgs/python/egammaSuperClusterBuilderConfig.py index 97b02ddf16770f13f539bcaeb9e2ba9aeb44d804..2e980cc3ac1c582c8b5b14b0071b60198a472003 100644 --- a/Reconstruction/egamma/egammaAlgs/python/egammaSuperClusterBuilderConfig.py +++ b/Reconstruction/egamma/egammaAlgs/python/egammaSuperClusterBuilderConfig.py @@ -5,37 +5,35 @@ builders with default configuration""" from AthenaCommon.Logging import logging from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator +from AthenaConfiguration.ComponentFactory import CompFactory from egammaTools.EMTrackMatchBuilderConfig import EMTrackMatchBuilderCfg from egammaTools.EMConversionBuilderConfig import EMConversionBuilderCfg -from egammaTools.egammaMVACalibConfig import egammaMVASvcCfg from egammaTools.egammaSwToolConfig import egammaSwToolCfg +from egammaMVACalib.egammaMVACalibConfig import egammaMVASvcCfg from egammaCaloTools.egammaCaloToolsConf import egammaCheckEnergyDepositTool def electronSuperClusterBuilderCfg(flags, name='electronSuperClusterBuilder', **kwargs): - from egammaAlgs.egammaAlgsConf import electronSuperClusterBuilder + electronSuperClusterBuilder = CompFactory.electronSuperClusterBuilder mlog = logging.getLogger(name) mlog.debug('Start configuration') acc = ComponentAccumulator() - if "MVACalibSvc" not in kwargs: - mvacal = egammaMVASvcCfg(flags) - kwargs["MVACalibSvc"] = mvacal.popPrivateTools() - acc.merge(mvacal) - if "TrackMatchBuilderTool" not in kwargs: emtrkmatch = EMTrackMatchBuilderCfg(flags) - kwargs["TrackMatchBuilderTool"] = emtrkmatch.popPrivateTools() - acc.merge(emtrkmatch) + kwargs["TrackMatchBuilderTool"] = acc.popToolsAndMerge(emtrkmatch) if "ClusterCorrectionTool" not in kwargs: egswtool = egammaSwToolCfg(flags) - kwargs["ClusterCorrectionTool"] = egswtool.popPrivateTools() - acc.merge(egswtool) + kwargs["ClusterCorrectionTool"] = acc.popToolsAndMerge(egswtool) + + if "MVACalibSvc" not in kwargs: + mvacal = egammaMVASvcCfg(flags) + kwargs["MVACalibSvc"] = acc.getPrimaryAndMerge(mvacal) kwargs.setdefault( "InputEgammaRecContainerName", @@ -47,7 +45,7 @@ def electronSuperClusterBuilderCfg(flags, name='electronSuperClusterBuilder', ** "egammaCheckEnergyDepositTool", egammaCheckEnergyDepositTool()) kwargs.setdefault("EtThresholdCut", 1000) - + print(kwargs) elscAlg = electronSuperClusterBuilder(name, **kwargs) acc.addEventAlgo(elscAlg) @@ -59,27 +57,24 @@ def photonSuperClusterBuilderCfg( name='photonSuperClusterBuilder', **kwargs): - from egammaAlgs.egammaAlgsConf import photonSuperClusterBuilder + photonSuperClusterBuilder = CompFactory.photonSuperClusterBuilder mlog = logging.getLogger(name) mlog.debug('Start configuration') acc = ComponentAccumulator() - if "MVACalibSvc" not in kwargs: - mvacal = egammaMVASvcCfg(flags) - kwargs["MVACalibSvc"] = mvacal.popPrivateTools() - acc.merge(mvacal) - if "ConversionBuilderTool" not in kwargs: emcnv = EMConversionBuilderCfg(flags) - kwargs["ConversionBuilderTool"] = emcnv.popPrivateTools() - acc.merge(emcnv) + kwargs["ConversionBuilderTool"] = acc.popToolsAndMerge(emcnv) if "ClusterCorrectionTool" not in kwargs: egswtool = egammaSwToolCfg(flags) - kwargs["ClusterCorrectionTool"] = egswtool.popPrivateTools() - acc.merge(egswtool) + kwargs["ClusterCorrectionTool"] = acc.popToolsAndMerge(egswtool) + + if "MVACalibSvc" not in kwargs: + mvacal = egammaMVASvcCfg(flags) + kwargs["MVACalibSvc"] = acc.getPrimaryAndMerge(mvacal) kwargs.setdefault( "InputEgammaRecContainerName", @@ -95,3 +90,31 @@ def photonSuperClusterBuilderCfg( acc.addEventAlgo(phscAlg) return acc + + +if __name__ == "__main__": + from AthenaCommon.Configurable import Configurable + Configurable.configurableRun3Behavior = True + from AthenaConfiguration.AllConfigFlags import ConfigFlags as flags + from AthenaConfiguration.TestDefaults import defaultTestFiles + from AthenaConfiguration.ComponentAccumulator import printProperties + from AthenaConfiguration.MainServicesConfig import MainServicesCfg + flags.Input.Files = defaultTestFiles.RDO + + acc = MainServicesCfg(flags) + acc.merge(electronSuperClusterBuilderCfg(flags)) + mlog = logging.getLogger("egammaSuperClusterBuilderConfigTest") + mlog.info("Configuring electronSuperClusterBuilder: ") + printProperties(mlog, + acc.getEventAlgo("electronSuperClusterBuilder"), + nestLevel=1, + printDefaults=True) + acc.merge(photonSuperClusterBuilderCfg(flags)) + mlog.info("Configuring photonSuperClusterBuilder: ") + printProperties(mlog, + acc.getEventAlgo("photonSuperClusterBuilder"), + nestLevel=1, + printDefaults=True) + + with open("egammasuperclusterbuilder.pkl", "wb") as f: + acc.store(f) diff --git a/Reconstruction/egamma/egammaAlgs/python/egammaTopoClusterCopierConfig.py b/Reconstruction/egamma/egammaAlgs/python/egammaTopoClusterCopierConfig.py index a6e1077393605911e3d87b725bb8432a6a481469..574e88a1e21fc5b5017ca6c6532a8f8cec640b62 100644 --- a/Reconstruction/egamma/egammaAlgs/python/egammaTopoClusterCopierConfig.py +++ b/Reconstruction/egamma/egammaAlgs/python/egammaTopoClusterCopierConfig.py @@ -34,3 +34,24 @@ def egammaTopoClusterCopierCfg( acc.addEventAlgo(egcopierAlg) return acc + + +if __name__ == "__main__": + from AthenaCommon.Configurable import Configurable + Configurable.configurableRun3Behavior = True + from AthenaConfiguration.AllConfigFlags import ConfigFlags as flags + from AthenaConfiguration.TestDefaults import defaultTestFiles + from AthenaConfiguration.ComponentAccumulator import printProperties + from AthenaConfiguration.MainServicesConfig import MainServicesCfg + flags.Input.Files = defaultTestFiles.RDO + + acc = MainServicesCfg(flags) + acc.merge(egammaTopoClusterCopierCfg(flags)) + mlog = logging.getLogger("egammaTopoClusterCopierConfigTest") + mlog.info("Configuring egammaTopoClusterCopier: ") + printProperties(mlog, + acc.getEventAlgo("egammaTopoClusterCopier"), + nestLevel=1, + printDefaults=True) + with open("egammatopoclustercopier.pkl", "wb") as f: + acc.store(f) diff --git a/Reconstruction/egamma/egammaAlgs/python/egammaTrackSlimmerConfig.py b/Reconstruction/egamma/egammaAlgs/python/egammaTrackSlimmerConfig.py index f50ce9be718367497cad93f5eeabe5f850b32254..71e5680a53f838ebc35f75ff796f1f9ba814d074 100755 --- a/Reconstruction/egamma/egammaAlgs/python/egammaTrackSlimmerConfig.py +++ b/Reconstruction/egamma/egammaAlgs/python/egammaTrackSlimmerConfig.py @@ -30,3 +30,24 @@ def egammaTrackSlimmerCfg( acc.addEventAlgo(egtrkslimmerAlg) return acc + + +if __name__ == "__main__": + from AthenaCommon.Configurable import Configurable + Configurable.configurableRun3Behavior = True + from AthenaConfiguration.AllConfigFlags import ConfigFlags as flags + from AthenaConfiguration.TestDefaults import defaultTestFiles + from AthenaConfiguration.ComponentAccumulator import printProperties + from AthenaConfiguration.MainServicesConfig import MainServicesCfg + flags.Input.Files = defaultTestFiles.ESD + + acc = MainServicesCfg(flags) + acc.merge(egammaTrackSlimmerCfg(flags)) + mlog = logging.getLogger("egammaTrackSlimmerConfigTest") + mlog.info("Configuring egammaTrackSlimmer: ") + printProperties(mlog, + acc.getEventAlgo("egammaTrackSlimmer"), + nestLevel=1, + printDefaults=True) + with open("egammatrackslimmer.pkl", "wb") as f: + acc.store(f) diff --git a/Reconstruction/egamma/egammaAlgs/python/topoEgammaBuilderConfig.py b/Reconstruction/egamma/egammaAlgs/python/topoEgammaBuilderConfig.py index aa4a75b0a4d502709cfa7d5be2656b0e2045871b..43f7bd3454b8f839a1fb7745a927cd27e6fd91a3 100644 --- a/Reconstruction/egamma/egammaAlgs/python/topoEgammaBuilderConfig.py +++ b/Reconstruction/egamma/egammaAlgs/python/topoEgammaBuilderConfig.py @@ -34,8 +34,33 @@ def topoEgammaBuilderCfg(flags, name='topoEgammaBuilder', **kwargs): kwargs.setdefault( "AmbiguityTool", EGammaAmbiguityTool()) + kwargs.setdefault( + "isTruth", + flags.Input.isMC + ) - topoegAlg = xAODEgammaBuilder(flags, **kwargs) + topoegAlg = xAODEgammaBuilder(name, **kwargs) acc.addEventAlgo(topoegAlg) return acc + + +if __name__ == "__main__": + from AthenaCommon.Configurable import Configurable + Configurable.configurableRun3Behavior = True + from AthenaConfiguration.AllConfigFlags import ConfigFlags as flags + from AthenaConfiguration.TestDefaults import defaultTestFiles + from AthenaConfiguration.ComponentAccumulator import printProperties + from AthenaConfiguration.MainServicesConfig import MainServicesCfg + flags.Input.Files = defaultTestFiles.RDO + + acc = MainServicesCfg(flags) + acc.merge(topoEgammaBuilderCfg(flags)) + mlog = logging.getLogger("topoEgammaBuilderConfigTest") + mlog.info("Configuring topoEgammaBuilder: ") + printProperties(mlog, + acc.getEventAlgo("topoEgammaBuilder"), + nestLevel=1, + printDefaults=True) + with open("topoegammabuilder.pkl", "wb") as f: + acc.store(f) diff --git a/Reconstruction/egamma/egammaConfig/python/egammaConfigFlags.py b/Reconstruction/egamma/egammaConfig/python/egammaConfigFlags.py index 2e9212b461ed5610a29c6efd42a730f3b52bdb9f..c10ef81d51832f755444bd75dc93db4a387cc0ee 100644 --- a/Reconstruction/egamma/egammaConfig/python/egammaConfigFlags.py +++ b/Reconstruction/egamma/egammaConfig/python/egammaConfigFlags.py @@ -2,6 +2,7 @@ # this is based on MuonConfigFlags as a guide +import unittest from AthenaConfiguration.AthConfigFlags import AthConfigFlags @@ -13,8 +14,9 @@ def createEgammaConfigFlags(): # do standard cluster-based egamma algorithm egcf.addFlag("Egamma.doCaloSeeded", True) - egcf.addFlag("Egamma.doSuperclusters", True) # if true, do superculsers, false is SW - egcf.addFlag("Egamma.doTopoSeeded", True) # if doing SW, also add toposeeded electrons + + # if true, do superculsers + egcf.addFlag("Egamma.doSuperclusters", True) # do forward egamma egcf.addFlag("Egamma.doForwardSeeded", True) @@ -29,8 +31,10 @@ def createEgammaConfigFlags(): egcf.addFlag("Egamma.doConversionBuilding", True) # The cluster corrections/calib - egcf.addFlag("Egamma.Calib.ClusterCorrectionVersion", 'v12phiflip_noecorrnogap') - egcf.addFlag("Egamma.Calib.SuperClusterCorrectionVersion", 'v12phiflip_supercluster') + egcf.addFlag("Egamma.Calib.ClusterCorrectionVersion", + 'v12phiflip_noecorrnogap') + egcf.addFlag("Egamma.Calib.SuperClusterCorrectionVersion", + 'v12phiflip_supercluster') egcf.addFlag("Egamma.Calib.MVAVersion", 'egammaMVACalib/offline/v7') ################################################## @@ -39,64 +43,67 @@ def createEgammaConfigFlags(): # one idea is to make the keys have tuples with type, name, etc ################################################## - def _cellContainer(prevFlags): - if "AllCalo" in prevFlags.Input.Collections: - # if have all the cells in input file, return it - return "AllCalo" - elif "AODCellContainer" in prevFlags.Input.Collections: - # do we have the AOD cells? - return "AODCellContainer" - else: - # assume they will be created - return "AllCalo" - - egcf.addFlag("Egamma.Keys.Input.CaloCells", lambda prevFlags: _cellContainer(prevFlags)) - egcf.addFlag("Egamma.Keys.Input.TopoClusters", 'CaloTopoClusters') # input topoclusters + egcf.addFlag("Egamma.Keys.Input.CaloCells", 'AllCalo') + egcf.addFlag("Egamma.Keys.Input.TopoClusters", + 'CaloTopoClusters') # input topoclusters egcf.addFlag("Egamma.Keys.Input.TruthParticles", 'TruthParticles') egcf.addFlag("Egamma.Keys.Input.TruthEvents", 'TruthEvents') - egcf.addFlag("Egamma.Keys.Input.TrackParticles", 'InDetTrackParticles') # input to GSF + egcf.addFlag("Egamma.Keys.Input.TrackParticles", + 'InDetTrackParticles') # input to GSF # the topoclusters selected for egamma from the input topoclusters - egcf.addFlag("Egamma.Keys.Internal.EgammaTopoClusters", 'egammaTopoClusters') + egcf.addFlag("Egamma.Keys.Internal.EgammaTopoClusters", + 'egammaTopoClusters') egcf.addFlag("Egamma.Keys.Internal.EgammaRecs", 'egammaRecCollection') - egcf.addFlag("Egamma.Keys.Internal.PhotonSuperRecs", 'PhotonSuperRecCollection') - egcf.addFlag("Egamma.Keys.Internal.ElectronSuperRecs", 'ElectronSuperRecCollection') + egcf.addFlag("Egamma.Keys.Internal.PhotonSuperRecs", + 'PhotonSuperRecCollection') + egcf.addFlag("Egamma.Keys.Internal.ElectronSuperRecs", + 'ElectronSuperRecCollection') # These are the clusters that are used to determine which cells to write out to AOD egcf.addFlag("Egamma.Keys.Output.EgammaLargeClusters", 'egamma711Clusters') egcf.addFlag("Egamma.Keys.Output.EgammaLargeClustersSuppESD", '') # don't define SuppAOD because the whole container is suppressed - egcf.addFlag("Egamma.Keys.Output.ConversionVertices", 'GSFConversionVertices') - egcf.addFlag("Egamma.Keys.Output.ConversionVerticesSuppESD", '-vxTrackAtVertex') - egcf.addFlag("Egamma.Keys.Output.ConversionVerticesSuppAOD", '-vxTrackAtVertex') + egcf.addFlag("Egamma.Keys.Output.ConversionVertices", + 'GSFConversionVertices') + egcf.addFlag("Egamma.Keys.Output.ConversionVerticesSuppESD", + '-vxTrackAtVertex') + egcf.addFlag("Egamma.Keys.Output.ConversionVerticesSuppAOD", + '-vxTrackAtVertex') egcf.addFlag("Egamma.Keys.Output.CaloClusters", 'egammaClusters') egcf.addFlag("Egamma.Keys.Output.CaloClustersSuppESD", '') egcf.addFlag("Egamma.Keys.Output.CaloClustersSuppAOD", '') - egcf.addFlag("Egamma.Keys.Output.TopoSeededClusters", 'egammaTopoSeededClusters') + egcf.addFlag("Egamma.Keys.Output.TopoSeededClusters", + 'egammaTopoSeededClusters') egcf.addFlag("Egamma.Keys.Output.TopoSeededClustersSuppESD", '') egcf.addFlag("Egamma.Keys.Output.TopoSeededClustersSuppAOD", '-CellLink') egcf.addFlag("Egamma.Keys.Output.Electrons", 'Electrons') egcf.addFlag("Egamma.Keys.Output.ElectronsSuppESD", '') egcf.addFlag("Egamma.Keys.Output.ElectronsSuppAOD", - '-e033.-e011.-e333.-e335.-e337.-e377.-EgammaCovarianceMatrix.-isEMLHLoose.-isEMLHTight.-isEMLHMedium.-isEMLoose.-isEMMultiLepton.-isEMMedium.-isEMTight') + "-e033.-e011.-e333.-e335.-e337.-e377." + "-EgammaCovarianceMatrix.-isEMLHLoose.-isEMLHTight.-isEMLHMedium." + "-isEMLoose.-isEMMedium.-isEMTight") - egcf.addFlag("Egamma.Keys.Input.ForwardTopoClusters", 'CaloCalTopoClusters') + egcf.addFlag("Egamma.Keys.Input.ForwardTopoClusters", + 'CaloCalTopoClusters') egcf.addFlag("Egamma.Keys.Output.ForwardElectrons", 'ForwardElectrons') egcf.addFlag("Egamma.Keys.Output.ForwardElectronsSuppESD", '') egcf.addFlag("Egamma.Keys.Output.ForwardElectronsSuppAOD", '-isEMTight.-isEMMedium.-isEMLoose') - egcf.addFlag("Egamma.Keys.Output.ForwardClusters", 'ForwardElectronClusters') + egcf.addFlag("Egamma.Keys.Output.ForwardClusters", + 'ForwardElectronClusters') egcf.addFlag("Egamma.Keys.Output.ForwardClustersSuppESD", '-SisterCluster') egcf.addFlag("Egamma.Keys.Output.ForwardClustersSuppAOD", '-SisterCluster') # These are the clusters that are used to determine which cells to write out to AOD - egcf.addFlag("Egamma.Keys.Output.EgammaLargeFWDClusters", 'egamma66FWDClusters') + egcf.addFlag("Egamma.Keys.Output.EgammaLargeFWDClusters", + 'egamma66FWDClusters') egcf.addFlag("Egamma.Keys.Output.EgammaLargeFWDClustersSuppESD", '') # don't define SuppAOD because the whole container is suppressed @@ -122,7 +129,7 @@ def createEgammaConfigFlags(): # self test -import unittest + class TestEgammaConfigFlags(unittest.TestCase): @@ -131,6 +138,7 @@ class TestEgammaConfigFlags(unittest.TestCase): self.assertEqual(flags.Egamma.Keys.Output.Photons, "Photons") self.assertEqual(flags._get("Egamma.Keys.Output.Photons"), "Photons") + if __name__ == "__main__": unittest.main() diff --git a/Reconstruction/egamma/egammaTools/CMakeLists.txt b/Reconstruction/egamma/egammaTools/CMakeLists.txt index b45acb932c041071ef4d6c54ccabec79d497fbea..d01eb5bf1e70dce8e5ed3c2c8c42984d5fe582e0 100644 --- a/Reconstruction/egamma/egammaTools/CMakeLists.txt +++ b/Reconstruction/egamma/egammaTools/CMakeLists.txt @@ -11,3 +11,31 @@ atlas_add_component( egammaTools # Install files from the package: atlas_install_python_modules( python/*.py POST_BUILD_CMD ${ATLAS_FLAKE8} ) + +atlas_add_test(EMTrackMatchBuilderConfigTest + SCRIPT python -m egammaTools.EMTrackMatchBuilderConfig + POST_EXEC_SCRIPT nopost.sh) + +atlas_add_test(EMShowerBuilderConfigTest + SCRIPT python -m egammaTools.EMShowerBuilderConfig + POST_EXEC_SCRIPT nopost.sh) + +atlas_add_test(EMConversionBuilderConfigTest + SCRIPT python -m egammaTools.EMConversionBuilderConfig + POST_EXEC_SCRIPT nopost.sh) + +atlas_add_test(EMPIDBuilderConfigTest + SCRIPT python -m egammaTools.EMPIDBuilderConfig + POST_EXEC_SCRIPT nopost.sh) + + atlas_add_test(egammaSwToolConfigTest + SCRIPT python -m egammaTools.egammaSwToolConfig + POST_EXEC_SCRIPT nopost.sh) + +atlas_add_test(egammaOQFlagsBuilderTest + SCRIPT python -m egammaTools.egammaOQFlagsBuilderConfig + POST_EXEC_SCRIPT nopost.sh) + +atlas_add_test(egammaLargeClusterMakerConfigTest + SCRIPT python -m egammaTools.egammaLargeClusterMakerConfig + POST_EXEC_SCRIPT nopost.sh) diff --git a/Reconstruction/egamma/egammaTools/python/EMConversionBuilderConfig.py b/Reconstruction/egamma/egammaTools/python/EMConversionBuilderConfig.py index bcd512cc6c6b28a1cb484226d337a0a9247775fc..13682091c40aad557c40b0e0d658dd8edb5d5508 100644 --- a/Reconstruction/egamma/egammaTools/python/EMConversionBuilderConfig.py +++ b/Reconstruction/egamma/egammaTools/python/EMConversionBuilderConfig.py @@ -1,12 +1,12 @@ -# Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +# Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration -__doc__ = "Configure the electron and photon selectors." +__doc__ = "Configure Conversion building" from AthenaCommon.Logging import logging from AthenaConfiguration.ComponentFactory import CompFactory from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator -EMConversionBuilder=CompFactory.EMConversionBuilder from egammaTrackTools.egammaTrackToolsConfig import EMExtrapolationToolsCfg +EMConversionBuilder = CompFactory.EMConversionBuilder def EMConversionBuilderCfg(flags, name='EMConversionBuilder', **kwargs): @@ -20,9 +20,36 @@ def EMConversionBuilderCfg(flags, name='EMConversionBuilder', **kwargs): extraptool = EMExtrapolationToolsCfg(flags) kwargs["ExtrapolationTool"] = extraptool.popPrivateTools() acc.merge(extraptool) - kwargs.setdefault("ConversionContainerName", flags.Egamma.Keys.Output.ConversionVertices) + kwargs.setdefault("ConversionContainerName", + flags.Egamma.Keys.Output.ConversionVertices) emconv = EMConversionBuilder(name, **kwargs) acc.setPrivateTools(emconv) return acc + + +if __name__ == "__main__": + + from AthenaConfiguration.AllConfigFlags import ConfigFlags + from AthenaConfiguration.ComponentAccumulator import printProperties + from AthenaCommon.Configurable import Configurable + from AthenaConfiguration.TestDefaults import defaultTestFiles + Configurable.configurableRun3Behavior = True + + ConfigFlags.Input.Files = defaultTestFiles.RDO + ConfigFlags.fillFromArgs() + ConfigFlags.lock() + ConfigFlags.dump() + + cfg = ComponentAccumulator() + mlog = logging.getLogger("EMConversionBuilderConfigTest") + mlog.info("Configuring EMConversionBuilder: ") + printProperties(mlog, cfg.popToolsAndMerge( + EMConversionBuilderCfg(ConfigFlags)), + nestLevel=1, + printDefaults=True) + + f = open("emshowerbuilder.pkl", "wb") + cfg.store(f) + f.close() diff --git a/Reconstruction/egamma/egammaTools/python/EMPIDBuilderConfig.py b/Reconstruction/egamma/egammaTools/python/EMPIDBuilderConfig.py index b70619e437c65b140214a3c185b93f149be87535..db3cca11ee64facec47060570f79b7e85c5e9c57 100755 --- a/Reconstruction/egamma/egammaTools/python/EMPIDBuilderConfig.py +++ b/Reconstruction/egamma/egammaTools/python/EMPIDBuilderConfig.py @@ -19,7 +19,8 @@ def EMPIDBuilderElectronCfg(flags, name='EMPIDBuilderElectron', **kwargs): # Electron Selectors # Cut based from ROOT import LikeEnum - from ElectronPhotonSelectorTools.AsgElectronIsEMSelectorsConfig import AsgElectronIsEMSelectorCfg + from ElectronPhotonSelectorTools.AsgElectronIsEMSelectorsConfig import ( + AsgElectronIsEMSelectorCfg) if "electronIsEMselectors" not in kwargs: LooseElectronSelectorAcc = AsgElectronIsEMSelectorCfg( flags, "LooseElectronSelector", egammaPID.ElectronIDLoosePP) @@ -28,9 +29,10 @@ def EMPIDBuilderElectronCfg(flags, name='EMPIDBuilderElectron', **kwargs): TightElectronSelectorAcc = AsgElectronIsEMSelectorCfg( flags, "TightElectronSelector", egammaPID.ElectronIDTightPP) - kwargs["electronIsEMselectors"] = [LooseElectronSelectorAcc.popPrivateTools(), - MediumElectronSelectorAcc.popPrivateTools(), - TightElectronSelectorAcc.popPrivateTools()] + kwargs["electronIsEMselectors"] = [ + LooseElectronSelectorAcc.popPrivateTools(), + MediumElectronSelectorAcc.popPrivateTools(), + TightElectronSelectorAcc.popPrivateTools()] kwargs["electronIsEMselectorResultNames"] = [ "Loose", "Medium", "Tight"] acc.merge(LooseElectronSelectorAcc) @@ -38,7 +40,8 @@ def EMPIDBuilderElectronCfg(flags, name='EMPIDBuilderElectron', **kwargs): acc.merge(TightElectronSelectorAcc) # Likelihood - from ElectronPhotonSelectorTools.AsgElectronLikelihoodToolsConfig import AsgElectronLikelihoodToolCfg + from ElectronPhotonSelectorTools.AsgElectronLikelihoodToolsConfig import ( + AsgElectronLikelihoodToolCfg) if "electronLHselectors" not in kwargs: LooseLHSelectorAcc = AsgElectronLikelihoodToolCfg( flags, "LooseLHSelector", LikeEnum.Loose) @@ -72,15 +75,17 @@ def EMPIDBuilderPhotonCfg(flags, name='EMPIDBuilderPhoton', **kwargs): acc = ComponentAccumulator() # photon Selectors - from ElectronPhotonSelectorTools.AsgPhotonIsEMSelectorsConfig import AsgPhotonIsEMSelectorCfg + from ElectronPhotonSelectorTools.AsgPhotonIsEMSelectorsConfig import ( + AsgPhotonIsEMSelectorCfg) LoosePhotonSelectorAcc = AsgPhotonIsEMSelectorCfg( flags, "LoosePhotonSelector", egammaPID.PhotonIDLoose) TightPhotonSelectorAcc = AsgPhotonIsEMSelectorCfg( flags, "TightPhotonSelector", egammaPID.PhotonIDTight) if "photonIsEMselectors" not in kwargs: - kwargs["photonIsEMselectors"] = [LoosePhotonSelectorAcc.popPrivateTools(), - TightPhotonSelectorAcc.popPrivateTools()] + kwargs["photonIsEMselectors"] = [ + LoosePhotonSelectorAcc.popPrivateTools(), + TightPhotonSelectorAcc.popPrivateTools()] kwargs["photonIsEMselectorResultNames"] = ["Loose", "Tight"] acc.merge(LoosePhotonSelectorAcc) @@ -89,3 +94,34 @@ def EMPIDBuilderPhotonCfg(flags, name='EMPIDBuilderPhoton', **kwargs): tool = EMPIDBuilder(name, **kwargs) acc.setPrivateTools(tool) return acc + + +if __name__ == "__main__": + + from AthenaConfiguration.AllConfigFlags import ConfigFlags + from AthenaConfiguration.ComponentAccumulator import printProperties + from AthenaCommon.Configurable import Configurable + from AthenaConfiguration.TestDefaults import defaultTestFiles + Configurable.configurableRun3Behavior = True + + ConfigFlags.Input.Files = defaultTestFiles.RDO + ConfigFlags.fillFromArgs() + ConfigFlags.lock() + ConfigFlags.dump() + + cfg = ComponentAccumulator() + mlog = logging.getLogger("EMPIDBuilderConfigTest") + mlog.info("Configuring EMPIDBuilderElectron: ") + printProperties(mlog, cfg.popToolsAndMerge( + EMPIDBuilderElectronCfg(ConfigFlags)), + nestLevel=1, + printDefaults=True) + mlog.info("Configuring EMPIDBuilderPhoton: ") + printProperties(mlog, cfg.popToolsAndMerge( + EMPIDBuilderPhotonCfg(ConfigFlags)), + nestLevel=1, + printDefaults=True) + + f = open("empidbuilder.pkl", "wb") + cfg.store(f) + f.close() diff --git a/Reconstruction/egamma/egammaTools/python/EMShowerBuilderConfig.py b/Reconstruction/egamma/egammaTools/python/EMShowerBuilderConfig.py index 7e6a227b64de77602014cadb143ee001305e2e1b..99201cf6ec51a940ecef730f9057bfe23f8658f5 100644 --- a/Reconstruction/egamma/egammaTools/python/EMShowerBuilderConfig.py +++ b/Reconstruction/egamma/egammaTools/python/EMShowerBuilderConfig.py @@ -1,15 +1,17 @@ -# Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +# Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration -__doc__ = "ToolFactory to instantiate all EMShowerBuilder with default configuration" +__doc__ = "Configuration for EMShowerBuilder" from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator from AthenaConfiguration.ComponentFactory import CompFactory from AthenaCommon.Logging import logging -EMShowerBuilder=CompFactory.EMShowerBuilder -egammaIso, egammaShowerShape=CompFactory.getComps("egammaIso","egammaShowerShape",) from CaloIdentifier import SUBCALO +EMShowerBuilder = CompFactory.EMShowerBuilder +egammaIso, egammaShowerShape = CompFactory.getComps( + "egammaIso", "egammaShowerShape",) + def EMShowerBuilderCfg(flags, name='EMShowerBuilder', **kwargs): @@ -19,7 +21,8 @@ def EMShowerBuilderCfg(flags, name='EMShowerBuilder', **kwargs): acc = ComponentAccumulator() kwargs.setdefault("CellsName", flags.Egamma.Keys.Input.CaloCells) - kwargs.setdefault("CaloNums", [SUBCALO.LAREM, SUBCALO.LARHEC, SUBCALO.TILE]) + kwargs.setdefault( + "CaloNums", [SUBCALO.LAREM, SUBCALO.LARHEC, SUBCALO.TILE]) kwargs.setdefault("ShowerShapeTool", egammaShowerShape()) kwargs.setdefault("HadronicLeakageTool", egammaIso()) @@ -27,3 +30,29 @@ def EMShowerBuilderCfg(flags, name='EMShowerBuilder', **kwargs): acc.setPrivateTools(tool) return acc + + +if __name__ == "__main__": + + from AthenaConfiguration.AllConfigFlags import ConfigFlags + from AthenaConfiguration.ComponentAccumulator import printProperties + from AthenaCommon.Configurable import Configurable + from AthenaConfiguration.TestDefaults import defaultTestFiles + Configurable.configurableRun3Behavior = True + + ConfigFlags.Input.Files = defaultTestFiles.RDO + ConfigFlags.fillFromArgs() + ConfigFlags.lock() + ConfigFlags.dump() + + cfg = ComponentAccumulator() + mlog = logging.getLogger("EMShowerBuilderConfigTest") + mlog.info("Configuring EMShowerBuilder: ") + printProperties(mlog, cfg.popToolsAndMerge( + EMShowerBuilderCfg(ConfigFlags)), + nestLevel=1, + printDefaults=True) + + f = open("emshowerbuilder.pkl", "wb") + cfg.store(f) + f.close() diff --git a/Reconstruction/egamma/egammaTools/python/EMTrackMatchBuilderConfig.py b/Reconstruction/egamma/egammaTools/python/EMTrackMatchBuilderConfig.py index 00d58b475ef1b66a0a35bb7b05ad701a17666fb8..9ffcfdf05f3b0f4674ade559e9586a910b8b1e35 100644 --- a/Reconstruction/egamma/egammaTools/python/EMTrackMatchBuilderConfig.py +++ b/Reconstruction/egamma/egammaTools/python/EMTrackMatchBuilderConfig.py @@ -1,13 +1,14 @@ -# Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +# Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration __doc__ = "Instantiate EMTrackMatchBuilder with default configuration" from AthenaCommon.Logging import logging from AthenaConfiguration.ComponentFactory import CompFactory from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator -EMTrackMatchBuilder=CompFactory.EMTrackMatchBuilder from egammaTrackTools.egammaTrackToolsConfig import EMExtrapolationToolsCacheCfg +EMTrackMatchBuilder = CompFactory.EMTrackMatchBuilder + def EMTrackMatchBuilderCfg(flags, name='EMTrackMatchBuilder', **kwargs): @@ -21,9 +22,13 @@ def EMTrackMatchBuilderCfg(flags, name='EMTrackMatchBuilder', **kwargs): kwargs["ExtrapolationTool"] = extrapcache.popPrivateTools() acc.merge(extrapcache) - kwargs.setdefault("TrackParticlesName", flags.Egamma.Keys.Input.TrackParticles) # TODO restore proper input once LRT tracking is in place Egamma.Keys.Output.GSFTrackParticles) - kwargs.setdefault("broadDeltaEta", 0.1) # candidate match is done in 2 times this so +- 0.2 - kwargs.setdefault("broadDeltaPhi", 0.15) # candidate match is done in 2 times this so +- 0.3 + # TODO restore proper input once LRT tracking is in place Egamma.Keys.Output.GSFTrackParticles) + kwargs.setdefault("TrackParticlesName", + flags.Egamma.Keys.Input.TrackParticles) + # candidate match is done in 2 times this so +- 0.2 + kwargs.setdefault("broadDeltaEta", 0.1) + # candidate match is done in 2 times this so +- 0.3 + kwargs.setdefault("broadDeltaPhi", 0.15) kwargs.setdefault("useCandidateMatch", True) kwargs.setdefault("useScoring", True) kwargs.setdefault("SecondPassRescale", True) @@ -34,3 +39,29 @@ def EMTrackMatchBuilderCfg(flags, name='EMTrackMatchBuilder', **kwargs): acc.setPrivateTools(tool) return acc + + +if __name__ == "__main__": + + from AthenaConfiguration.AllConfigFlags import ConfigFlags + from AthenaConfiguration.ComponentAccumulator import printProperties + from AthenaCommon.Configurable import Configurable + from AthenaConfiguration.TestDefaults import defaultTestFiles + Configurable.configurableRun3Behavior = True + + ConfigFlags.Input.Files = defaultTestFiles.RDO + ConfigFlags.fillFromArgs() + ConfigFlags.lock() + ConfigFlags.dump() + + cfg = ComponentAccumulator() + mlog = logging.getLogger("EMTrackMatchBuilderConfigTest") + mlog.info("Configuring EMTrackMatchBuilder: ") + printProperties(mlog, cfg.popToolsAndMerge( + EMTrackMatchBuilderCfg(ConfigFlags)), + nestLevel=1, + printDefaults=True) + + f = open("emtrackmatchbuilder.pkl", "wb") + cfg.store(f) + f.close() diff --git a/Reconstruction/egamma/egammaTools/python/egammaLargeClusterMakerConfig.py b/Reconstruction/egamma/egammaTools/python/egammaLargeClusterMakerConfig.py index 5f40a6976d7170d43c408673a6630f3b1a10ba80..9bd54741e3afbcc4268ad999bb3e003faaeae660 100644 --- a/Reconstruction/egamma/egammaTools/python/egammaLargeClusterMakerConfig.py +++ b/Reconstruction/egamma/egammaTools/python/egammaLargeClusterMakerConfig.py @@ -1,20 +1,49 @@ -# Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +# Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration -__doc__ = "Configure egammaLargeClusterMaker, which chooses cells to store in the AOD" +__doc__ = """ Configure egammaLargeClusterMaker, + which chooses cells to store in the AOD""" __author__ = "Jovan Mitrevski" -from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator +from AthenaCommon.Logging import logging from AthenaConfiguration.ComponentFactory import CompFactory -egammaLargeClusterMaker=CompFactory.egammaLargeClusterMaker +from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator +egammaLargeClusterMaker = CompFactory.egammaLargeClusterMaker + -def egammaLargeClusterMakerCfg(flags, **kwargs): +def egammaLargeClusterMakerCfg(flags, name="egammaLCMakerTool", **kwargs): + + acc = ComponentAccumulator() - acc = ComponentAccumulator - kwargs.setdefault("CellsName", flags.Egamma.Keys.Input.CaloCells) - kwargs.setdefault("InputClusterCollection", flags.Egamma.Keys.Output.CaloClusters) + kwargs.setdefault("InputClusterCollection", + flags.Egamma.Keys.Output.CaloClusters) - acc.setPrivateTools(egammaLargeClusterMaker(**kwargs)) + acc.setPrivateTools(egammaLargeClusterMaker(name, **kwargs)) return acc + +if __name__ == "__main__": + + from AthenaConfiguration.AllConfigFlags import ConfigFlags + from AthenaConfiguration.ComponentAccumulator import printProperties + from AthenaCommon.Configurable import Configurable + from AthenaConfiguration.TestDefaults import defaultTestFiles + Configurable.configurableRun3Behavior = True + + ConfigFlags.Input.Files = defaultTestFiles.RDO + ConfigFlags.fillFromArgs() + ConfigFlags.lock() + ConfigFlags.dump() + + cfg = ComponentAccumulator() + mlog = logging.getLogger("egammaLargeClusterMakerConfigTest") + mlog.info("Configuring egammaLargeClusterMaker: ") + printProperties(mlog, cfg.popToolsAndMerge( + egammaLargeClusterMakerCfg(ConfigFlags)), + nestLevel=1, + printDefaults=True) + + f = open("egammalargeclustermaker.pkl", "wb") + cfg.store(f) + f.close() diff --git a/Reconstruction/egamma/egammaTools/python/egammaLargeFWDClusterMakerConfig.py b/Reconstruction/egamma/egammaTools/python/egammaLargeFWDClusterMakerConfig.py index 2d2938619f85085afedf218d8fb36275fb716444..d72dd42399e24c09798ace62cca6ada1ca1aa2eb 100644 --- a/Reconstruction/egamma/egammaTools/python/egammaLargeFWDClusterMakerConfig.py +++ b/Reconstruction/egamma/egammaTools/python/egammaLargeFWDClusterMakerConfig.py @@ -1,21 +1,22 @@ # Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration -__doc__ = "Configure egammaLargeFWDClusterMaker, which chooses cells to store in the AOD" +__doc__ = "Configure egammaLargeFWDClusterMaker, which chooses cells to store in the AOD" __author__ = "Jovan Mitrevski" from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator from AthenaConfiguration.ComponentFactory import CompFactory -egammaLargeFWDClusterMaker=CompFactory.egammaLargeFWDClusterMaker +egammaLargeFWDClusterMaker = CompFactory.egammaLargeFWDClusterMaker + def egammaLargeFWDClusterMakerCfg(flags, **kwargs): - acc = ComponentAccumulator - + acc = ComponentAccumulator() + kwargs.setdefault("CellsName", flags.Egamma.Keys.Input.CaloCells) - kwargs.setdefault("InputClusterCollection", flags.Egamma.Keys.Output.FwdCluster) + kwargs.setdefault("InputClusterCollection", + flags.Egamma.Keys.Output.FwdCluster) kwargs.setdefault("doFWDelesurraundingWindows", True) acc.setPrivateTools(egammaLargeFWDClusterMaker(**kwargs)) return acc - diff --git a/Reconstruction/egamma/egammaTools/python/egammaOQFlagsBuilderConfig.py b/Reconstruction/egamma/egammaTools/python/egammaOQFlagsBuilderConfig.py index b394f9fd50b46f7eab0308a4c88b730b01b1a517..e9aa75edd65a2583cc9cb3fcff62c7331ad36811 100644 --- a/Reconstruction/egamma/egammaTools/python/egammaOQFlagsBuilderConfig.py +++ b/Reconstruction/egamma/egammaTools/python/egammaOQFlagsBuilderConfig.py @@ -1,12 +1,12 @@ -# Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration +# Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration __doc__ = "Configure e/gamma object quality" from AthenaCommon.Logging import logging from AthenaConfiguration.ComponentFactory import CompFactory from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator -egammaOQFlagsBuilder=CompFactory.egammaOQFlagsBuilder -CaloAffectedTool=CompFactory.CaloAffectedTool +egammaOQFlagsBuilder = CompFactory.egammaOQFlagsBuilder +CaloAffectedTool = CompFactory.CaloAffectedTool def egammaOQFlagsBuilderCfg(flags, name='egammaOQFlagsBuilder', **kwargs): @@ -20,6 +20,31 @@ def egammaOQFlagsBuilderCfg(flags, name='egammaOQFlagsBuilder', **kwargs): kwargs.setdefault("affectedTool", CaloAffectedTool()) tool = egammaOQFlagsBuilder(name, **kwargs) - acc.setPrivateTools(tool) return acc + + +if __name__ == "__main__": + + from AthenaConfiguration.AllConfigFlags import ConfigFlags + from AthenaConfiguration.ComponentAccumulator import printProperties + from AthenaCommon.Configurable import Configurable + from AthenaConfiguration.TestDefaults import defaultTestFiles + Configurable.configurableRun3Behavior = True + + ConfigFlags.Input.Files = defaultTestFiles.RDO + ConfigFlags.fillFromArgs() + ConfigFlags.lock() + ConfigFlags.dump() + + cfg = ComponentAccumulator() + mlog = logging.getLogger("egammaOQFlagsBuilderTest") + mlog.info("Configuring egammaOQFlagsBuilder: ") + printProperties(mlog, cfg.popToolsAndMerge( + egammaOQFlagsBuilderCfg(ConfigFlags)), + nestLevel=1, + printDefaults=True) + + f = open("egammaoqflagsbuilder.pkl", "wb") + cfg.store(f) + f.close() diff --git a/Reconstruction/egamma/egammaTools/python/egammaSwToolConfig.py b/Reconstruction/egamma/egammaTools/python/egammaSwToolConfig.py index ba2dbc7dbd43e8e08e858f9ab19b0c587727069d..1af7c376c93bf9b8fcbe2a96c6d9abe34cb6d18c 100644 --- a/Reconstruction/egamma/egammaTools/python/egammaSwToolConfig.py +++ b/Reconstruction/egamma/egammaTools/python/egammaSwToolConfig.py @@ -11,13 +11,14 @@ from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator def _configureClusterCorrections(flags, swTool): "Add attributes ClusterCorrectionToolsXX to egammaSwTool object" - acc= ComponentAccumulator() - from CaloClusterCorrection.CaloSwCorrections import make_CaloSwCorrectionsCfg + acc = ComponentAccumulator() + from CaloClusterCorrection.CaloSwCorrections import ( + make_CaloSwCorrectionsCfg) clusterTypes = dict( - Ele35='ele35', Ele55='ele55', Ele37='ele37', - Gam35='gam35_unconv', Gam55='gam55_unconv', Gam37='gam37_unconv', - Econv35='gam35_conv', Econv55='gam55_conv', Econv37='gam37_conv' + Ele35='ele35', Ele55='ele55', Ele37='ele37', + Gam35='gam35_unconv', Gam55='gam55_unconv', Gam37='gam37_unconv', + Econv35='gam35_conv', Econv55='gam55_conv', Econv37='gam37_conv' ) if flags.Egamma.doSuperclusters: @@ -33,14 +34,16 @@ def _configureClusterCorrections(flags, swTool): attrName = attrPref + attrName if not hasattr(swTool, attrName): continue - toolsAcc = make_CaloSwCorrectionsCfg (flags, clName, suffix = suffix, - version = version, - cells_name = flags.Egamma.Keys.Input.CaloCells) - tools = acc.popToolsAndMerge(toolsAcc) - setattr( swTool, attrName, GaudiHandles.PrivateToolHandleArray(tools) ) + toolsAcc = make_CaloSwCorrectionsCfg( + flags, clName, suffix=suffix, + version=version, + cells_name=flags.Egamma.Keys.Input.CaloCells) + tools = acc.popToolsAndMerge(toolsAcc) + setattr(swTool, attrName, GaudiHandles.PrivateToolHandleArray(tools)) return acc + def egammaSwToolCfg(flags, name='egammaSwTool', **kwargs): mlog = logging.getLogger(name) @@ -58,3 +61,27 @@ def egammaSwToolCfg(flags, name='egammaSwTool', **kwargs): return acc +if __name__ == "__main__": + + from AthenaConfiguration.AllConfigFlags import ConfigFlags + from AthenaConfiguration.ComponentAccumulator import printProperties + from AthenaCommon.Configurable import Configurable + from AthenaConfiguration.TestDefaults import defaultTestFiles + Configurable.configurableRun3Behavior = True + + ConfigFlags.Input.Files = defaultTestFiles.RDO + ConfigFlags.fillFromArgs() + ConfigFlags.lock() + ConfigFlags.dump() + + cfg = ComponentAccumulator() + mlog = logging.getLogger("egammaSwToolConfigTest") + mlog.info("Configuring egammaSwTool: ") + printProperties(mlog, cfg.popToolsAndMerge( + egammaSwToolCfg(ConfigFlags)), + nestLevel=1, + printDefaults=True) + + f = open("egammaswtool.pkl", "wb") + cfg.store(f) + f.close() diff --git a/Reconstruction/egamma/egammaTrackTools/CMakeLists.txt b/Reconstruction/egamma/egammaTrackTools/CMakeLists.txt index 2b2b5168e47d3aee505c4cd65f14b570dc67097f..5bce76794d13503b4cc3065f67cda7ba2da2811c 100644 --- a/Reconstruction/egamma/egammaTrackTools/CMakeLists.txt +++ b/Reconstruction/egamma/egammaTrackTools/CMakeLists.txt @@ -19,3 +19,7 @@ atlas_add_component( egammaTrackTools # Install files from the package: atlas_install_python_modules( python/*.py ) + +atlas_add_test(egammaTrackToolsConfigTest + SCRIPT python -m egammaTrackTools.egammaTrackToolsConfig + POST_EXEC_SCRIPT nopost.sh) \ No newline at end of file diff --git a/Reconstruction/egamma/egammaTrackTools/python/egammaTrackToolsConfig.py b/Reconstruction/egamma/egammaTrackTools/python/egammaTrackToolsConfig.py index a8b17ebd8be3af9a55b203bff15421571763219b..2fea161fef4cec3d3d625f7fa32d3f4350a39cc4 100644 --- a/Reconstruction/egamma/egammaTrackTools/python/egammaTrackToolsConfig.py +++ b/Reconstruction/egamma/egammaTrackTools/python/egammaTrackToolsConfig.py @@ -1,4 +1,4 @@ -# Copyright (C) 2002-2020 CERN for the benefit of the ATLAS collaboration +# Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration __doc__ = """Tool configuration to instantiate all egammaCaloTools with default configuration""" @@ -6,14 +6,11 @@ __doc__ = """Tool configuration to instantiate all from AthenaCommon.Logging import logging from AthenaConfiguration.ComponentFactory import CompFactory from AthenaConfiguration.ComponentAccumulator import ComponentAccumulator -from TrkConfig.AtlasExtrapolatorConfig import AtlasExtrapolatorCfg +from TrkConfig.AtlasExtrapolatorConfig import ( + egammaCaloExtrapolatorCfg, InDetExtrapolatorCfg) from TrackToCalo.TrackToCaloConfig import ParticleCaloExtensionToolCfg EMExtrapolationTools = CompFactory.EMExtrapolationTools -# The extrapolator is not quite correct -# we need to able to set the particular -# egamma ones. - def EMExtrapolationToolsCfg(flags, **kwargs): @@ -23,9 +20,8 @@ def EMExtrapolationToolsCfg(flags, **kwargs): acc = ComponentAccumulator() if "Extrapolator" not in kwargs: - extrapAcc = AtlasExtrapolatorCfg(flags) - kwargs["Extrapolator"] = extrapAcc.popPrivateTools() - acc.merge(extrapAcc) + extrapAcc = egammaCaloExtrapolatorCfg(flags) + kwargs["Extrapolator"] = acc.popToolsAndMerge(extrapAcc) if "PerigeeCaloExtensionTool" not in kwargs: perigeeCaloExtrapAcc = ParticleCaloExtensionToolCfg( @@ -34,9 +30,8 @@ def EMExtrapolationToolsCfg(flags, **kwargs): Extrapolator=kwargs["Extrapolator"], ParticleType="electron", StartFromPerigee=True) - kwargs["PerigeeCaloExtensionTool"] = ( - perigeeCaloExtrapAcc.popPrivateTools()) - acc.merge(perigeeCaloExtrapAcc) + kwargs["PerigeeCaloExtensionTool"] = acc.popToolsAndMerge( + perigeeCaloExtrapAcc) if "LastCaloExtensionTool" not in kwargs: lastCaloExtrapAcc = ParticleCaloExtensionToolCfg( @@ -44,9 +39,8 @@ def EMExtrapolationToolsCfg(flags, **kwargs): name="EMLastCaloExtensionTool", ParticleType="electron", Extrapolator=kwargs["Extrapolator"]) - - kwargs["LastCaloExtensionTool"] = lastCaloExtrapAcc.popPrivateTools() - acc.merge(lastCaloExtrapAcc) + kwargs["LastCaloExtensionTool"] = acc.popToolsAndMerge( + lastCaloExtrapAcc) emExtrapolationTools = EMExtrapolationTools(**kwargs) acc.setPrivateTools(emExtrapolationTools) @@ -59,39 +53,47 @@ def EMExtrapolationToolsCacheCfg(flags, **kwargs): kwargs.setdefault("useLastCaching", True) return EMExtrapolationToolsCfg(flags, **kwargs) + def GSFTrackSummaryToolCfg(flags, name="GSFBuildInDetTrackSummaryTool", **kwargs): acc = ComponentAccumulator() if "InDetSummaryHelperTool" not in kwargs: - from InDetConfig.InDetRecToolConfig import InDetTrackSummaryHelperToolCfg - kwargs["InDetSummaryHelperTool"] = acc.getPrimaryAndMerge(InDetTrackSummaryHelperToolCfg(flags, name="GSFBuildTrackSummaryHelperTool")) + from InDetConfig.InDetRecToolConfig import ( + InDetTrackSummaryHelperToolCfg) + kwargs["InDetSummaryHelperTool"] = acc.getPrimaryAndMerge( + InDetTrackSummaryHelperToolCfg( + flags, + name="GSFBuildTrackSummaryHelperTool")) if "PixelToTPIDTool" not in kwargs: from InDetConfig.TrackingCommonConfig import InDetPixelToTPIDToolCfg - kwargs["PixelToTPIDTool"] = acc.popToolsAndMerge(InDetPixelToTPIDToolCfg(flags, name="GSFBuildPixelToTPIDTool")) + kwargs["PixelToTPIDTool"] = acc.popToolsAndMerge( + InDetPixelToTPIDToolCfg( + flags, + name="GSFBuildPixelToTPIDTool")) if "TRT_ElectronPidTool" not in kwargs: from InDetConfig.TrackingCommonConfig import InDetTRT_ElectronPidToolCfg - kwargs["TRT_ElectronPidTool"] = acc.popToolsAndMerge(InDetTRT_ElectronPidToolCfg(flags, name="GSFBuildTRT_ElectronPidTool")) + kwargs["TRT_ElectronPidTool"] = acc.popToolsAndMerge( + InDetTRT_ElectronPidToolCfg(flags, + name="GSFBuildTRT_ElectronPidTool")) summaryTool = CompFactory.Trk.TrackSummaryTool(name, **kwargs) - acc.setPrivateTools( summaryTool ) + acc.setPrivateTools(summaryTool) return acc -# egammaTrkRefitterTool also needs a config, but depends on some -# tracking that is not ready -# CaloCluster_OnTrackBuilder is currently not used at all def egammaTrkRefitterToolCfg(flags, name='GSFRefitterTool', **kwargs): acc = ComponentAccumulator() kwargs.setdefault("useBeamSpot", False) kwargs.setdefault("ReintegrateOutliers", True) if "Extrapolator" not in kwargs: - from TrkConfig.AtlasExtrapolatorConfig import InDetExtrapolatorCfg - kwargs["Extrapolator"] = acc.getPrimaryAndMerge(InDetExtrapolatorCfg(flags, name="egammaExtrapolator")) + kwargs["Extrapolator"] = acc.getPrimaryAndMerge( + InDetExtrapolatorCfg(flags, name="egammaExtrapolator")) if "FitterTool" not in kwargs: from InDetConfig.TrackingCommonConfig import GaussianSumFitterCfg - kwargs["FitterTool"] = acc.popToolsAndMerge( GaussianSumFitterCfg(flags, name="GSFTrackFitter") ) + kwargs["FitterTool"] = acc.popToolsAndMerge( + GaussianSumFitterCfg(flags, name="GSFTrackFitter")) tool = CompFactory.egammaTrkRefitterTool(name, **kwargs) acc.setPrivateTools(tool) return acc @@ -100,25 +102,28 @@ def egammaTrkRefitterToolCfg(flags, name='GSFRefitterTool', **kwargs): if __name__ == "__main__": from AthenaConfiguration.AllConfigFlags import ConfigFlags - from AthenaCommon.Logging import log - from AthenaCommon.Constants import DEBUG + from AthenaConfiguration.ComponentAccumulator import printProperties from AthenaCommon.Configurable import Configurable - Configurable.configurableRun3Behavior = 1 - log.setLevel(DEBUG) + from AthenaConfiguration.TestDefaults import defaultTestFiles + Configurable.configurableRun3Behavior = True - ConfigFlags.Input.isMC = True - ConfigFlags.Input.Files = [ - "/cvmfs/atlas-nightlies.cern.ch/repo/data/data-art/Tier0ChainTests/q221/21.0/myRDO.pool.root"] + ConfigFlags.Input.Files = defaultTestFiles.RDO + ConfigFlags.fillFromArgs() ConfigFlags.lock() + ConfigFlags.dump() cfg = ComponentAccumulator() - cfg.printConfig() - acc = EMExtrapolationToolsCfg(ConfigFlags) - acc.popPrivateTools() - cfg.merge(acc) - acc = EMExtrapolationToolsCacheCfg(ConfigFlags) - acc.popPrivateTools() - cfg.merge(acc) + mlog = logging.getLogger("egammaTrackToolsConfigTest") + mlog.info("Configuring EMExtrapolationTools : ") + printProperties(mlog, cfg.popToolsAndMerge( + EMExtrapolationToolsCfg(ConfigFlags)), + nestLevel=1, + printDefaults=True) + mlog.info("Configuring EMExtrapolationTools with cache : ") + printProperties(mlog, cfg.popToolsAndMerge( + EMExtrapolationToolsCacheCfg(ConfigFlags)), + nestLevel=1, + printDefaults=True) f = open("egtracktools.pkl", "wb") cfg.store(f) diff --git a/Reconstruction/egamma/egammaTrackTools/python/egammaTrackToolsFactories.py b/Reconstruction/egamma/egammaTrackTools/python/egammaTrackToolsFactories.py index 25c865f183685ea9662bc9d45721625ccaf589dd..2e954ab0004359458890e4a2fc49813d59efcd2e 100644 --- a/Reconstruction/egamma/egammaTrackTools/python/egammaTrackToolsFactories.py +++ b/Reconstruction/egamma/egammaTrackTools/python/egammaTrackToolsFactories.py @@ -1,6 +1,6 @@ # Copyright (C) 2002-2020 CERN for the benefit of the ATLAS collaboration -__doc__ = """ToolFactories to instantiate all +__doc__ = """ToolFactories to instantiate all egammaCaloTools with default configuration""" __author__ = "Bruno Lenzi , Christos Anastopoulos" from egammaRec.Factories import ToolFactory diff --git a/Simulation/SimuJobTransforms/python/CommonSimulationSteering.py b/Simulation/SimuJobTransforms/python/CommonSimulationSteering.py index fc37f9e1df356bb558eefacd9203f3b3aa9b8dc7..adb1c50f8124c818b5ed08ada5fe78eb901f121d 100644 --- a/Simulation/SimuJobTransforms/python/CommonSimulationSteering.py +++ b/Simulation/SimuJobTransforms/python/CommonSimulationSteering.py @@ -37,6 +37,11 @@ def CommonSimulationCfg(ConfigFlags, log): # Cases 3a, 3b from AthenaConfiguration.MainServicesConfig import MainEvgenServicesCfg cfg = MainEvgenServicesCfg(ConfigFlags) + # For Simulation we need to override the RunNumber to pick up + # the right conditions. These next two lines are required for + # this to work. + cfg.getService("EventSelector").FirstLB = ConfigFlags.Input.LumiBlockNumber[0] + cfg.getService("EventSelector").OverrideRunNumber = True from AthenaKernel.EventIdOverrideConfig import EvtIdModifierSvcCfg cfg.merge(EvtIdModifierSvcCfg(ConfigFlags)) if ConfigFlags.Beam.Type == 'cosmics': diff --git a/Simulation/Tests/SimCoreTests/test/test_AtlasG4_CosmicSim_CGvsCA.sh b/Simulation/Tests/SimCoreTests/test/test_AtlasG4_CosmicSim_CGvsCA.sh index de975328e36d627b25bdbd0912399ba1b51c8363..7738c8c51907b60ee4cd77f5a5bc8ac40e71f3f3 100755 --- a/Simulation/Tests/SimCoreTests/test/test_AtlasG4_CosmicSim_CGvsCA.sh +++ b/Simulation/Tests/SimCoreTests/test/test_AtlasG4_CosmicSim_CGvsCA.sh @@ -1,6 +1,7 @@ #!/bin/sh # # art-description: Run cosmics simulation outside ISF, generating events on-the-fly, using 2015 geometry and conditions +# art-include: master/Athena # art-type: grid # art-output: test.*.HITS.pool.root # art-output: test.*.TR.pool.root @@ -32,7 +33,7 @@ rc=$? mv log.AtlasG4Tf log.G4AtlasAlg_AthenaCA echo "art-result: $rc G4AtlasAlg_AthenaCA" rc2=-9999 -if [ $rc -eq 68 ] +if [ $rc -eq 0 ] then AtlasG4_tf.py \ --outputHITSFile 'test.NEW.HITS.pool.root' \ diff --git a/Simulation/Tools/RDOAnalysis/python/RDOAnalysisConfig.py b/Simulation/Tools/RDOAnalysis/python/RDOAnalysisConfig.py index e4b736efb4312e649ae89447b1a7475834bbec6e..98a4734a43fb372d319dd65e0f6da48b98e8438b 100644 --- a/Simulation/Tools/RDOAnalysis/python/RDOAnalysisConfig.py +++ b/Simulation/Tools/RDOAnalysis/python/RDOAnalysisConfig.py @@ -23,7 +23,7 @@ def ITkPixelRDOAnalysisCfg(flags, name="ITkPixelRDOAnalysis", **kwargs): kwargs.setdefault("NtupleFileName", f"/{name}/") kwargs.setdefault("HistPath", f"/{name}/") - result.addEventAlgo(CompFactory.ITkPixelRDOAnalysis(name, **kwargs)) + result.addEventAlgo(CompFactory.ITk.PixelRDOAnalysis(name, **kwargs)) return result @@ -36,7 +36,7 @@ def ITkStripRDOAnalysisCfg(flags, name="ITkStripRDOAnalysis", **kwargs): kwargs.setdefault("NtupleFileName", f"/{name}/") kwargs.setdefault("HistPath", f"/{name}/") - result.addEventAlgo(CompFactory.StripRDOAnalysis(name, **kwargs)) + result.addEventAlgo(CompFactory.ITk.StripRDOAnalysis(name, **kwargs)) return result diff --git a/Simulation/Tools/RDOAnalysis/src/ITkPixelRDOAnalysis.cxx b/Simulation/Tools/RDOAnalysis/src/ITkPixelRDOAnalysis.cxx index 2d9edb491bacd4a00e34d43c4785095366258c13..8179094bfea64c645833e2e27e23dba101e5aa1d 100644 --- a/Simulation/Tools/RDOAnalysis/src/ITkPixelRDOAnalysis.cxx +++ b/Simulation/Tools/RDOAnalysis/src/ITkPixelRDOAnalysis.cxx @@ -17,7 +17,10 @@ #include <functional> #include <iostream> -ITkPixelRDOAnalysis::ITkPixelRDOAnalysis(const std::string& name, ISvcLocator *pSvcLocator) +namespace ITk +{ + +PixelRDOAnalysis::PixelRDOAnalysis(const std::string& name, ISvcLocator *pSvcLocator) : AthAlgorithm(name, pSvcLocator) , m_inputKey("ITkPixelRDOs") , m_inputTruthKey("ITkPixelSDO_Map") @@ -139,7 +142,7 @@ ITkPixelRDOAnalysis::ITkPixelRDOAnalysis(const std::string& name, ISvcLocator *p declareProperty("DoPosition", m_doPos); } -StatusCode ITkPixelRDOAnalysis::initialize() { +StatusCode PixelRDOAnalysis::initialize() { ATH_MSG_DEBUG( "Initializing ITkPixelRDOAnalysis" ); // This will check that the properties were initialized @@ -464,7 +467,7 @@ StatusCode ITkPixelRDOAnalysis::initialize() { return StatusCode::SUCCESS; } -StatusCode ITkPixelRDOAnalysis::execute() { +StatusCode PixelRDOAnalysis::execute() { ATH_MSG_DEBUG(" In ITkPixelRDOAnalysis::execute()" ); m_rdoID->clear(); @@ -775,6 +778,4 @@ StatusCode ITkPixelRDOAnalysis::execute() { return StatusCode::SUCCESS; } -StatusCode ITkPixelRDOAnalysis::finalize() { - return StatusCode::SUCCESS; -} +} // namespace ITk diff --git a/Simulation/Tools/RDOAnalysis/src/ITkPixelRDOAnalysis.h b/Simulation/Tools/RDOAnalysis/src/ITkPixelRDOAnalysis.h index 2c6271d4d8814f096a8f64ee4c998d17306a40ba..9c593b881c31eec789d91b39045538f97ea5dfb4 100644 --- a/Simulation/Tools/RDOAnalysis/src/ITkPixelRDOAnalysis.h +++ b/Simulation/Tools/RDOAnalysis/src/ITkPixelRDOAnalysis.h @@ -32,15 +32,17 @@ namespace InDetDD { class PixelDetectorManager; } -class ITkPixelRDOAnalysis : public AthAlgorithm { +namespace ITk +{ + +class PixelRDOAnalysis : public AthAlgorithm { public: - ITkPixelRDOAnalysis(const std::string& name, ISvcLocator* pSvcLocator); - ~ITkPixelRDOAnalysis(){} + PixelRDOAnalysis(const std::string& name, ISvcLocator* pSvcLocator); + ~PixelRDOAnalysis(){} virtual StatusCode initialize() override final; virtual StatusCode execute() override final; - virtual StatusCode finalize() override final; private: SG::ReadHandleKey<PixelRDO_Container> m_inputKey; @@ -181,4 +183,6 @@ private: bool m_doPos; }; +} // namespace ITk + #endif // ITK_PIXEL_RDO_ANALYSIS_H diff --git a/Simulation/Tools/RDOAnalysis/src/StripRDOAnalysis.cxx b/Simulation/Tools/RDOAnalysis/src/StripRDOAnalysis.cxx index 07a2426c1baf823b0c0d2a081af3e31f80a3759e..57ca0f6af991d6fe7167ba50df99ea9fa100d1e5 100644 --- a/Simulation/Tools/RDOAnalysis/src/StripRDOAnalysis.cxx +++ b/Simulation/Tools/RDOAnalysis/src/StripRDOAnalysis.cxx @@ -17,6 +17,9 @@ #include <functional> #include <iostream> +namespace ITk +{ + StripRDOAnalysis::StripRDOAnalysis(const std::string& name, ISvcLocator *pSvcLocator) : AthAlgorithm(name, pSvcLocator) , m_inputKey("ITkStripRDOs") @@ -687,8 +690,4 @@ StatusCode StripRDOAnalysis::execute() { return StatusCode::SUCCESS; } -StatusCode StripRDOAnalysis::finalize() { - - return StatusCode::SUCCESS; - -} +} // namespace ITk diff --git a/Simulation/Tools/RDOAnalysis/src/StripRDOAnalysis.h b/Simulation/Tools/RDOAnalysis/src/StripRDOAnalysis.h index 763a0ecaefa3a9b697ab8486aaf41298ace8028c..b01d9ffa5d8880078902289ce7edb75e3a6e0b1e 100644 --- a/Simulation/Tools/RDOAnalysis/src/StripRDOAnalysis.h +++ b/Simulation/Tools/RDOAnalysis/src/StripRDOAnalysis.h @@ -30,6 +30,8 @@ namespace InDetDD { class SCT_DetectorManager; } +namespace ITk +{ class StripRDOAnalysis : public AthAlgorithm { @@ -39,7 +41,6 @@ public: virtual StatusCode initialize() override final; virtual StatusCode execute() override final; - virtual StatusCode finalize() override final; private: SG::ReadHandleKey<SCT_RDO_Container> m_inputKey; @@ -165,4 +166,6 @@ private: }; +} // namespace ITk + #endif // STRIP_RDO_ANALYSIS_H diff --git a/Simulation/Tools/RDOAnalysis/src/components/RDOAnalysis_entries.cxx b/Simulation/Tools/RDOAnalysis/src/components/RDOAnalysis_entries.cxx index a4a7650840077b9656c914641aa636312d11241a..658a0e0a0b4b9560897f3ea4b17612d51a31ab1e 100644 --- a/Simulation/Tools/RDOAnalysis/src/components/RDOAnalysis_entries.cxx +++ b/Simulation/Tools/RDOAnalysis/src/components/RDOAnalysis_entries.cxx @@ -27,6 +27,6 @@ DECLARE_COMPONENT( MDT_RDOAnalysis ) DECLARE_COMPONENT( TRT_FastRDOAnalysis ) DECLARE_COMPONENT( PixelFastRDOAnalysis ) DECLARE_COMPONENT( SCT_FastRDOAnalysis ) -DECLARE_COMPONENT( StripRDOAnalysis ) -DECLARE_COMPONENT( ITkPixelRDOAnalysis ) +DECLARE_COMPONENT( ITk::StripRDOAnalysis ) +DECLARE_COMPONENT( ITk::PixelRDOAnalysis ) diff --git a/TileCalorimeter/TileConditions/CMakeLists.txt b/TileCalorimeter/TileConditions/CMakeLists.txt index ade3753de12a430faedace456a5bd2dca746e3e4..95c3866ac4d14bc3285861b7aca72dc6aa6b0d0a 100644 --- a/TileCalorimeter/TileConditions/CMakeLists.txt +++ b/TileCalorimeter/TileConditions/CMakeLists.txt @@ -7,6 +7,7 @@ atlas_subdir( TileConditions ) find_package( CLHEP ) find_package( CORAL COMPONENTS CoralBase ) find_package( ROOT COMPONENTS Matrix Core Tree MathCore Hist RIO pthread MathMore Minuit Minuit2 Physics HistPainter Rint ) +find_package( Boost ) # tag NEEDS_CORAL_BASE was not recognized in automatic conversion in cmt2cmake @@ -14,7 +15,7 @@ find_package( ROOT COMPONENTS Matrix Core Tree MathCore Hist RIO pthread MathMor atlas_add_library( TileConditionsLib src/Tile*.cxx PUBLIC_HEADERS TileConditions - INCLUDE_DIRS ${CORAL_INCLUDE_DIRS} ${CLHEP_INCLUDE_DIRS} + INCLUDE_DIRS ${CORAL_INCLUDE_DIRS} ${CLHEP_INCLUDE_DIRS} ${Boost_INCLUDE_DIRS} PRIVATE_INCLUDE_DIRS ${ROOT_INCLUDE_DIRS} DEFINITIONS ${CLHEP_DEFINITIONS} LINK_LIBRARIES ${CORAL_LIBRARIES} ${CLHEP_LIBRARIES} CaloConditions CaloIdentifier AthenaBaseComps AthenaKernel AthenaPoolUtilities Identifier GaudiKernel TileCalibBlobObjs TileIdentifier StoreGateLib CaloDetDescrLib diff --git a/TileCalorimeter/TileConditions/TileConditions/TileBadChannels.h b/TileCalorimeter/TileConditions/TileConditions/TileBadChannels.h index a7a60bac2fbc107c80e2d34d29721da46c19a33a..bf7864a810d92946eadd8df2079f801e2b111701 100644 --- a/TileCalorimeter/TileConditions/TileConditions/TileBadChannels.h +++ b/TileCalorimeter/TileConditions/TileConditions/TileBadChannels.h @@ -1,7 +1,7 @@ //Dear emacs, this is -*- c++ -*- /* - Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration + Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration */ #ifndef TILECONDITIONS_TILEBADCHANNELS_H @@ -34,7 +34,7 @@ class TileBadChannels { * @param adc_id Tile hardware (online) ADC identifier * @param adcStatus Tile ADC status */ - void addAdcStatus(const HWIdentifier channel_id, const HWIdentifier adc_id, TileBchStatus adcStatus); + void addAdcStatus(const HWIdentifier channel_id, const HWIdentifier adc_id, const TileBchStatus& adcStatus); /** diff --git a/TileCalorimeter/TileConditions/TileConditions/TileCondDCS_Data.h b/TileCalorimeter/TileConditions/TileConditions/TileCondDCS_Data.h index 361ee623c54e7c7f8503997388beb491c868130f..bad4c8f1681ca744f67f03a61ce066c7510b7b0e 100644 --- a/TileCalorimeter/TileConditions/TileConditions/TileCondDCS_Data.h +++ b/TileCalorimeter/TileConditions/TileConditions/TileCondDCS_Data.h @@ -1,5 +1,5 @@ /* - Copyright (C) 2002-2018 CERN for the benefit of the ATLAS collaboration + Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration */ /** @@ -30,9 +30,9 @@ public: virtual StatusCode finalize(); /// add defect - void fill( const CondAttrListCollection::ChanNum& chanNum , const std::string param); + void fill( const CondAttrListCollection::ChanNum& chanNum , const std::string& param); /// remove a defect - void remove( const CondAttrListCollection::ChanNum& chanNum , const std::string param); + void remove( const CondAttrListCollection::ChanNum& chanNum , const std::string& param); /// copy all defects to a users vector, the return value is the size int output( const CondAttrListCollection::ChanNum & chanNum,std::vector< std::string > & usersVector); diff --git a/TileCalorimeter/TileConditions/TileConditions/TileExpertToolEmscale.h b/TileCalorimeter/TileConditions/TileConditions/TileExpertToolEmscale.h index b604a2a0a9ed85f2cc59d83caccf09511a718f7f..e0ece4261641c8238a9881f7de5c32ba70b3c48d 100644 --- a/TileCalorimeter/TileConditions/TileConditions/TileExpertToolEmscale.h +++ b/TileCalorimeter/TileConditions/TileConditions/TileExpertToolEmscale.h @@ -1,5 +1,5 @@ /* - Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration + Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration */ #ifndef TILECONDITIONS_TILEEXPERTTOOLEMSCALE_H @@ -50,7 +50,7 @@ class TileExpertToolEmscale: public TileCondToolEmscale { , float amplitude, TileRawChannelUnit::UNIT onlUnit) const; float getLasPartition(unsigned int drawerIdx) const; - void setEmOptions(TileEmscaleCalibOptions emOptions); + void setEmOptions(const TileEmscaleCalibOptions& emOptions); private: diff --git a/TileCalorimeter/TileConditions/src/TileBadChannels.cxx b/TileCalorimeter/TileConditions/src/TileBadChannels.cxx index bf3abbf5d8d412a855e8746fce11f33e4b9b886f..1eae947303145a25900b6420fe4138d5737ec727 100644 --- a/TileCalorimeter/TileConditions/src/TileBadChannels.cxx +++ b/TileCalorimeter/TileConditions/src/TileBadChannels.cxx @@ -1,5 +1,5 @@ /* - Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration + Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration */ #include "TileConditions/TileBadChannels.h" @@ -15,7 +15,7 @@ TileBadChannels::~TileBadChannels() { } -void TileBadChannels::addAdcStatus(const HWIdentifier channel_id, const HWIdentifier adc_id, TileBchStatus adcStatus) { +void TileBadChannels::addAdcStatus(const HWIdentifier channel_id, const HWIdentifier adc_id, const TileBchStatus& adcStatus) { m_channelStatus[channel_id] += adcStatus; m_adcStatus[adc_id] += adcStatus; } diff --git a/TileCalorimeter/TileConditions/src/TileCondDCS_Data.cxx b/TileCalorimeter/TileConditions/src/TileCondDCS_Data.cxx index 66c2bf640c74607ea84752157fde4f828f0f8731..4769d51e822065d6e163dae77091c4430a167da3 100644 --- a/TileCalorimeter/TileConditions/src/TileCondDCS_Data.cxx +++ b/TileCalorimeter/TileConditions/src/TileCondDCS_Data.cxx @@ -1,5 +1,5 @@ /* - Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration + Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration */ //Implementation file for the data object class @@ -39,7 +39,7 @@ TileCondDCS_Data::finalize() ////////// //add map entries -void TileCondDCS_Data::fill(const CondAttrListCollection::ChanNum & chanNum, const string param) +void TileCondDCS_Data::fill(const CondAttrListCollection::ChanNum & chanNum, const string& param) { if (m_bad_channels.find(chanNum) != m_bad_channels.end()) { vector<string> par= (*m_bad_channels.find(chanNum)).second; @@ -58,7 +58,7 @@ void TileCondDCS_Data::fill(const CondAttrListCollection::ChanNum & chanNum, con ////////////////////////////////// //remove entries in map vector -void TileCondDCS_Data::remove(const CondAttrListCollection::ChanNum & chanNum, const string param) +void TileCondDCS_Data::remove(const CondAttrListCollection::ChanNum & chanNum, const string& param) { map< CondAttrListCollection::ChanNum,vector<string> >::iterator itr=m_bad_channels.find(chanNum); if (itr != m_bad_channels.end()) { diff --git a/TileCalorimeter/TileConditions/src/TileCondProxyFile.icc b/TileCalorimeter/TileConditions/src/TileCondProxyFile.icc index e2bb7dcceebaa018526195c0ece27c6291ebf29b..361a16a5865f5a8c388dd50f87a846f7187022bf 100644 --- a/TileCalorimeter/TileConditions/src/TileCondProxyFile.icc +++ b/TileCalorimeter/TileConditions/src/TileCondProxyFile.icc @@ -1,7 +1,7 @@ // Dear emacs, this is -*- c++ -*- /* - Copyright (C) 2002-2018 CERN for the benefit of the ATLAS collaboration + Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration */ @@ -15,6 +15,7 @@ #include "PathResolver/PathResolver.h" #include "CoralBase/Blob.h" +#include "boost/algorithm/string/predicate.hpp" #include <fstream> @@ -81,7 +82,7 @@ StatusCode TileCondProxyFile<T>::fillCalibData(TileCalibData<T>& calibData, while (std::getline(file, line)) { //=== read the objVersion specifier - if (line.find("OBJVERSION", 0) == 0 && objVersion < 0) { + if (boost::algorithm::starts_with (line, "OBJVERSION") && objVersion < 0) { std::istringstream iss(line); std::string dummy; iss >> dummy >> objVersion; @@ -111,12 +112,11 @@ StatusCode TileCondProxyFile<T>::fillCalibData(TileCalibData<T>& calibData, //=== Mark module as affected - if (drawerStat.find(drawerIdx) == drawerStat.end()) { - drawerStat[drawerIdx] = 0; + { + unsigned int& stat = drawerStat[drawerIdx]; + stat = std::max(stat, channel); } - drawerStat[drawerIdx] = std::max(drawerStat[drawerIdx], channel); - //=== Loop through all data rows std::vector<float> dataVec; float value; diff --git a/TileCalorimeter/TileConditions/src/TileDCSCondAlg.cxx b/TileCalorimeter/TileConditions/src/TileDCSCondAlg.cxx index d4707b31a0c1f85a81f7c8abf87039f86af5eb70..7974eadbdc8d46c1a05d7e854b89f521f70b25ec 100644 --- a/TileCalorimeter/TileConditions/src/TileDCSCondAlg.cxx +++ b/TileCalorimeter/TileConditions/src/TileDCSCondAlg.cxx @@ -1,6 +1,6 @@ //Dear emacs, this is -*- c++ -*- /* - Copyright (C) 2002-2020 CERN for the benefit of the ATLAS collaboration + Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration */ // Tile includes @@ -326,7 +326,8 @@ StatusCode TileDCSCondAlg::execute(const EventContext& ctx) const { //_____________________________________________________________________________ -int TileDCSCondAlg::readConfig(std::string fileName, std::string subStr, +int TileDCSCondAlg::readConfig(const std::string& fileName, + const std::string& subStr, std::vector<std::pair<int, int>>& rosDrawer) { std::string fullFileName = PathResolver::find_file(fileName, "DATAPATH"); @@ -390,7 +391,7 @@ int TileDCSCondAlg::readConfig(std::string fileName, std::string subStr, } //_____________________________________________________________________________ -int TileDCSCondAlg::readBadHV(std::string fileName) { +int TileDCSCondAlg::readBadHV(const std::string& fileName) { std::string fullFileName = PathResolver::find_file(fileName, "DATAPATH"); std::ifstream file(fullFileName.c_str()); diff --git a/TileCalorimeter/TileConditions/src/TileDCSCondAlg.h b/TileCalorimeter/TileConditions/src/TileDCSCondAlg.h index 5314afd8e9b63b3ddc7207aa6290fa9a2c3aad88..125640306933b5cb2e23df78ae000de600f3967b 100644 --- a/TileCalorimeter/TileConditions/src/TileDCSCondAlg.h +++ b/TileCalorimeter/TileConditions/src/TileDCSCondAlg.h @@ -1,7 +1,7 @@ //Dear emacs, this is -*- c++ -*- /* - Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration + Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration */ #ifndef TILECONDITIONS_TILEDCSCONDALG_H @@ -64,14 +64,14 @@ class TileDCSCondAlg: public AthReentrantAlgorithm { * @param[out] rosDrawer vector of Tile ROS and drawer pairs indexed by COOL channel * @return 0 in the case of success */ - int readConfig(const std::string fileName, const std::string subStr, std::vector<std::pair<int, int>>& rosDrawer); + int readConfig(const std::string& fileName, const std::string& subStr, std::vector<std::pair<int, int>>& rosDrawer); /** * @brief Read special deltas for few unstable PMTs * @param fileName name of file with special deltas for few unstable PMTs * @return 0 in the case of success */ - int readBadHV(const std::string fileName); + int readBadHV(const std::string& fileName); /** * @brief Store reference HV from Tile CES or Laser DB folder in TileDCSState diff --git a/TileCalorimeter/TileConditions/src/TileExpertToolEmscale.cxx b/TileCalorimeter/TileConditions/src/TileExpertToolEmscale.cxx index 0438199b3ba0e41589c926f224e66630a7bb82d2..3c3826ab9288eaaffe4057477a82ecf2859862e5 100644 --- a/TileCalorimeter/TileConditions/src/TileExpertToolEmscale.cxx +++ b/TileCalorimeter/TileConditions/src/TileExpertToolEmscale.cxx @@ -1,5 +1,5 @@ /* - Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration + Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration */ // Tile includes @@ -293,7 +293,7 @@ float TileExpertToolEmscale::getLasPartition(unsigned int drawerIdx) const { // //____________________________________________________________________ -void TileExpertToolEmscale::setEmOptions(TileEmscaleCalibOptions emOptions) { +void TileExpertToolEmscale::setEmOptions(const TileEmscaleCalibOptions& emOptions) { //=== check whether the m_emOptions were not already set (except for the constructor) if (!m_setOnceCounter) { m_emOptions = emOptions; diff --git a/TileCalorimeter/TileConditions/test/TileEMScaleComponents_test.cxx b/TileCalorimeter/TileConditions/test/TileEMScaleComponents_test.cxx index 53737477642c81918bb06df4024640fa95e695ad..6a7c702dce82ef656502da63786a03c7c555c157 100644 --- a/TileCalorimeter/TileConditions/test/TileEMScaleComponents_test.cxx +++ b/TileCalorimeter/TileConditions/test/TileEMScaleComponents_test.cxx @@ -215,6 +215,7 @@ class TileCondProxyMock: public AthAlgTool, virtual public ITileCondProxy<T> { // Online proxies typedef TileCondProxyMock<TileCalibDrawerFlt, &ONL_CIS_DEF> TileCondProxyOnlCisMock; +// cppcheck-suppress unknownMacro DECLARE_COMPONENT_WITH_ID( TileCondProxyOnlCisMock, "TileCondProxyOnlCisMock" ) typedef TileCondProxyMock<TileCalibDrawerFlt, &ONL_LAS_DEF> TileCondProxyOnlLasMock; diff --git a/TileCalorimeter/TileTBRec/src/TileTBDump.cxx b/TileCalorimeter/TileTBRec/src/TileTBDump.cxx index 9db98d225c67115543c261b5a9c8ae95d6875b36..22e98144f2f444a060ec8eafad01f5c99b86b1ae 100755 --- a/TileCalorimeter/TileTBRec/src/TileTBDump.cxx +++ b/TileCalorimeter/TileTBRec/src/TileTBDump.cxx @@ -286,10 +286,11 @@ StatusCode TileTBDump::execute() { eformat::helper::SourceIdentifier id = eformat::helper::SourceIdentifier(source_id); unsigned int subdet_id = id.subdetector_id(); unsigned int module_id = id.module_id(); -// int robsourceid = robf.source_id(); + int robsourceid = robf.source_id(); bool known = m_dumpUnknown || subdet_id == 0x70 // COMMON BEAM ROD in CTB2004 - || (subdet_id >= 0x50 && subdet_id < 0x60); // TileCal IDs + || (subdet_id >= 0x50 && subdet_id < 0x60) // TileCal IDs + || (robsourceid >= 0x510000 && robsourceid < 0x550000); // TileCal ROBs if (!(known || m_showUnknown)) { continue; @@ -396,6 +397,13 @@ StatusCode TileTBDump::execute() { if (subdet_id == 0) { std::cout<<" Problem with ROD frag - SubDetector ID is 0" <<std::endl; + if (source_id >= 0x5100 && source_id < 0x5500 && robsourceid >= 0x510000 && robsourceid < 0x550000) { // buggy ROD fragment + std::cout<<" Looks like ROD frag is in old format, ROD Source ID is 0x" << std::hex << source_id + <<" assuming that ROD Source ID is 0x" << robsourceid << std::dec << std::endl; + source_id = robsourceid; + subdet_id = robsourceid>>16; + dump_data(data, size, version, verbosity); + } } if ((subdet_id >= 0x50 && subdet_id < 0x60) || // TileCal IDs subdet_id == 0x63 || // wrong id in first testbeam test runs @@ -1864,7 +1872,7 @@ void TileTBDump::find_frag(const uint32_t* data, unsigned int size, unsigned int for (; offset < size; ++offset) { std::cout << "\t" << offset << "\t" << data[offset] << "\t0x" << std::hex << data[offset] << std::dec << std::endl; - if (data[offset] == 0xff1234ff) break; + if (data[offset] == 0xff1234ff || data[offset] == 0x00123400) break; } if (offset == size) { std::cout << "After:\t" << offset << "\t" << data[offset] << "\t0x" << std::hex << data[offset] << std::dec << std::endl; @@ -1873,7 +1881,7 @@ void TileTBDump::find_frag(const uint32_t* data, unsigned int size, unsigned int ++offset; // go to next good frag or jump outside ROD, if at the end } - } else if (frag[*nfrag]->size < size - offset && m_v3Format && data[offset + frag[*nfrag]->size - 1] != 0xff1234ff) { + } else if (frag[*nfrag]->size < size - offset && m_v3Format && data[offset + frag[*nfrag]->size - 1] != 0xff1234ff && data[offset + frag[*nfrag]->size - 1] != 0x00123400) { std::cout << "\nWarning: frag " << *nfrag << " of current ROD is damaged" << std::endl; std::cout << "Size: \t" << std::setw(10) << (frag[*nfrag]->size) << "\tMin/Max Size: \t" << std::setw(10) << m_sizeOverhead << "\t" << std::setw(10) << size - offset + m_sizeOverhead - 2 << std::endl; @@ -1883,7 +1891,7 @@ void TileTBDump::find_frag(const uint32_t* data, unsigned int size, unsigned int std::cout << "Before:\t" << offset-1 << "\t" << data[offset-1] << "\t0x" << std::hex << data[offset-1] << std::dec << std::endl; for (; offset < size; ++offset, ++newsize) { std::cout << "\t" << offset << "\t" << data[offset] << "\t0x" << std::hex << data[offset] << std::dec << std::endl; - if (data[offset] == 0xff1234ff) break; + if (data[offset] == 0xff1234ff || data[offset] == 0x00123400) break; } if (offset == size) { std::cout << "After:\t" << offset << "\t" << data[offset] << "\t0x" << std::hex << data[offset] << std::dec << std::endl; diff --git a/Tracking/TrkConditions/TrackingGeometryCondAlg/python/AtlasTrackingGeometryCondAlgConfig.py b/Tracking/TrkConditions/TrackingGeometryCondAlg/python/AtlasTrackingGeometryCondAlgConfig.py index 848969c08dd342c4488e0db70dd5c21401e7a79b..b643e9fdbc241f39d516c42c0191be00f95e6ca5 100644 --- a/Tracking/TrkConditions/TrackingGeometryCondAlg/python/AtlasTrackingGeometryCondAlgConfig.py +++ b/Tracking/TrkConditions/TrackingGeometryCondAlg/python/AtlasTrackingGeometryCondAlgConfig.py @@ -319,28 +319,28 @@ def _getITkTrackingGeometryBuilder(name, flags,result, envelopeDefinitionSvc, na from StripGeoModelXml.ITkStripGeoModelConfig import ITkStripReadoutGeometryCfg result.merge(ITkStripReadoutGeometryCfg(flags)) - # SCT building - SCT_LayerBuilder = InDet__SiLayerBuilder(name=namePrefix+'SCT_LayerBuilder'+nameSuffix) - SCT_LayerBuilder.PixelCase = False - SCT_LayerBuilder.Identification = 'ITkStrip' - SCT_LayerBuilder.SiDetManagerLocation = 'ITkStrip' - SCT_LayerBuilder.PixelReadKey = 'ITkPixelDetectorElementCollection' - SCT_LayerBuilder.SCT_ReadKey = 'ITkStripDetectorElementCollection' - SCT_LayerBuilder.AddMoreSurfaces = True + # Strip building + StripLayerBuilder = InDet__SiLayerBuilder(name=namePrefix+'StripLayerBuilder'+nameSuffix) + StripLayerBuilder.PixelCase = False + StripLayerBuilder.Identification = 'ITkStrip' + StripLayerBuilder.SiDetManagerLocation = 'ITkStrip' + StripLayerBuilder.PixelReadKey = 'ITkPixelDetectorElementCollection' + StripLayerBuilder.SCT_ReadKey = 'ITkStripDetectorElementCollection' + StripLayerBuilder.AddMoreSurfaces = True # additionall layers - handle with care ! - SCT_LayerBuilder.BarrelLayerBinsZ = flags.ITk.trackingGeometry.stripBarrelMatZbins - SCT_LayerBuilder.BarrelLayerBinsPhi = flags.ITk.trackingGeometry.stripBarrelMatPhiBins - SCT_LayerBuilder.EndcapLayerBinsR = flags.ITk.trackingGeometry.stripEndcapMatRbins - SCT_LayerBuilder.EndcapLayerBinsPhi = flags.ITk.trackingGeometry.stripEndcapMatPhiBins + StripLayerBuilder.BarrelLayerBinsZ = flags.ITk.trackingGeometry.stripBarrelMatZbins + StripLayerBuilder.BarrelLayerBinsPhi = flags.ITk.trackingGeometry.stripBarrelMatPhiBins + StripLayerBuilder.EndcapLayerBinsR = flags.ITk.trackingGeometry.stripEndcapMatRbins + StripLayerBuilder.EndcapLayerBinsPhi = flags.ITk.trackingGeometry.stripEndcapMatPhiBins # set the layer association - SCT_LayerBuilder.SetLayerAssociation = setLayerAssociation + StripLayerBuilder.SetLayerAssociation = setLayerAssociation # the binning type of the layer SCT_LayerBinning = 2 # SCT -> ToolSvc - result.addPublicTool(SCT_LayerBuilder) + result.addPublicTool(StripLayerBuilder) stripProvider = Trk__LayerProvider(name=namePrefix+'StripProvider'+nameSuffix) - stripProvider.LayerBuilder = SCT_LayerBuilder + stripProvider.LayerBuilder = StripLayerBuilder result.addPublicTool(stripProvider) # put them to the caches @@ -364,7 +364,7 @@ def _getITkTrackingGeometryBuilder(name, flags,result, envelopeDefinitionSvc, na # helpers for the InDetTrackingGeometry Builder : tracking volume helper for gluing Trk__TrackingVolumeHelper=CompFactory.Trk.TrackingVolumeHelper - InDetTrackingVolumeHelper = Trk__TrackingVolumeHelper(name ='InDetTrackingVolumeHelper') + InDetTrackingVolumeHelper = Trk__TrackingVolumeHelper(name ='InDetTrackingVolumeHelper') InDetTrackingVolumeHelper.BarrelLayerBinsZ = flags.ITk.trackingGeometry.passiveBarrelMatZbins InDetTrackingVolumeHelper.BarrelLayerBinsPhi = flags.ITk.trackingGeometry.passiveBarrelMatPhiBins InDetTrackingVolumeHelper.EndcapLayerBinsR = flags.ITk.trackingGeometry.passiveEndcapMatRbins @@ -405,7 +405,8 @@ def _getITkTrackingGeometryBuilder(name, flags,result, envelopeDefinitionSvc, na MinimalRadialGapForVolumeSplit = flags.ITk.trackingGeometry.minimalRadialGapForVolumeSplit, ReplaceAllJointBoundaries = True, BuildBoundaryLayers=True, - ExitVolumeName='InDet::Containers::InnerDetector') + ExitVolumeName='InDet::Containers::InnerDetector', + RemoveHGTD=flags.Detector.GeometryHGTD) # Replaces https://gitlab.cern.ch/atlas/athena/blob/master/Calorimeter/CaloTrackingGeometry/python/ConfiguredCaloTrackingGeometryBuilder.py def _getCaloTrackingGeometryBuilder(name, flags,result, envelopeDefinitionSvc, trackingVolumeHelper, namePrefix='',nameSuffix=''): @@ -414,7 +415,7 @@ def _getCaloTrackingGeometryBuilder(name, flags,result, envelopeDefinitionSvc, t result.merge(LArGMCfg(flags)) LAr__LArVolumeBuilder=CompFactory.LAr.LArVolumeBuilder lArVolumeBuilder = LAr__LArVolumeBuilder(namePrefix+'LArVolumeBuilder'+nameSuffix, - TrackingVolumeHelper = trackingVolumeHelper,) + TrackingVolumeHelper = trackingVolumeHelper) result.addPublicTool(lArVolumeBuilder) # The following replaces TileCalorimeter/TileTrackingGeometry/python/ConfiguredTileVolumeBuilder.py @@ -422,7 +423,7 @@ def _getCaloTrackingGeometryBuilder(name, flags,result, envelopeDefinitionSvc, t result.merge(TileGMCfg(flags)) Tile__TileVolumeBuilder=CompFactory.Tile.TileVolumeBuilder tileVolumeBuilder = Tile__TileVolumeBuilder( namePrefix+'TileVolumeBuilder'+nameSuffix, - TrackingVolumeHelper = trackingVolumeHelper,) + TrackingVolumeHelper = trackingVolumeHelper) result.addPublicTool(tileVolumeBuilder) Calo__CaloTrackingGeometryBuilder=CompFactory.Calo.CaloTrackingGeometryBuilderCond @@ -436,6 +437,66 @@ def _getCaloTrackingGeometryBuilder(name, flags,result, envelopeDefinitionSvc, t GapLayerEnvelope=5.0 ) +def _getHGTD_TrackingGeometryBuilder(name, flags, result, envelopeDefinitionSvc, namePrefix='', nameSuffix='', setLayerAssociation = True): + # for hgtd DetectorElement conditions data : + from HGTD_GeoModel.HGTD_GeoModelConfig import HGTD_ReadoutGeometryCfg + result.merge(HGTD_ReadoutGeometryCfg(flags)) + + # layer builder for HGTD + HGTD_LayerBuilder=CompFactory.HGTDet.HGTD_LayerBuilderCond(namePrefix+'HGTD_LayerBuilder'+nameSuffix) + HGTD_LayerBuilder.Identification = 'HGTD' + HGTD_LayerBuilder.SetLayerAssociation = setLayerAssociation + result.addPublicTool(HGTD_LayerBuilder) + + # helpers for the InDetTrackingGeometry Builder : layer array creator + Trk__LayerArrayCreator=CompFactory.Trk.LayerArrayCreator + HGTD_LayerArrayCreator = Trk__LayerArrayCreator(name = 'HGTD_LayerArrayCreator') + HGTD_LayerArrayCreator.EmptyLayerMode = 2 # deletes empty material layers from arrays + # add to ToolSvc + result.addPublicTool(HGTD_LayerArrayCreator) + + # helpers for the InDetTrackingGeometry Builder : volume array creator + Trk__TrackingVolumeArrayCreator= CompFactory.Trk.TrackingVolumeArrayCreator + HGTD_TrackingVolumeArrayCreator = Trk__TrackingVolumeArrayCreator(name = 'HGTD_TrackingVolumeArrayCreator') + # add to ToolSvc + result.addPublicTool(HGTD_TrackingVolumeArrayCreator) + + # helpers for the InDetTrackingGeometry Builder : tracking volume helper for gluing + Trk__TrackingVolumeHelper=CompFactory.Trk.TrackingVolumeHelper + HGTD_TrackingVolumeHelper = Trk__TrackingVolumeHelper(name ='HGTD_TrackingVolumeHelper') + #TODO move these variables to HGTD configuration + HGTD_TrackingVolumeHelper.BarrelLayerBinsZ = flags.ITk.trackingGeometry.passiveBarrelMatZbins + HGTD_TrackingVolumeHelper.BarrelLayerBinsPhi = flags.ITk.trackingGeometry.passiveBarrelMatPhiBins + HGTD_TrackingVolumeHelper.EndcapLayerBinsR = flags.ITk.trackingGeometry.passiveEndcapMatRbins + HGTD_TrackingVolumeHelper.EndcapLayerBinsPhi = flags.ITk.trackingGeometry.passiveEndcapMatPhiBins + + # the material bins - assume defaults + # add to ToolSvc + result.addPublicTool(HGTD_TrackingVolumeHelper) + + # helpers for the InDetTrackingGeometry Builder : cylinder volume creator + Trk__CylinderVolumeCreator=CompFactory.Trk.CylinderVolumeCreator + HGTD_CylinderVolumeCreator = Trk__CylinderVolumeCreator(name = 'HGTD_CylinderVolumeCreator') + # give it the layer array creator + HGTD_CylinderVolumeCreator.LayerArrayCreator = HGTD_LayerArrayCreator + HGTD_CylinderVolumeCreator.TrackingVolumeArrayCreator = HGTD_TrackingVolumeArrayCreator + HGTD_CylinderVolumeCreator.TrackingVolumeHelper = HGTD_TrackingVolumeHelper + #TODO move these variables to HGTD configuration + HGTD_CylinderVolumeCreator.PassiveLayerBinsRZ = flags.ITk.trackingGeometry.passiveBarrelMatZbins + HGTD_CylinderVolumeCreator.PassiveLayerBinsPhi = flags.ITk.trackingGeometry.passiveBarrelMatPhiBins + + result.addPublicTool(HGTD_CylinderVolumeCreator) + + if (namePrefix+name+nameSuffix).find('CondCond')>=0 : + raise Exception('Invalid name composition %s + %s + %s ' % (namePrefix,name,nameSuffix)) + + # the hgtd tracking geometry builder + HGTDet__HGTD_TrackingGeometryBuilder=CompFactory.HGTDet.HGTD_TrackingGeometryBuilderCond + return HGTDet__HGTD_TrackingGeometryBuilder(namePrefix+name+nameSuffix, + LayerBuilder = HGTD_LayerBuilder, + EnvelopeDefinitionSvc=envelopeDefinitionSvc, + TrackingVolumeCreator = HGTD_CylinderVolumeCreator) + # Originally this function would use was TrkDetFlags.MaterialSource() and TrkDetFlags.MaterialValidation(). For new configuration, (temporarily?) pass as parameters. # https://gitlab.cern.ch/atlas/athena/blob/master/Tracking/TrkDetDescr/TrkDetDescrSvc/python/AtlasTrackingGeometrySvc.py#L112 def TrackingGeometryCondAlgCfg( flags , name = 'AtlasTrackingGeometryCondAlg', doMaterialValidation=False ) : @@ -480,6 +541,15 @@ def TrackingGeometryCondAlgCfg( flags , name = 'AtlasTrackingGeometryCondAlg', d nameSuffix=nameSuffix) atlas_geometry_builder.InDetTrackingGeometryBuilder = inDetTrackingGeometryBuilder + if flags.Detector.GeometryHGTD: + hgtdTrackingGeometryBuilder = _getHGTD_TrackingGeometryBuilder(name ='HGTD_TrackingGeometryBuilder', + flags=flags, + result=result, + envelopeDefinitionSvc=atlas_env_def_service, + namePrefix=namePrefix, + nameSuffix=nameSuffix) + atlas_geometry_builder.HGTD_TrackingGeometryBuilder = hgtdTrackingGeometryBuilder + if flags.Detector.GeometryCalo: Trk__CylinderVolumeCreator=CompFactory.Trk.CylinderVolumeCreator caloVolumeCreator = Trk__CylinderVolumeCreator(namePrefix+"CaloVolumeCreator"+nameSuffix) diff --git a/Tracking/TrkConfig/CMakeLists.txt b/Tracking/TrkConfig/CMakeLists.txt index 66041e2e20d87486866bc3563ff90d68485b3fc3..b65d9e9dc305e139d2588f9a29083c14f35b9621 100644 --- a/Tracking/TrkConfig/CMakeLists.txt +++ b/Tracking/TrkConfig/CMakeLists.txt @@ -19,3 +19,7 @@ atlas_add_test( AtlasTrackingGeometrySvcCfgTest atlas_add_test( SolenoidalIntersectorConfig_test SCRIPT python -m TrkConfig.SolenoidalIntersectorConfig LOG_SELECT_PATTERN "ComponentAccumulator|^private tools" ) + +atlas_add_test( AtlasExtrapolatorCfgTest + SCRIPT python -m TrkConfig.AtlasExtrapolatorConfig + POST_EXEC_SCRIPT nopost.sh ) diff --git a/Tracking/TrkConfig/python/AtlasExtrapolatorConfig.py b/Tracking/TrkConfig/python/AtlasExtrapolatorConfig.py index 57d7be70f93bdac88de4e2df0f90de178de6e63b..3e8e6d56cd49bf6fc29b8ea1c970f0a65c3f589b 100644 --- a/Tracking/TrkConfig/python/AtlasExtrapolatorConfig.py +++ b/Tracking/TrkConfig/python/AtlasExtrapolatorConfig.py @@ -9,197 +9,244 @@ from MagFieldServices.MagFieldServicesConfig import MagneticFieldSvcCfg import TrkConfig.AtlasExtrapolatorToolsConfig as TC # import the Extrapolator configurable -Trk__Extrapolator=CompFactory.Trk.Extrapolator +Trk__Extrapolator = CompFactory.Trk.Extrapolator # define the class -def AtlasExtrapolatorCfg( flags, name = 'AtlasExtrapolator' ): - result=ComponentAccumulator() - - acc = MagneticFieldSvcCfg(flags) - result.merge(acc) - - # PROPAGATOR DEFAULTS -------------------------------------------------------------------------------------- - - AtlasRungeKuttaPropagator = result.getPrimaryAndMerge( TC.AtlasRKPropagatorCfg(flags) ) - AtlasSTEP_Propagator = result.getPrimaryAndMerge( TC.AtlasSTEP_PropagatorCfg(flags) ) - - AtlasPropagators = [] - AtlasPropagators += [AtlasRungeKuttaPropagator] - AtlasPropagators += [AtlasSTEP_Propagator] - - # UPDATOR DEFAULTS ----------------------------------------------------------------------------------------- - - AtlasMaterialEffectsUpdator = result.getPrimaryAndMerge( TC.AtlasMaterialEffectsUpdatorCfg(flags) ) - AtlasMaterialEffectsUpdatorLandau = result.getPrimaryAndMerge( TC.AtlasMaterialEffectsUpdatorLandauCfg(flags) ) - - AtlasUpdators = [] - AtlasUpdators += [ AtlasMaterialEffectsUpdator ] - AtlasUpdators += [ AtlasMaterialEffectsUpdatorLandau ] - - AtlasNavigator = result.getPrimaryAndMerge( TC.AtlasNavigatorCfg(flags) ) - - # CONFIGURE PROPAGATORS/UPDATORS ACCORDING TO GEOMETRY SIGNATURE - - AtlasSubPropagators = [] - AtlasSubPropagators += [ AtlasRungeKuttaPropagator.name ] # Global - AtlasSubPropagators += [ AtlasRungeKuttaPropagator.name ] # ID - AtlasSubPropagators += [ AtlasSTEP_Propagator.name ] # BeamPipe - AtlasSubPropagators += [ AtlasSTEP_Propagator.name ] # Calo - AtlasSubPropagators += [ AtlasSTEP_Propagator.name ] # MS - AtlasSubPropagators += [ AtlasRungeKuttaPropagator.name ] # Cavern - - AtlasSubUpdators = [] - AtlasSubUpdators += [ AtlasMaterialEffectsUpdator.name ] # Global - AtlasSubUpdators += [ AtlasMaterialEffectsUpdator.name ] # ID - AtlasSubUpdators += [ AtlasMaterialEffectsUpdator.name ] # BeamPipe - AtlasSubUpdators += [ AtlasMaterialEffectsUpdator.name ] # Calo - AtlasSubUpdators += [ AtlasMaterialEffectsUpdator.name ] # MS - AtlasSubUpdators += [ AtlasMaterialEffectsUpdator.name ] # Cavern - - # call the base class constructor - Extrapolator = Trk__Extrapolator(name,\ - Navigator = AtlasNavigator,\ - MaterialEffectsUpdators = AtlasUpdators,\ - Propagators = AtlasPropagators,\ - SubPropagators = AtlasSubPropagators,\ - SubMEUpdators = AtlasSubUpdators - ) - - - result.setPrivateTools(Extrapolator) - - return result - +def AtlasExtrapolatorCfg(flags, name='AtlasExtrapolator'): + result = ComponentAccumulator() -# Based on Reconstruction/egamma/egammaTools/python/egammaExtrapolators.py -def egammaCaloExtrapolatorCfg( flags, name = 'egammaCaloExtrapolator' ): - result=ComponentAccumulator() + acc = MagneticFieldSvcCfg(flags) + result.merge(acc) - egammaExtrapolator = result.popToolsAndMerge(AtlasExtrapolatorCfg(flags, name)) + # PROPAGATOR DEFAULTS -------------------------------------------------------------------------------------- - # this turns off dynamic calculation of eloss in calorimeters - egammaExtrapolator.DoCaloDynamic = False + AtlasRungeKuttaPropagator = result.getPrimaryAndMerge( + TC.AtlasRKPropagatorCfg(flags)) + AtlasSTEP_Propagator = result.getPrimaryAndMerge( + TC.AtlasSTEP_PropagatorCfg(flags)) - RungeKuttaPropagator = result.getPrimaryAndMerge( TC.AtlasRKPropagatorCfg(flags) ) - NoMatSTEP_Propagator = result.getPrimaryAndMerge( TC.AtlasNoMatSTEP_PropagatorCfg(flags) ) + AtlasPropagators = [] + AtlasPropagators += [AtlasRungeKuttaPropagator] + AtlasPropagators += [AtlasSTEP_Propagator] - egammaPropagators = [] - egammaPropagators += [RungeKuttaPropagator] - egammaPropagators += [NoMatSTEP_Propagator] + # UPDATOR DEFAULTS ----------------------------------------------------------------------------------------- - MaterialEffectsUpdator = result.getPrimaryAndMerge( TC.AtlasMaterialEffectsUpdatorCfg(flags) ) - NoElossMaterialEffectsUpdator = result.getPrimaryAndMerge( TC.AtlasNoElossMaterialEffectsUpdatorCfg(flags) ) + AtlasMaterialEffectsUpdator = result.getPrimaryAndMerge( + TC.AtlasMaterialEffectsUpdatorCfg(flags)) + AtlasMaterialEffectsUpdatorLandau = result.getPrimaryAndMerge( + TC.AtlasMaterialEffectsUpdatorLandauCfg(flags)) - egammaUpdators = [] - egammaUpdators += [ MaterialEffectsUpdator ] - egammaUpdators += [ NoElossMaterialEffectsUpdator ] + AtlasUpdators = [] + AtlasUpdators += [AtlasMaterialEffectsUpdator] + AtlasUpdators += [AtlasMaterialEffectsUpdatorLandau] - # CONFIGURE PROPAGATORS/UPDATORS ACCORDING TO GEOMETRY SIGNATURE + AtlasNavigator = result.getPrimaryAndMerge(TC.AtlasNavigatorCfg(flags)) - egammaSubPropagators = [] - egammaSubPropagators += [ RungeKuttaPropagator.name ] # Global - egammaSubPropagators += [ RungeKuttaPropagator.name ] # ID - egammaSubPropagators += [ RungeKuttaPropagator.name ] # BeamPipe (default is STEP) - egammaSubPropagators += [ RungeKuttaPropagator.name ] # Calo (default is STEP) - egammaSubPropagators += [ NoMatSTEP_Propagator.name ] # MS (default is STEP) - egammaSubPropagators += [ RungeKuttaPropagator.name ] # Cavern + # CONFIGURE PROPAGATORS/UPDATORS ACCORDING TO GEOMETRY SIGNATURE - egammaSubUpdators = [] - egammaSubUpdators += [ MaterialEffectsUpdator.name ] # Global - egammaSubUpdators += [ MaterialEffectsUpdator.name ] # ID - egammaSubUpdators += [ MaterialEffectsUpdator.name ] # BeamPipe - egammaSubUpdators += [ NoElossMaterialEffectsUpdator.name ] # Calo (default is Mat) - egammaSubUpdators += [ NoElossMaterialEffectsUpdator.name ] # MS (default is Mat) - egammaSubUpdators += [ MaterialEffectsUpdator.name ] # Cavern + AtlasSubPropagators = [] + AtlasSubPropagators += [AtlasRungeKuttaPropagator.name] # Global + AtlasSubPropagators += [AtlasRungeKuttaPropagator.name] # ID + AtlasSubPropagators += [AtlasSTEP_Propagator.name] # BeamPipe + AtlasSubPropagators += [AtlasSTEP_Propagator.name] # Calo + AtlasSubPropagators += [AtlasSTEP_Propagator.name] # MS + AtlasSubPropagators += [AtlasRungeKuttaPropagator.name] # Cavern - egammaExtrapolator.MaterialEffectsUpdators = egammaUpdators - egammaExtrapolator.SubMEUpdators = egammaSubUpdators - egammaExtrapolator.Propagators = egammaPropagators - egammaExtrapolator.SubPropagators = egammaSubPropagators - # egamma STEP with no eloss for calo intersections - egammaExtrapolator.STEP_Propagator = NoMatSTEP_Propagator + AtlasSubUpdators = [] + AtlasSubUpdators += [AtlasMaterialEffectsUpdator.name] # Global + AtlasSubUpdators += [AtlasMaterialEffectsUpdator.name] # ID + AtlasSubUpdators += [AtlasMaterialEffectsUpdator.name] # BeamPipe + AtlasSubUpdators += [AtlasMaterialEffectsUpdator.name] # Calo + AtlasSubUpdators += [AtlasMaterialEffectsUpdator.name] # MS + AtlasSubUpdators += [AtlasMaterialEffectsUpdator.name] # Cavern - result.setPrivateTools(egammaExtrapolator) + # call the base class constructor + Extrapolator = Trk__Extrapolator(name, + Navigator=AtlasNavigator, + MaterialEffectsUpdators=AtlasUpdators, + Propagators=AtlasPropagators, + SubPropagators=AtlasSubPropagators, + SubMEUpdators=AtlasSubUpdators + ) - return result + result.setPrivateTools(Extrapolator) + return result -# Based on PhysicsAnalysis/MCTruthClassifier/python/MCTruthClassifierBase.py -def MCTruthClassifierExtrapolatorCfg( flags, name = 'MCTruthClassifierExtrapolator' ): - result=ComponentAccumulator() +# Based on Reconstruction/egamma/egammaTools/python/egammaExtrapolators.py +def egammaCaloExtrapolatorCfg(flags, name='egammaCaloExtrapolator'): + result = ComponentAccumulator() - MCTruthExtrapolator = result.popToolsAndMerge(AtlasExtrapolatorCfg(flags, name)) + egammaExtrapolator = result.popToolsAndMerge( + AtlasExtrapolatorCfg(flags, name)) + + RungeKuttaPropagator = result.getPrimaryAndMerge( + TC.AtlasRKPropagatorCfg(flags)) + NoMatSTEP_Propagator = result.getPrimaryAndMerge( + TC.AtlasNoMatSTEP_PropagatorCfg(flags)) + + egammaPropagators = [] + egammaPropagators += [RungeKuttaPropagator] + egammaPropagators += [NoMatSTEP_Propagator] + + MaterialEffectsUpdator = result.getPrimaryAndMerge( + TC.AtlasMaterialEffectsUpdatorCfg(flags)) + NoElossMaterialEffectsUpdator = result.getPrimaryAndMerge( + TC.AtlasNoElossMaterialEffectsUpdatorCfg(flags)) + + egammaUpdators = [] + egammaUpdators += [MaterialEffectsUpdator] + egammaUpdators += [NoElossMaterialEffectsUpdator] + + # CONFIGURE PROPAGATORS/UPDATORS ACCORDING TO GEOMETRY SIGNATURE + + egammaSubPropagators = [] + egammaSubPropagators += [RungeKuttaPropagator.name] # Global + egammaSubPropagators += [RungeKuttaPropagator.name] # ID + # BeamPipe (default is STEP) + egammaSubPropagators += [RungeKuttaPropagator.name] + # Calo (default is STEP) + egammaSubPropagators += [RungeKuttaPropagator.name] + egammaSubPropagators += [NoMatSTEP_Propagator.name] # MS (default is STEP) + egammaSubPropagators += [RungeKuttaPropagator.name] # Cavern + + egammaSubUpdators = [] + egammaSubUpdators += [MaterialEffectsUpdator.name] # Global + egammaSubUpdators += [MaterialEffectsUpdator.name] # ID + egammaSubUpdators += [MaterialEffectsUpdator.name] # BeamPipe + # Calo (default is Mat) + egammaSubUpdators += [NoElossMaterialEffectsUpdator.name] + # MS (default is Mat) + egammaSubUpdators += [NoElossMaterialEffectsUpdator.name] + egammaSubUpdators += [MaterialEffectsUpdator.name] # Cavern + + egammaExtrapolator.MaterialEffectsUpdators = egammaUpdators + egammaExtrapolator.SubMEUpdators = egammaSubUpdators + egammaExtrapolator.Propagators = egammaPropagators + egammaExtrapolator.SubPropagators = egammaSubPropagators + # egamma STEP with no eloss for calo intersections + egammaExtrapolator.STEP_Propagator = NoMatSTEP_Propagator + + result.setPrivateTools(egammaExtrapolator) - # this turns off dynamic calculation of eloss in calorimeters - MCTruthExtrapolator.DoCaloDynamic = False + return result - MCTruthUpdators = [] - NoElossMaterialEffectsUpdator = result.getPrimaryAndMerge( TC.AtlasNoElossMaterialEffectsUpdatorCfg(flags) ) - MCTruthUpdators += [ NoElossMaterialEffectsUpdator ] +# Based on PhysicsAnalysis/MCTruthClassifier/python/MCTruthClassifierBase.py +def MCTruthClassifierExtrapolatorCfg(flags, name='MCTruthClassifierExtrapolator'): + result = ComponentAccumulator() - MCTruthSubUpdators = [] + MCTruthExtrapolator = result.popToolsAndMerge( + AtlasExtrapolatorCfg(flags, name)) - # -------------------- set it depending on the geometry ---------------------------------------------------- - MCTruthSubUpdators += [ NoElossMaterialEffectsUpdator.name ] # Global - MCTruthSubUpdators += [ NoElossMaterialEffectsUpdator.name ] # ID - MCTruthSubUpdators += [ NoElossMaterialEffectsUpdator.name ] # beampipe - MCTruthSubUpdators += [ NoElossMaterialEffectsUpdator.name ] # calo - MCTruthSubUpdators += [ NoElossMaterialEffectsUpdator.name ] # MS - MCTruthSubUpdators += [ NoElossMaterialEffectsUpdator.name ] # cavern + MCTruthUpdators = [] - MCTruthExtrapolator.MaterialEffectsUpdators = MCTruthUpdators - MCTruthExtrapolator.SubMEUpdators = MCTruthSubUpdators + NoElossMaterialEffectsUpdator = result.getPrimaryAndMerge( + TC.AtlasNoElossMaterialEffectsUpdatorCfg(flags)) + MCTruthUpdators += [NoElossMaterialEffectsUpdator] - result.setPrivateTools(MCTruthExtrapolator) + MCTruthSubUpdators = [] - return result + # -------------------- set it depending on the geometry ---------------------------------------------------- + MCTruthSubUpdators += [NoElossMaterialEffectsUpdator.name] # Global + MCTruthSubUpdators += [NoElossMaterialEffectsUpdator.name] # ID + MCTruthSubUpdators += [NoElossMaterialEffectsUpdator.name] # beampipe + MCTruthSubUpdators += [NoElossMaterialEffectsUpdator.name] # calo + MCTruthSubUpdators += [NoElossMaterialEffectsUpdator.name] # MS + MCTruthSubUpdators += [NoElossMaterialEffectsUpdator.name] # cavern + MCTruthExtrapolator.MaterialEffectsUpdators = MCTruthUpdators + MCTruthExtrapolator.SubMEUpdators = MCTruthSubUpdators -def InDetExtrapolatorCfg(flags, name='InDetExtrapolator', **kwargs) : - result = ComponentAccumulator() + result.setPrivateTools(MCTruthExtrapolator) - # FIXME copied from the old config, also needs fixing on the c++ side. - if 'Propagators' not in kwargs : - InDetPropagator = result.getPrimaryAndMerge(TC.InDetPropagatorCfg(flags)) - Propagators = [InDetPropagator] - kwargs.setdefault( "Propagators", Propagators ) + return result - propagator= kwargs.get('Propagators')[0].name if kwargs.get('Propagators',None) is not None and len(kwargs.get('Propagators',None))>0 else None - if 'MaterialEffectsUpdators' not in kwargs : - InDetMaterialEffectsUpdator = result.getPrimaryAndMerge(TC.InDetMaterialEffectsUpdatorCfg(flags)) - MaterialEffectsUpdators = [InDetMaterialEffectsUpdator] - kwargs.setdefault( "MaterialEffectsUpdators", MaterialEffectsUpdators ) - material_updator= kwargs.get('MaterialEffectsUpdators')[0].name if kwargs.get('MaterialEffectsUpdators',None) is not None and len(kwargs.get('MaterialEffectsUpdators',None))>0 else None +def InDetExtrapolatorCfg(flags, name='InDetExtrapolator', **kwargs): + result = ComponentAccumulator() - if 'Navigator' not in kwargs : - AtlasNavigator = result.getPrimaryAndMerge( TC.AtlasNavigatorCfg(flags) ) - kwargs.setdefault( "Navigator", AtlasNavigator) + # FIXME copied from the old config, also needs fixing on the c++ side. + if 'Propagators' not in kwargs: + InDetPropagator = result.getPrimaryAndMerge( + TC.InDetPropagatorCfg(flags)) + Propagators = [InDetPropagator] + kwargs.setdefault("Propagators", Propagators) + + propagator = kwargs.get('Propagators')[0].name if kwargs.get( + 'Propagators', None) is not None and len(kwargs.get('Propagators', None)) > 0 else None + + if 'MaterialEffectsUpdators' not in kwargs: + InDetMaterialEffectsUpdator = result.getPrimaryAndMerge( + TC.InDetMaterialEffectsUpdatorCfg(flags)) + MaterialEffectsUpdators = [InDetMaterialEffectsUpdator] + kwargs.setdefault("MaterialEffectsUpdators", MaterialEffectsUpdators) + material_updator = kwargs.get('MaterialEffectsUpdators')[0].name if kwargs.get( + 'MaterialEffectsUpdators', None) is not None and len(kwargs.get('MaterialEffectsUpdators', None)) > 0 else None + + if 'Navigator' not in kwargs: + AtlasNavigator = result.getPrimaryAndMerge(TC.AtlasNavigatorCfg(flags)) + kwargs.setdefault("Navigator", AtlasNavigator) sub_propagators = [] - sub_updators = [] + sub_updators = [] # -------------------- set it depending on the geometry ---------------------------------------------------- # default for ID is (Rk,Mat) - sub_propagators += [ propagator ] - sub_updators += [ material_updator ] + sub_propagators += [propagator] + sub_updators += [material_updator] # default for Calo is (Rk,MatLandau) - sub_propagators += [ propagator ] - sub_updators += [ material_updator ] + sub_propagators += [propagator] + sub_updators += [material_updator] # default for MS is (STEP,Mat) # sub_propagators += [ InDetStepPropagator.name() ] - sub_updators += [ material_updator ] + sub_updators += [material_updator] # @TODO should check that all sub_propagators and sub_updators are actually defined. - kwargs.setdefault("SubPropagators" , sub_propagators) - kwargs.setdefault("SubMEUpdators" , sub_updators) + kwargs.setdefault("SubPropagators", sub_propagators) + kwargs.setdefault("SubMEUpdators", sub_updators) extrapolator = CompFactory.Trk.Extrapolator(name, **kwargs) result.addPublicTool(extrapolator, primary=True) return result + +if __name__ == "__main__": + + from AthenaConfiguration.AllConfigFlags import ConfigFlags + from AthenaConfiguration.ComponentAccumulator import printProperties + from AthenaCommon.Configurable import Configurable + from AthenaConfiguration.TestDefaults import defaultTestFiles + from AthenaCommon.Logging import logging + Configurable.configurableRun3Behavior = True + + ConfigFlags.Input.Files = defaultTestFiles.RDO + ConfigFlags.fillFromArgs() + ConfigFlags.lock() + ConfigFlags.dump() + + cfg = ComponentAccumulator() + mlog = logging.getLogger("AtlasExtrapolatorConfigTest") + mlog.info("Configuring AtlasExtrapolator : ") + printProperties(mlog, cfg.popToolsAndMerge( + AtlasExtrapolatorCfg(ConfigFlags)), + nestLevel=1, + printDefaults=True) + mlog.info("Configuring egammaCaloExtrapolator : ") + printProperties(mlog, cfg.popToolsAndMerge( + egammaCaloExtrapolatorCfg(ConfigFlags)), + nestLevel=1, + printDefaults=True) + mlog.info("Configuring MCTruthClassifierExtrapolator : ") + printProperties(mlog, cfg.popToolsAndMerge( + MCTruthClassifierExtrapolatorCfg(ConfigFlags)), + nestLevel=1, + printDefaults=True) + + f = open("atlasextrapolator.pkl", "wb") + cfg.store(f) + f.close() diff --git a/Tracking/TrkDetDescr/TrkDetDescrTools/TrkDetDescrTools/GeometryBuilderCond.h b/Tracking/TrkDetDescr/TrkDetDescrTools/TrkDetDescrTools/GeometryBuilderCond.h index 56559db3bbe9d2c00161b950fa2deb920e73beb5..18d47b7b0a910cb0dbe36e176cd0e7e185705cdc 100755 --- a/Tracking/TrkDetDescr/TrkDetDescrTools/TrkDetDescrTools/GeometryBuilderCond.h +++ b/Tracking/TrkDetDescr/TrkDetDescrTools/TrkDetDescrTools/GeometryBuilderCond.h @@ -1,5 +1,5 @@ /* - Copyright (C) 2002-2020 CERN for the benefit of the ATLAS collaboration + Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration */ /////////////////////////////////////////////////////////////////// @@ -92,14 +92,16 @@ namespace Trk { ToolHandle<ITrackingVolumeHelper> m_trackingVolumeHelper; //!< Helper Tool to create TrackingVolumes - //bool m_inDetGeometry; //!< switch on TrackingGeometry for the InnerDetector - ToolHandle<IGeometryBuilderCond> m_inDetGeometryBuilderCond; //!< GeometryBuilderCond for the InnerDetector + ToolHandle<IGeometryBuilderCond> m_inDetGeometryBuilderCond; //!< GeometryBuilderCond for the InnerDetector bool m_caloGeometry; //!< switch on TrackingGeometry for the Calorimeters - ToolHandle<IGeometryBuilderCond> m_caloGeometryBuilderCond; //!< GeometryBuilderCond for the Calorimeters + ToolHandle<IGeometryBuilderCond> m_caloGeometryBuilderCond; //!< GeometryBuilderCond for the Calorimeters + + bool m_hgtdGeometry; //! switch on TrackingGeometry for HGTD + ToolHandle<IGeometryBuilderCond> m_hgtdGeometryBuilderCond; //!< GeometryBuilder for the HGTD bool m_muonGeometry; //!< GeometryBuilderCond for the Muon System - ToolHandle<IGeometryBuilderCond> m_muonGeometryBuilderCond; //!< GeometryBuilderCond for the Muon System + ToolHandle<IGeometryBuilderCond> m_muonGeometryBuilderCond; //!< GeometryBuilderCond for the Muon System bool m_compactify; //!< optimize event memory usage: register all surfaces with TG bool m_synchronizeLayers; //!< synchronize contained layer dimensions to volumes diff --git a/Tracking/TrkDetDescr/TrkDetDescrTools/src/GeometryBuilderCond.cxx b/Tracking/TrkDetDescr/TrkDetDescrTools/src/GeometryBuilderCond.cxx index c99284b10a4a39a66639d659b347d87fbfaa1f70..197fc1e204673955c54f2fee28cbd2e2b7624a1b 100755 --- a/Tracking/TrkDetDescr/TrkDetDescrTools/src/GeometryBuilderCond.cxx +++ b/Tracking/TrkDetDescr/TrkDetDescrTools/src/GeometryBuilderCond.cxx @@ -48,6 +48,8 @@ Trk::GeometryBuilderCond::GeometryBuilderCond(const std::string& t, const std::s m_inDetGeometryBuilderCond("", this), m_caloGeometry{}, m_caloGeometryBuilderCond("", this), + m_hgtdGeometry{}, + m_hgtdGeometryBuilderCond("", this), m_muonGeometry{}, m_muonGeometryBuilderCond("", this), m_compactify(true), @@ -64,6 +66,7 @@ Trk::GeometryBuilderCond::GeometryBuilderCond(const std::string& t, const std::s declareProperty("TrackingVolumeArrayCreator", m_trackingVolumeArrayCreator); declareProperty("TrackingVolumeHelper", m_trackingVolumeHelper); declareProperty("InDetTrackingGeometryBuilder", m_inDetGeometryBuilderCond); + declareProperty("HGTD_TrackingGeometryBuilder", m_hgtdGeometryBuilderCond); declareProperty("CaloTrackingGeometryBuilder", m_caloGeometryBuilderCond); declareProperty("MuonTrackingGeometryBuilder", m_muonGeometryBuilderCond); // optimize layer dimension & memory usage ------------------------------- @@ -91,10 +94,18 @@ StatusCode Trk::GeometryBuilderCond::initialize() if (!m_inDetGeometryBuilderCond.empty()) { ATH_CHECK(m_inDetGeometryBuilderCond.retrieve()); } + // (H) High Granularity Timing Detector ---------------------------------------------------- + if(!m_hgtdGeometryBuilderCond.empty()) { + if (m_hgtdGeometryBuilderCond.retrieve().isFailure()) { + ATH_MSG_FATAL("Failed to retrieve tool " << m_hgtdGeometryBuilderCond ); + return StatusCode::FAILURE; + } else + ATH_MSG_INFO( "Retrieved tool " << m_hgtdGeometryBuilderCond ); + } // (C) Calorimeter -------------------------------------------------------------------------- if (!m_caloGeometryBuilderCond.empty()) { ATH_CHECK (m_caloGeometryBuilderCond.retrieve()); - } + } // (M) Muon System ------------------------------------------------------------------------- if (!m_muonGeometryBuilderCond.empty()) { ATH_CHECK(m_muonGeometryBuilderCond.retrieve()); @@ -125,7 +136,7 @@ std::pair<EventIDRange, const Trk::TrackingGeometry*> Trk::GeometryBuilderCond:: // the geometry to be constructed std::pair<EventIDRange, const Trk::TrackingGeometry*> tGeometry; - if ( m_inDetGeometryBuilderCond.empty() && m_caloGeometryBuilderCond.empty() && m_muonGeometryBuilderCond.empty() ) { + if ( m_inDetGeometryBuilderCond.empty() && m_hgtdGeometryBuilderCond.empty() && m_caloGeometryBuilderCond.empty() && m_muonGeometryBuilderCond.empty() ) { ATH_MSG_VERBOSE( "Configured to only create world TrackingVolume." ); @@ -161,12 +172,14 @@ std::pair<EventIDRange, const Trk::TrackingGeometry*> Trk::GeometryBuilderCond:: EventIDRange range=IOVInfiniteRange::infiniteMixed(); // A ------------- INNER DETECTOR SECTION -------------------------------------------------------------------------------- - // get the Inner Detector and/or Calorimeter trackingGeometry + // get the Inner Detector and/or HGTD and/or Calorimeter trackingGeometry std::pair<EventIDRange, const Trk::TrackingGeometry*> inDetTrackingGeometry; + std::pair<EventIDRange, const Trk::TrackingGeometry*> hgtdTrackingGeometry; std::pair<EventIDRange, const Trk::TrackingGeometry*> caloTrackingGeometry ; // the volumes to be given to higher level tracking geometry builders const Trk::TrackingVolume* inDetVolume = nullptr; + const Trk::TrackingVolume* hgtdVolume = nullptr; const Trk::TrackingVolume* caloVolume = nullptr; // mark the highest volume @@ -189,7 +202,7 @@ std::pair<EventIDRange, const Trk::TrackingGeometry*> Trk::GeometryBuilderCond:: // sign it inDetTrackingGeometry.second->sign(m_inDetGeometryBuilderCond->geometrySignature()); // check whether the world has to be created or not - if (m_createWorld || m_caloGeometry || m_muonGeometry) { + if (m_createWorld || m_hgtdGeometry || m_caloGeometry || m_muonGeometry) { // checkout the highest InDet volume inDetVolume = inDetTrackingGeometry.second->checkoutHighestTrackingVolume(); // assign it as the highest volume @@ -207,17 +220,56 @@ std::pair<EventIDRange, const Trk::TrackingGeometry*> Trk::GeometryBuilderCond:: ATH_MSG_INFO( m_memoryLogger ); #endif + } + + // ========================== HGTD PART ================================================= + // if a HGTD Geometry Builder is present -> wrap it around the ID + if (!m_hgtdGeometryBuilderCond.empty()) { + if (inDetVolume) + ATH_MSG_VERBOSE( "HGTD Tracking Geometry is going to be built with enclosed ID." ); + else + ATH_MSG_VERBOSE( "HGTD Tracking Geometry is going to be built stand-alone." ); + // get the InnerDetector TrackingGeometry + hgtdTrackingGeometry = m_hgtdGeometryBuilderCond->trackingGeometry(ctx, std::make_pair(inDetTrackingGeometry.first, inDetVolume)); + // if you have to create world or there is a Calo/Muon geometry builder ... + if (hgtdTrackingGeometry.second) { + // sign it + hgtdTrackingGeometry.second->sign(m_hgtdGeometryBuilderCond->geometrySignature()); + if (m_createWorld || m_caloGeometry || m_muonGeometry){ + // check out the highest Calo volume + hgtdVolume = hgtdTrackingGeometry.second->checkoutHighestTrackingVolume(); + // assign it as the highest volume (overwrite ID) + highestVolume = hgtdVolume; + range = hgtdTrackingGeometry.first; + // cleanup + delete hgtdTrackingGeometry.second; + } else // -> Take the exit and return HGTD back + atlasTrackingGeometry = hgtdTrackingGeometry; + } + +#ifdef TRKDETDESCR_MEMUSAGE + m_memoryLogger.refresh(getpid()); + ATH_MSG_INFO( "[ memory usage ] After Calo TrackingGeometry building: " ); + ATH_MSG_INFO( m_memoryLogger ); +#endif + } // ========================== CALORIMETER PART ================================================= - // if a Calo Geometry Builder is present -> wrap it around the ID + // if a Calo Geometry Builder is present -> wrap it around the ID or HGTD if (!m_caloGeometryBuilderCond.empty()) { - if (inDetVolume) - ATH_MSG_VERBOSE( "Calorimeter Tracking Geometry is going to be built with enclosed ID." ); + std::string enclosed = "stand-alone."; + if (inDetVolume and hgtdVolume) + enclosed = "with encloded ID/HGTD."; + else if (inDetVolume or hgtdVolume) + enclosed = (inDetVolume) ? "with encloded ID." : "with encloded HGTD."; + ATH_MSG_VERBOSE( "Calorimeter Tracking Geometry is going to be built "<< enclosed ); + + // get the InnerDetector TrackingGeometry or the HGTD tracking geometry + if (inDetVolume and not hgtdVolume) + caloTrackingGeometry = m_caloGeometryBuilderCond->trackingGeometry(ctx, std::make_pair(inDetTrackingGeometry.first, inDetVolume)); else - ATH_MSG_VERBOSE( "Calorimeter Tracking Geometry is going to be built stand-alone." ); - // get the InnerDetector TrackingGeometry - caloTrackingGeometry = m_caloGeometryBuilderCond->trackingGeometry(ctx, std::make_pair(inDetTrackingGeometry.first, inDetVolume)); + caloTrackingGeometry = m_caloGeometryBuilderCond->trackingGeometry(ctx, std::make_pair(hgtdTrackingGeometry.first, hgtdVolume)); // if you have to create world or there is a Muon geometry builder ... if (caloTrackingGeometry.second) { // sign it @@ -245,16 +297,33 @@ std::pair<EventIDRange, const Trk::TrackingGeometry*> Trk::GeometryBuilderCond:: // ========================== MUON SYSTEM PART ================================================= // if Muon Geometry Builder is present -> wrap either ID or Calo if (!m_muonGeometryBuilderCond.empty()) { - std::string enclosed = "stand-alone."; - if (inDetVolume && caloVolume) - enclosed = "with encloded ID/Calo."; - else if (inDetVolume || caloVolume) - enclosed = (inDetVolume) ? "with encloded ID." : "with encloded Calo."; + if (inDetVolume and hgtdVolume and caloVolume ) + enclosed = "with encloded ID/HGTD/Calo."; + else if (inDetVolume or hgtdVolume or caloVolume) { + if (inDetVolume) { + if (hgtdVolume) + enclosed = "with encloded ID/HGTD"; + else if (caloVolume) + enclosed = "with encloded ID/Calo"; + else + enclosed = "with encloded ID"; + } else if (hgtdVolume) { + if (caloVolume) + enclosed = "with encloded HGTD/Calo"; + else + enclosed = "with encloded HGTD"; + } else { + enclosed = "with encloded Calo"; + } + } ATH_MSG_VERBOSE( "Muon System Tracking Geometry is going to be built "<< enclosed ); - // there's nothing outside the muons -- wrap the calo if it exists - if (inDetVolume && !caloVolume) + + // there's nothing outside the muons -- wrap the calo or the HGTD if one or both of them exist + if (inDetVolume and not hgtdVolume and not caloVolume) atlasTrackingGeometry = m_muonGeometryBuilderCond->trackingGeometry(ctx, std::make_pair(inDetTrackingGeometry.first, inDetVolume)); + else if (hgtdVolume and not caloVolume) + atlasTrackingGeometry = m_muonGeometryBuilderCond->trackingGeometry(ctx, std::make_pair(hgtdTrackingGeometry.first, hgtdVolume)); else atlasTrackingGeometry = m_muonGeometryBuilderCond->trackingGeometry(ctx, std::make_pair(caloTrackingGeometry.first, caloVolume)); diff --git a/Tracking/TrkDetDescr/TrkDetDescrUtils/TrkDetDescrUtils/GeometrySignature.h b/Tracking/TrkDetDescr/TrkDetDescrUtils/TrkDetDescrUtils/GeometrySignature.h index b5ee5f611a5e851972f6034f6d0d4e511c12b5cc..9ca32f2943d0f392442ac1ab95b7036ca4497c15 100644 --- a/Tracking/TrkDetDescr/TrkDetDescrUtils/TrkDetDescrUtils/GeometrySignature.h +++ b/Tracking/TrkDetDescr/TrkDetDescrUtils/TrkDetDescrUtils/GeometrySignature.h @@ -28,7 +28,8 @@ enum GeometrySignature Calo = 3, MS = 4, Cavern = 5, - NumberOfSignatures = 6, + HGTD = 6, + NumberOfSignatures = 7, Unsigned = 99 }; diff --git a/Tracking/TrkDetDescr/TrkGeometry/TrkGeometry/TrackingVolume.h b/Tracking/TrkDetDescr/TrkGeometry/TrkGeometry/TrackingVolume.h index 3487ade20e8edd171aa82ab3ba35e771514f2147..018e302bcca4705837606990b86fc772ad0d0f08 100644 --- a/Tracking/TrkDetDescr/TrkGeometry/TrkGeometry/TrackingVolume.h +++ b/Tracking/TrkDetDescr/TrkGeometry/TrkGeometry/TrackingVolume.h @@ -364,10 +364,6 @@ namespace Trk { /** reIndex the material layers of the TrackingVolume */ void indexContainedMaterialLayers ATLAS_NOT_THREAD_SAFE (GeometrySignature geoSig, int& offset) const; - /** propagate material properties to subvolumes */ - void propagateMaterialProperties ATLAS_NOT_THREAD_SAFE (const Material& mprop); - void propagateMaterialProperties ATLAS_NOT_THREAD_SAFE (const Material& mprop) const; - /** Create Boundary Surface */ void createBoundarySurfaces(); @@ -629,10 +625,6 @@ namespace Trk { inline void TrackingVolume::setMotherVolume ATLAS_NOT_THREAD_SAFE (const TrackingVolume* mvol) const { const_cast<TrackingVolume&>(*this).setMotherVolume(mvol); } - inline void TrackingVolume::propagateMaterialProperties ATLAS_NOT_THREAD_SAFE(const Material& mprop) const { - const_cast<TrackingVolume *>(this)->propagateMaterialProperties(mprop); - } - inline bool TrackingVolume::isAlignable () const{return false;} } // end of namespace diff --git a/Tracking/TrkDetDescr/TrkGeometry/src/TrackingVolume.cxx b/Tracking/TrkDetDescr/TrkGeometry/src/TrackingVolume.cxx index 92084abed4c40884262be2ae5d8b1515aa5d0a97..218131c1a3de88928bc5551e04517edaefd75da3 100755 --- a/Tracking/TrkDetDescr/TrkGeometry/src/TrackingVolume.cxx +++ b/Tracking/TrkDetDescr/TrkGeometry/src/TrackingVolume.cxx @@ -863,26 +863,6 @@ void Trk::TrackingVolume::addMaterial ATLAS_NOT_THREAD_SAFE(const Material& mat, const_cast<Trk::TrackingVolume*>(this)->addMaterial(mat, fact); } -void Trk::TrackingVolume::propagateMaterialProperties ATLAS_NOT_THREAD_SAFE( - const Trk::Material& mprop) { - X0 = mprop.X0; - L0 = mprop.L0; - Z = mprop.Z; - A = mprop.A; - rho = mprop.rho; - zOaTr = mprop.zOaTr; - dEdX = mprop.dEdX; - - // only do the loop over confined static objects - const Trk::BinnedArray<Trk::TrackingVolume>* confVolumes = confinedVolumes(); - if (confVolumes) { - const std::vector<const Trk::TrackingVolume*>& volumes = - confVolumes->arrayObjects(); - for (const auto& volumesIter : volumes) { - if (volumesIter) volumesIter->propagateMaterialProperties(mprop); - } - } -} void Trk::TrackingVolume::sign ATLAS_NOT_THREAD_SAFE( Trk::GeometrySignature geosign, Trk::GeometryType geotype) const { diff --git a/Tracking/TrkExtrapolation/TrkExEngine/TrkExEngine/ExtrapolationEngine.icc b/Tracking/TrkExtrapolation/TrkExEngine/TrkExEngine/ExtrapolationEngine.icc index 4ab2808fdb9f2252e9ae7e6e3bbedca7c4dff9d3..875d305dfe0d345351062ca05d5455c11bbee913 100644 --- a/Tracking/TrkExtrapolation/TrkExEngine/TrkExEngine/ExtrapolationEngine.icc +++ b/Tracking/TrkExtrapolation/TrkExEngine/TrkExEngine/ExtrapolationEngine.icc @@ -31,7 +31,7 @@ template <class T> Trk::ExtrapolationCode Trk::ExtrapolationEngine::extrapolateT // give output that you are in the master volume loop EX_MSG_VERBOSE(eCell.navigationStep, "extrapolate", "loop", "processing volume (signature) : " << eCell.leadVolume->volumeName() << " (" << eCell.leadVolume->geometrySignature() << ")"); // get the appropriate IExtrapolationEngine - Trk::GeometryType geoType = (eCell.leadVolume->geometrySignature()>2 /*and eCell.leadVolume->geometrySignature()!=Trk::HGTD*/) ? Trk::Dense : Trk::Static; + Trk::GeometryType geoType = (eCell.leadVolume->geometrySignature()>2 and eCell.leadVolume->geometrySignature()!=Trk::HGTD) ? Trk::Dense : Trk::Static; const Trk::IExtrapolationEngine* iee = m_eeAccessor[geoType]; eCode = iee ? iee->extrapolate(eCell, sf, bcheck) : Trk::ExtrapolationCode::FailureConfiguration; // give a message about what you have diff --git a/Tracking/TrkExtrapolation/TrkExEngine/TrkExEngine/StaticNavigationEngine.icc b/Tracking/TrkExtrapolation/TrkExEngine/TrkExEngine/StaticNavigationEngine.icc index e1c0ad7789132fd7917277f90b9782c2d8523c22..5022b4e3f15753f7caa73bd43fe0b0ae78234530 100644 --- a/Tracking/TrkExtrapolation/TrkExEngine/TrkExEngine/StaticNavigationEngine.icc +++ b/Tracking/TrkExtrapolation/TrkExEngine/TrkExEngine/StaticNavigationEngine.icc @@ -155,7 +155,7 @@ template <class T> Trk::ExtrapolationCode Trk::StaticNavigationEngine::handleBou // check if it is a boundary reached case // - geometrySignature change and configuration to stop then triggers a Success bool stopAtThisBoundary = eCell.checkConfigurationMode(Trk::ExtrapolationMode::StopAtBoundary) - && (nextVolume->geometrySignature() != eCell.leadVolume->geometrySignature() /*&& nextVolume->geometrySignature()!=Trk::HGTD*/); + && (nextVolume->geometrySignature() != eCell.leadVolume->geometrySignature() && nextVolume->geometrySignature()!=Trk::HGTD); // fill the boundary into the cache if successfully hit boundary surface // - only cache if those are not the final parameters caused by a StopAtBoundary if (!stopAtThisBoundary) diff --git a/Tracking/TrkExtrapolation/TrkExUnitTests/scripts/RunExEngineTestITk.py b/Tracking/TrkExtrapolation/TrkExUnitTests/scripts/RunExEngineTestITk.py index 6dfe50fa921c6c430ce931da966737076f2942e2..d4f53f80f8df16d82a34b85b7a8c173d0a20256b 100644 --- a/Tracking/TrkExtrapolation/TrkExUnitTests/scripts/RunExEngineTestITk.py +++ b/Tracking/TrkExtrapolation/TrkExUnitTests/scripts/RunExEngineTestITk.py @@ -12,6 +12,7 @@ ConfigFlags.Input.isMC = True ConfigFlags.GeoModel.useLocalGeometry = False detectors = [ + "HGTD", "ITkPixel", "ITkStrip", "Bpipe" @@ -23,7 +24,7 @@ setupDetectorsFromList(ConfigFlags, detectors, toggle_geometry=True) ConfigFlags.GeoModel.AtlasVersion = "ATLAS-P2-ITK-24-00-00" ConfigFlags.IOVDb.GlobalTag = "OFLCOND-SIM-00-00-00" ConfigFlags.GeoModel.Align.Dynamic = False -#ConfigFlags.TrackingGeometry.MaterialSource = "Input" +ConfigFlags.TrackingGeometry.MaterialSource = "Input" ConfigFlags.Beam.Type ='' ConfigFlags.Detector.GeometryCalo = False @@ -63,7 +64,7 @@ topoAcc=ExtrapolationEngineTestITkCfg(ConfigFlags, CollectPassive = True, CollectBoundary = True, CollectMaterial = True, - UseHGTD = False, + UseHGTD = ConfigFlags.Detector.GeometryHGTD, # the path limit to test PathLimit = -1., ) diff --git a/Trigger/TrigAnalysis/TrigDecisionTool/Root/ChainGroup.cxx b/Trigger/TrigAnalysis/TrigDecisionTool/Root/ChainGroup.cxx index 23b96e5483b8dabd640df1e6aa6fea822b93805c..ace1fe2c541bd32bbfab61ebaf9ac4bfc363fae6 100644 --- a/Trigger/TrigAnalysis/TrigDecisionTool/Root/ChainGroup.cxx +++ b/Trigger/TrigAnalysis/TrigDecisionTool/Root/ChainGroup.cxx @@ -349,9 +349,18 @@ bool Trig::ChainGroup::isCorrelatedL1items(const std::string& item) const { float Trig::ChainGroup::correlatedL1Prescale(const std::string& item) const { if( (item == "L1_MU20,L1_MU21") || (item == "L1_MU21,L1_MU20") ) { //see discussion in ATR-16612 - auto l1mu20 = cgm(true)->config_item("L1_MU20"); - float l1mu20ps = cgm(true)->item_prescale(l1mu20->ctpId()); - auto l1mu21 = cgm(true)->config_item("L1_MU21"); + auto l1mu20 = cgm(true)->config_item("L1_MU20"); + if (l1mu20==nullptr) { + ATH_MSG_WARNING("Configuration for the item L1_MU20 not known"); + return std::numeric_limits<float>::quiet_NaN(); + } + float l1mu20ps = cgm(true)->item_prescale(l1mu20->ctpId()); + + auto l1mu21 = cgm(true)->config_item("L1_MU21"); + if (l1mu21==nullptr) { + ATH_MSG_WARNING("Configuration for the item L1_MU21 not known"); + return std::numeric_limits<float>::quiet_NaN(); + } float l1mu21ps = cgm(true)->item_prescale(l1mu21->ctpId()); if( (l1mu20ps < 1.0) && (l1mu21ps < 1.0) ) return 0.0; @@ -370,7 +379,7 @@ float Trig::ChainGroup::L1Prescale(const std::string& item, unsigned int /*condi const TrigConf::TriggerItem* fitem=cgm(true)->config_item(item); if (fitem==0) { ATH_MSG_WARNING("Configuration for the item: " << item << " not known"); - return std::numeric_limits<int>::quiet_NaN(); + return std::numeric_limits<float>::quiet_NaN(); } // now we can;t access the prescale value because this information doe not come togehther as in HLT // we need to go to the cache of L1 items and get it from there diff --git a/Trigger/TrigAnalysis/TriggerMatchingTool/Root/IParticleRetrievalTool.cxx b/Trigger/TrigAnalysis/TriggerMatchingTool/Root/IParticleRetrievalTool.cxx index 3dc5be036df91d6497ab3982bb56f8f736131636..fd017cf7788b0c9ee95fbc8f0349e79d46800215 100644 --- a/Trigger/TrigAnalysis/TriggerMatchingTool/Root/IParticleRetrievalTool.cxx +++ b/Trigger/TrigAnalysis/TriggerMatchingTool/Root/IParticleRetrievalTool.cxx @@ -86,14 +86,15 @@ namespace Trig { << " is empty! This means that no matching chains were found!"); return StatusCode::FAILURE; } - if (!cg->isPassed( rerun - ? TrigDefs::Physics | TrigDefs::allowResurrectedDecision - : TrigDefs::Physics) ) { + unsigned int condition = TrigDefs::Physics; + if (rerun) + condition |= TrigDefs::allowResurrectedDecision; + if (!cg->isPassed(condition) ) { ATH_MSG_DEBUG("Chain: " << chain << " was not passed!"); return StatusCode::SUCCESS; } - FeatureContainer features = cg->features(); + FeatureContainer features = cg->features(condition); for (const Combination& combo : features.getCombinations() ) { // The assumption here is that each combination represents a *single* way // in which the trigger could have been passed. This should be true for diff --git a/Trigger/TrigConfiguration/TrigConfxAOD/src/xAODConfigSvc.cxx b/Trigger/TrigConfiguration/TrigConfxAOD/src/xAODConfigSvc.cxx index da197dc1e2fe8088c7b3af38c0071d93b619f98f..7a2269a6322f20503a7f17e0c4a1112830726391 100644 --- a/Trigger/TrigConfiguration/TrigConfxAOD/src/xAODConfigSvc.cxx +++ b/Trigger/TrigConfiguration/TrigConfxAOD/src/xAODConfigSvc.cxx @@ -25,13 +25,9 @@ namespace TrigConf { xAODConfigSvc::xAODConfigSvc( const std::string& name, ISvcLocator* svcLoc ) - : base_class( name, svcLoc ), - m_stopOnFailure( true ), m_isInFailure( false ), + : base_class( name, svcLoc ), m_tmcAux( nullptr ), m_tmc( nullptr ), m_menu(), - m_ctpConfig(), m_chainList(), m_sequenceList(), m_bgSet(), - m_metaStore( "InputMetaDataStore", name ), - m_triggerMenuContainerAvailable( false ), - m_menuJSONContainerAvailable( false ) { + m_ctpConfig(), m_chainList(), m_sequenceList(), m_bgSet() { } diff --git a/Trigger/TrigConfiguration/TrigConfxAOD/src/xAODConfigSvc.h b/Trigger/TrigConfiguration/TrigConfxAOD/src/xAODConfigSvc.h index 6790ddf8286cb5583dcbe2a9ae5096b39b85617d..006f4a284669a008006e7c4f0a151cf688a4cc1f 100644 --- a/Trigger/TrigConfiguration/TrigConfxAOD/src/xAODConfigSvc.h +++ b/Trigger/TrigConfiguration/TrigConfxAOD/src/xAODConfigSvc.h @@ -233,7 +233,7 @@ namespace TrigConf { Gaudi::Property<bool> m_stopOnFailure{this, "StopOnFailure", true, "Flag for stopping the job in case of a failure"}; /// Internal state of the service - bool m_isInFailure; + bool m_isInFailure{false}; /// /// @name The configuration objects copied from all input files. R1 and R2 AOD @@ -295,9 +295,9 @@ namespace TrigConf { ServiceHandle< StoreGateSvc > m_metaStore{this, "MetaDataStore", "InputMetaDataStore"}; /// Is decoded R2 format data available? - bool m_triggerMenuContainerAvailable; + bool m_triggerMenuContainerAvailable{false}; /// Is decoded R3 format data available? - bool m_menuJSONContainerAvailable; + bool m_menuJSONContainerAvailable{false}; }; // class xAODConfigSvc diff --git a/Trigger/TrigEvent/TrigNavTools/src/Run2ToRun3TrigNavConverter.cxx b/Trigger/TrigEvent/TrigNavTools/src/Run2ToRun3TrigNavConverter.cxx index fd7ba21ba1b6f50fc12275f6856b31864fa69567..d67dd0a0dabd680084f25639c4ff2828476bf769 100644 --- a/Trigger/TrigEvent/TrigNavTools/src/Run2ToRun3TrigNavConverter.cxx +++ b/Trigger/TrigEvent/TrigNavTools/src/Run2ToRun3TrigNavConverter.cxx @@ -699,7 +699,7 @@ StatusCode Run2ToRun3TrigNavConverter::addTRACKfeatures(const HLT::TrigNavStruct decisionPtr->typelessSetObjectLink("TEMP_TRACKS", sgKey, sgCLID, helper.getIndex().objectsBegin(), helper.getIndex().objectsEnd()); ElementLinkVector<xAOD::TrackParticleContainer> tracks = decisionPtr->objectCollectionLinks<xAOD::TrackParticleContainer>("TEMP_TRACKS"); decisionPtr->removeObjectCollectionLinks("TEMP_TRACKS"); - for (const ElementLink<xAOD::TrackParticleContainer>& track : tracks) + for (const ElementLink<xAOD::TrackParticleContainer> track : tracks) { if (track.isValid()) { diff --git a/Trigger/TrigMonitoring/TrigBphysMonitoring/python/TrigBphysMonitCategory.py b/Trigger/TrigMonitoring/TrigBphysMonitoring/python/TrigBphysMonitCategory.py index 55dec9f3ec5f56cba51adba0a78dc17635d44f25..5482c818913b1ab2060a8c7c26855e3544af6e4c 100644 --- a/Trigger/TrigMonitoring/TrigBphysMonitoring/python/TrigBphysMonitCategory.py +++ b/Trigger/TrigMonitoring/TrigBphysMonitoring/python/TrigBphysMonitCategory.py @@ -1,4 +1,4 @@ -# Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration +# Copyright (C) 2002-2021 CERN for the benefit of the ATLAS collaboration from AthenaConfiguration.AllConfigFlags import ConfigFlags @@ -82,26 +82,26 @@ if not ConfigFlags.Input.isMC : if ConfigFlags.Trigger.EDMVersion == 3 : monitoring_bphys = [ - 'HLT_2mu4_bJpsimumu_L12MU4', - 'HLT_2mu4_bUpsimumu_L12MU4', - 'HLT_2mu4_bDimu_L12MU4', - 'HLT_mu6_mu4_bJpsimumu_L1MU6_2MU4', - 'HLT_mu6_mu4_bUpsimumu_L1MU6_2MU4', - 'HLT_mu6_mu4_bDimu_L1MU6_2MU4', - 'HLT_2mu6_bJpsimumu_L12MU6', - 'HLT_2mu6_bUpsimumu_L12MU6', - 'HLT_2mu6_bDimu_L12MU6', - 'HLT_mu11_mu6_bJpsimumu_L1MU11_2MU6', - 'HLT_mu11_mu6_bUpsimumu_L1MU11_2MU6', - 'HLT_mu11_mu6_bDimu_L1MU11_2MU6', - 'HLT_mu11_mu6_bPhi_L1MU11_2MU6', - 'HLT_mu11_mu6_bTau_L1MU11_2MU6', - 'HLT_mu11_mu6_bBmumu_L1MU11_2MU6', - 'HLT_mu11_mu6_bDimu2700_L1MU11_2MU6', - 'HLT_2mu4_bBmumux_BsmumuPhi_L12MU4', - 'HLT_mu6_mu4_bBmumux_BsmumuPhi_L1MU6_2MU4', - 'HLT_2mu4_bBmumux_BpmumuKp_L12MU4', - 'HLT_mu6_mu4_bBmumux_BpmumuKp_L1MU6_2MU4', + 'HLT_2mu4_bJpsimumu_L12MU3V', + 'HLT_2mu4_bUpsimumu_L12MU3V', + 'HLT_2mu4_bDimu_L12MU3V', + 'HLT_mu6_mu4_bJpsimumu_L1MU5VF_2MU3V', + 'HLT_mu6_mu4_bUpsimumu_L1MU5VF_2MU3V', + 'HLT_mu6_mu4_bDimu_L1MU5VF_2MU3V', + 'HLT_2mu6_bJpsimumu_L12MU5VF', + 'HLT_2mu6_bUpsimumu_L12MU5VF', + 'HLT_2mu6_bDimu_L12MU5VF', + 'HLT_mu11_mu6_bJpsimumu_L1MU8VF_2MU5VF', + 'HLT_mu11_mu6_bUpsimumu_L1MU8VF_2MU5VF', + 'HLT_mu11_mu6_bDimu_L1MU8VF_2MU5VF', + 'HLT_mu11_mu6_bPhi_L1MU8VF_2MU5VF', + 'HLT_mu11_mu6_bTau_L1MU8VF_2MU5VF', + 'HLT_mu11_mu6_bBmumu_L1MU8VF_2MU5VF', + 'HLT_mu11_mu6_bDimu2700_L1MU8VF_2MU5VF', + 'HLT_2mu4_bBmumux_BsmumuPhi_L12MU3V', + 'HLT_mu6_mu4_bBmumux_BsmumuPhi_L1MU5VF_2MU3V', + 'HLT_2mu4_bBmumux_BpmumuKp_L12MU3V', + 'HLT_mu6_mu4_bBmumux_BpmumuKp_L1MU5VF_2MU3V', ] primary_bphys = [ 'HLT_2mu4_bDimu_L12MU4', diff --git a/Trigger/TrigT1/L1CaloFEX/L1CaloFEXSim/L1CaloFEXSim/eFEXFormTOBs.h b/Trigger/TrigT1/L1CaloFEX/L1CaloFEXSim/L1CaloFEXSim/eFEXFormTOBs.h index 102f121f55aab5cc2803daff83ed4fa65fbb9301..36f415f48cefa432f3f90137561edac1ce7b9623 100644 --- a/Trigger/TrigT1/L1CaloFEX/L1CaloFEXSim/L1CaloFEXSim/eFEXFormTOBs.h +++ b/Trigger/TrigT1/L1CaloFEX/L1CaloFEXSim/L1CaloFEXSim/eFEXFormTOBs.h @@ -32,7 +32,7 @@ namespace LVL1 { /** Destructor */ virtual ~eFEXFormTOBs(); - virtual uint32_t formTauTOBWord(int &, int &, int &, unsigned int &) override; + virtual uint32_t formTauTOBWord(int &, int &, int &, unsigned int &, unsigned int &, unsigned int &, unsigned int &, unsigned int &) override; virtual uint32_t formEmTOBWord(int &, int &, int &, unsigned int &, unsigned int &, unsigned int &, unsigned int &, unsigned int &, unsigned int &) override; diff --git a/Trigger/TrigT1/L1CaloFEX/L1CaloFEXSim/L1CaloFEXSim/eFEXNtupleWriter.h b/Trigger/TrigT1/L1CaloFEX/L1CaloFEXSim/L1CaloFEXSim/eFEXNtupleWriter.h index 6e949dd098cc72947d17196cdf6a72c915604da9..88fe8ca3da6a7f239384faeffb14703e9877d0fe 100644 --- a/Trigger/TrigT1/L1CaloFEX/L1CaloFEXSim/L1CaloFEXSim/eFEXNtupleWriter.h +++ b/Trigger/TrigT1/L1CaloFEX/L1CaloFEXSim/L1CaloFEXSim/eFEXNtupleWriter.h @@ -76,7 +76,12 @@ private: std::vector<float> m_eg_RhadDen; // values from the tau algorithm - std::vector<float> m_tau_Iso; + std::vector<float> m_tau_realIso; + std::vector<float> m_tau_isoCore; + std::vector<float> m_tau_isoEnv; + std::vector<float> m_tau_isoWP; + std::vector<float> m_tau_seed; + std::vector<float> m_tau_und; std::vector<float> m_tau_Et; std::vector<float> m_tau_Eta; std::vector<float> m_tau_Phi; diff --git a/Trigger/TrigT1/L1CaloFEX/L1CaloFEXSim/L1CaloFEXSim/eFEXtauAlgo.h b/Trigger/TrigT1/L1CaloFEX/L1CaloFEXSim/L1CaloFEXSim/eFEXtauAlgo.h index 6bf401434950aea5820a5585fda83f01c2bd54f2..1ce96d39773c368fdb85e244ec647d20d7798463 100644 --- a/Trigger/TrigT1/L1CaloFEX/L1CaloFEXSim/L1CaloFEXSim/eFEXtauAlgo.h +++ b/Trigger/TrigT1/L1CaloFEX/L1CaloFEXSim/L1CaloFEXSim/eFEXtauAlgo.h @@ -48,7 +48,8 @@ namespace LVL1 { virtual bool isCentralTowerSeed() override; virtual eFEXtauTOB* getTauTOB() override; - virtual float getIso() override; + virtual void getRCore(std::vector<unsigned int> & rCoreVec) override; + virtual float getRealIso() override; virtual unsigned int getEt() override; virtual unsigned int getBitwiseEt() override; @@ -61,6 +62,7 @@ namespace LVL1 { void setSupercellSeed(); void setUnDAndOffPhi(); bool getUnD(); + unsigned int getSeed(); unsigned int m_em0cells[3][3]; unsigned int m_em1cells[12][3]; diff --git a/Trigger/TrigT1/L1CaloFEX/L1CaloFEXSim/share/gFEXDriverJobOptions.py b/Trigger/TrigT1/L1CaloFEX/L1CaloFEXSim/share/gFEXDriverJobOptions.py index f8921219e83b1b926623e8318d53cc315f882161..74806cbb534c8a305816aa93ce8c23befc45af01 100644 --- a/Trigger/TrigT1/L1CaloFEX/L1CaloFEXSim/share/gFEXDriverJobOptions.py +++ b/Trigger/TrigT1/L1CaloFEX/L1CaloFEXSim/share/gFEXDriverJobOptions.py @@ -34,8 +34,40 @@ DetFlags.detdescr.all_setOff() DetFlags.detdescr.Calo_setOn() include("RecExCond/AllDet_detDescr.py") +# menu with default configuration for testing +from AthenaConfiguration.ComponentAccumulator import CAtoGlobalWrapper +from AthenaConfiguration.AllConfigFlags import ConfigFlags +from TrigConfigSvc.TrigConfigSvcCfg import L1ConfigSvcCfg +CAtoGlobalWrapper(L1ConfigSvcCfg,ConfigFlags) + svcMgr += CfgMgr.THistSvc() svcMgr.THistSvc.Output += ["ANALYSIS DATAFILE='myfile.root' OPT='RECREATE'"] + + +from OutputStreamAthenaPool.MultipleStreamManager import MSMgr +StreamAOD_Augmented = MSMgr.NewPoolRootStream( "StreamAOD", "xAOD.gFEX.output.root" ) +StreamAOD = StreamAOD_Augmented.GetEventStream() + +# Generic event info +StreamAOD.ItemList+=["xAOD::EventInfo#*"] +StreamAOD.ItemList+=["xAOD::EventAuxInfo#*"] + +# # the gFex containers +StreamAOD.ItemList+=["xAOD::gFexJetRoIContainer#*"] +StreamAOD.ItemList+=["xAOD::gFexJetRoIAuxContainer#*"] +StreamAOD.ItemList+=["xAOD::gFexGlobalRoIContainer#*"] +StreamAOD.ItemList+=["xAOD::gFexGlobalRoIAuxContainer#*"] +StreamAOD.ItemList+=["xAOD::TriggerTowerContainer#*"] + +#Physics Objects +StreamAOD.ItemList+=["xAOD::JetContainer#*"] +StreamAOD.ItemList+=["xAOD::JetAuxContainer#*"] +StreamAOD.ItemList+=["xAOD::MissingETContainer#MET_Reference_AntiKt4EMTopo"] +StreamAOD.ItemList+=["xAOD::MissingETAuxContainer#MET_Reference_AntiKt4EMTopoAux.-ConstitObjectLinks.-ConstitObjectWeights"] + + + + ####################################################### log.info("==========================================================") log.info("Scheduling gFEXDriver") diff --git a/Trigger/TrigT1/L1CaloFEX/L1CaloFEXSim/src/eFEXFPGA.cxx b/Trigger/TrigT1/L1CaloFEX/L1CaloFEXSim/src/eFEXFPGA.cxx index 2da55681ebbaf754ab7931797654977bd7110e8a..3454d1636085da698872bcaba83a91118e812d72 100644 --- a/Trigger/TrigT1/L1CaloFEX/L1CaloFEXSim/src/eFEXFPGA.cxx +++ b/Trigger/TrigT1/L1CaloFEX/L1CaloFEXSim/src/eFEXFPGA.cxx @@ -98,6 +98,7 @@ StatusCode eFEXFPGA::execute(eFEXOutputCollection* inputOutputCollection){ ATH_CHECK(l1Menu.isValid()); auto & thr_eEM = l1Menu->thrExtraInfo().eEM(); + auto & thr_eTAU = l1Menu->thrExtraInfo().eTAU(); for(int ieta = 1; ieta < 5; ieta++) { for(int iphi = 1; iphi < 9; iphi++) { @@ -212,7 +213,6 @@ StatusCode eFEXFPGA::execute(eFEXOutputCollection* inputOutputCollection){ } } - // --------------- TAU ------------- for(int ieta = 1; ieta < 5; ieta++) { @@ -229,14 +229,53 @@ StatusCode eFEXFPGA::execute(eFEXOutputCollection* inputOutputCollection){ if (!m_eFEXtauAlgoTool->isCentralTowerSeed()){ continue; } + // the minimum energy to send to topo (not eta dependent yet, but keep inside loop as it will be eventually?) + unsigned int ptTauMinToTopoCounts = 0; + ptTauMinToTopoCounts = thr_eTAU.ptMinToTopoCounts(); + // Get Et of eFEX tau object in internal units (25 MeV) unsigned int eTauTobEt = 0; eTauTobEt = m_eFEXtauAlgoTool->getEt(); + // thresholds from Trigger menu + auto iso_loose = thr_eTAU.isolation(TrigConf::Selection::WP::LOOSE, ieta); + auto iso_medium = thr_eTAU.isolation(TrigConf::Selection::WP::MEDIUM, ieta); + auto iso_tight = thr_eTAU.isolation(TrigConf::Selection::WP::TIGHT, ieta); + + std::vector<unsigned int> threshRCore; + threshRCore.push_back(iso_loose.rCore_fw()); + threshRCore.push_back(iso_medium.rCore_fw()); + threshRCore.push_back(iso_tight.rCore_fw()); + + // Get isolation values + std::vector<unsigned int> rCoreVec; + m_eFEXtauAlgoTool->getRCore(rCoreVec); + + // Set isolation WP + unsigned int rCoreWP = 0; + + // Isolation bitshift value + unsigned int RcoreBitS = 3; + + SetIsoWP(rCoreVec,threshRCore,rCoreWP,RcoreBitS); + + // Currently only one WP defined for tau iso, decided to set as Medium WP for freedom to add looser and tighter WPs in the future + if (rCoreWP > 2) { + rCoreWP = 1; + } + + unsigned int seed = 0; + seed = m_eFEXtauAlgoTool->getSeed(); + // Seed as returned is supercell value within 3x3 area, here want it within central cell + seed = seed - 4; + + unsigned int und = 0; + und = m_eFEXtauAlgoTool->getUnD(); + int eta_ind = ieta; // No need to offset eta index with new 0-5 convention int phi_ind = iphi - 1; - uint32_t tobword = m_eFEXFormTOBsTool->formTauTOBWord(m_id, eta_ind, phi_ind, eTauTobEt); + uint32_t tobword = m_eFEXFormTOBsTool->formTauTOBWord(m_id, eta_ind, phi_ind, eTauTobEt, rCoreWP, seed, und, ptTauMinToTopoCounts); if ( tobword != 0 ) m_tauTobwords.push_back(tobword); // for plotting @@ -248,7 +287,12 @@ StatusCode eFEXFPGA::execute(eFEXOutputCollection* inputOutputCollection){ const LVL1::eTower * centerTower = jk_eFEXFPGA_eTowerContainer->findTower(m_eTowersIDs[iphi][ieta]); inputOutputCollection->addValue_tau("FloatEta", centerTower->eta() * centerTower->getPosNeg()); inputOutputCollection->addValue_tau("FloatPhi", centerTower->phi()); - inputOutputCollection->addValue_tau("Iso", m_eFEXtauAlgoTool->getIso()); + inputOutputCollection->addValue_tau("IsoCore", rCoreVec[0]); + inputOutputCollection->addValue_tau("IsoEnv", rCoreVec[1]); + inputOutputCollection->addValue_tau("RealIso", m_eFEXtauAlgoTool->getRealIso()); + inputOutputCollection->addValue_tau("IsoWP", rCoreWP); + inputOutputCollection->addValue_tau("Seed", seed); + inputOutputCollection->addValue_tau("UnD", und); inputOutputCollection->fill_tau(); } diff --git a/Trigger/TrigT1/L1CaloFEX/L1CaloFEXSim/src/eFEXFormTOBs.cxx b/Trigger/TrigT1/L1CaloFEX/L1CaloFEXSim/src/eFEXFormTOBs.cxx index 91d6a6c3dc17a6c469936ae9db61bdeeecbda308..e6633e154f9eb97b4a4bb80e886ba28dee98aa5d 100644 --- a/Trigger/TrigT1/L1CaloFEX/L1CaloFEXSim/src/eFEXFormTOBs.cxx +++ b/Trigger/TrigT1/L1CaloFEX/L1CaloFEXSim/src/eFEXFormTOBs.cxx @@ -31,8 +31,9 @@ StatusCode eFEXFormTOBs::initialize() return StatusCode::SUCCESS; } -uint32_t eFEXFormTOBs::formTauTOBWord(int & fpga, int & eta, int & phi, unsigned int & et) +uint32_t eFEXFormTOBs::formTauTOBWord(int & fpga, int & eta, int & phi, unsigned int & et, unsigned int & iso, unsigned int & seed, unsigned int & und, unsigned int & ptMinTopo) { + uint32_t tobWord = 0; //rescale from 25 MeV eFEX steps to 100 MeV for the TOB @@ -43,12 +44,11 @@ uint32_t eFEXFormTOBs::formTauTOBWord(int & fpga, int & eta, int & phi, unsigned if (etTob > 0xfff) etTob = 0xfff; // Create bare minimum tob word with et, eta, phi, and fpga index, bitshifted to the appropriate locations - tobWord = tobWord + (fpga << 30) + (eta << 27) + (phi << 24) + etTob; + tobWord = tobWord + (fpga << 30) + (eta << 27) + (phi << 24) + (iso << 18) + (seed << 16) + (und << 15) + etTob; ATH_MSG_DEBUG("Tau tobword: " << std::bitset<32>(tobWord) ); - // Some arbitrary cut so that we're not flooded with tobs, to be taken from the Trigger menu in the future! - unsigned int minEtThreshold = 30; + unsigned int minEtThreshold = ptMinTopo; if (etTob < minEtThreshold) return 0; else return tobWord; } diff --git a/Trigger/TrigT1/L1CaloFEX/L1CaloFEXSim/src/eFEXNtupleWriter.cxx b/Trigger/TrigT1/L1CaloFEX/L1CaloFEXSim/src/eFEXNtupleWriter.cxx index 05c47f3fa7704ead895cb9edb92edab602813fe8..91646fadd0ca12c26c7203419b4034cc7c79f216 100644 --- a/Trigger/TrigT1/L1CaloFEX/L1CaloFEXSim/src/eFEXNtupleWriter.cxx +++ b/Trigger/TrigT1/L1CaloFEX/L1CaloFEXSim/src/eFEXNtupleWriter.cxx @@ -63,7 +63,12 @@ StatusCode LVL1::eFEXNtupleWriter::initialize () { m_myTree->Branch ("eg_rhadnum", &m_eg_RhadNum); m_myTree->Branch ("eg_rhadden", &m_eg_RhadDen); m_myTree->Branch ("eg_haveSeed", &m_eg_haveseed); - m_myTree->Branch ("tau_Iso", &m_tau_Iso); + m_myTree->Branch ("tau_RealIso", &m_tau_realIso); + m_myTree->Branch ("tau_IsoCore", &m_tau_isoCore); + m_myTree->Branch ("tau_IsoEnv", &m_tau_isoEnv); + m_myTree->Branch ("tau_IsoWP", &m_tau_isoWP); + m_myTree->Branch ("tau_Seed", &m_tau_seed); + m_myTree->Branch ("tau_UnD", &m_tau_und); m_myTree->Branch ("tau_Et", &m_tau_Et); m_myTree->Branch ("tau_Eta", &m_tau_Eta); m_myTree->Branch ("tau_Phi", &m_tau_Phi); @@ -117,7 +122,12 @@ StatusCode LVL1::eFEXNtupleWriter::finalize () { } StatusCode LVL1::eFEXNtupleWriter::loadtauAlgoVariables(SG::ReadHandle<LVL1::eFEXOutputCollection> eFEXOutputCollectionobj) { - m_tau_Iso.clear(); + m_tau_realIso.clear(); + m_tau_isoCore.clear(); + m_tau_isoEnv.clear(); + m_tau_isoWP.clear(); + m_tau_seed.clear(); + m_tau_und.clear(); m_tau_Et.clear(); m_tau_Eta.clear(); m_tau_Phi.clear(); @@ -132,7 +142,12 @@ StatusCode LVL1::eFEXNtupleWriter::loadtauAlgoVariables(SG::ReadHandle<LVL1::eFE m_tau_Phi.push_back((*(eFEXOutputCollectionobj->get_tau(i)))["Phi"]); m_tau_floatEta.push_back((*(eFEXOutputCollectionobj->get_tau(i)))["FloatEta"]); m_tau_floatPhi.push_back((*(eFEXOutputCollectionobj->get_tau(i)))["FloatPhi"]); - m_tau_Iso.push_back((*(eFEXOutputCollectionobj->get_tau(i)))["Iso"]); + m_tau_realIso.push_back((*(eFEXOutputCollectionobj->get_tau(i)))["RealIso"]); + m_tau_isoCore.push_back((*(eFEXOutputCollectionobj->get_tau(i)))["IsoCore"]); + m_tau_isoEnv.push_back((*(eFEXOutputCollectionobj->get_tau(i)))["IsoEnv"]); + m_tau_isoWP.push_back((*(eFEXOutputCollectionobj->get_tau(i)))["IsoWP"]); + m_tau_seed.push_back((*(eFEXOutputCollectionobj->get_tau(i)))["Seed"]); + m_tau_und.push_back((*(eFEXOutputCollectionobj->get_tau(i)))["UnD"]); } return StatusCode::SUCCESS; } diff --git a/Trigger/TrigT1/L1CaloFEX/L1CaloFEXSim/src/eFEXtauAlgo.cxx b/Trigger/TrigT1/L1CaloFEX/L1CaloFEXSim/src/eFEXtauAlgo.cxx index a862c9f03bf39e2c71364670e09a83b06768cdd8..363fc6815b58aedb93ceab9547ebf0e0eb2826a7 100644 --- a/Trigger/TrigT1/L1CaloFEX/L1CaloFEXSim/src/eFEXtauAlgo.cxx +++ b/Trigger/TrigT1/L1CaloFEX/L1CaloFEXSim/src/eFEXtauAlgo.cxx @@ -63,7 +63,7 @@ LVL1::eFEXtauTOB *LVL1::eFEXtauAlgo::getTauTOB() unsigned int et = getEt(); tob->setEt(et); tob->setBitwiseEt(getBitwiseEt()); - tob->setIso(getIso()); + tob->setIso(getRealIso()); tob->setSeedUnD(getUnD()); return tob; } @@ -75,23 +75,22 @@ void LVL1::eFEXtauAlgo::buildLayers() SG::ReadHandle<eTowerContainer> jk_eFEXtauAlgo_eTowerContainer(m_eFEXtauAlgo_eTowerContainerKey/*,ctx*/); for(unsigned int ieta = 0; ieta < 3; ieta++) + { + for(unsigned int iphi = 0; iphi < 3; iphi++) { - for(unsigned int iphi = 0; iphi < 3; iphi++) - { const LVL1::eTower * tmpTower = jk_eFEXtauAlgo_eTowerContainer->findTower(m_eFexalgoTowerID[iphi][ieta]); m_twrcells[ieta][iphi] = tmpTower->getTotalET(); m_em0cells[ieta][iphi] = tmpTower->getLayerTotalET(0); m_em3cells[ieta][iphi] = tmpTower->getLayerTotalET(3); m_hadcells[ieta][iphi] = tmpTower->getLayerTotalET(4); for(unsigned int i = 0; i < 4; i++) - { - m_em1cells[4 * ieta + i][iphi] = tmpTower->getET(1, i); - m_em2cells[4 * ieta + i][iphi] = tmpTower->getET(2, i); - } - } + { + m_em1cells[4 * ieta + i][iphi] = tmpTower->getET(1, i); + m_em2cells[4 * ieta + i][iphi] = tmpTower->getET(2, i); + } } + } m_cellsSet = true; - } // Check if central tower qualifies as a seed tower for the tau algorithm @@ -107,8 +106,8 @@ bool LVL1::eFEXtauAlgo::isCentralTowerSeed() // Get central tower ET unsigned int centralET = m_twrcells[1][1]; - // Enforce minimum of 1 GeV in central tower - if (centralET < 1000.){ + // Enforce minimum of 1 GeV in central tower = 40 in 25 MeV increments + if (centralET < 40){ out = false; } @@ -124,11 +123,12 @@ bool LVL1::eFEXtauAlgo::isCentralTowerSeed() // Cells to the up and right must have strictly lesser ET if (((beta == 0) && (bphi == 0)) || ((beta == 1) && (bphi == 0)) || ((beta == 2) && (bphi == 0)) || ((beta == 2) && (bphi == 1))) - { - if (centralET <= m_twrcells[beta][bphi]){ - out = false; - } - } + { + if (centralET <= m_twrcells[beta][bphi]) + { + out = false; + } + } } } @@ -190,8 +190,43 @@ unsigned int LVL1::eFEXtauAlgo::getEt() return out; } -// Calculate isolation variable -float LVL1::eFEXtauAlgo::getIso() +void LVL1::eFEXtauAlgo::getRCore(std::vector<unsigned int> & rCoreVec) +{ + if (m_cellsSet == false){ + ATH_MSG_DEBUG("Layers not built, cannot calculate isolation."); + } + + unsigned int core = 0; + + core += m_em2cells[m_seed][1]; + core += m_em2cells[m_seed + 1][1]; + core += m_em2cells[m_seed - 1][1]; + core += m_em2cells[m_seed][m_offPhi]; + core += m_em2cells[m_seed + 1][m_offPhi]; + core += m_em2cells[m_seed - 1][m_offPhi]; + + unsigned int env = 0; + + env += m_em2cells[m_seed + 2][1]; + env += m_em2cells[m_seed - 2][1]; + env += m_em2cells[m_seed + 3][1]; + env += m_em2cells[m_seed - 3][1]; + env += m_em2cells[m_seed + 4][1]; + env += m_em2cells[m_seed - 4][1]; + env += m_em2cells[m_seed + 2][m_offPhi]; + env += m_em2cells[m_seed - 2][m_offPhi]; + env += m_em2cells[m_seed + 3][m_offPhi]; + env += m_em2cells[m_seed - 3][m_offPhi]; + env += m_em2cells[m_seed + 4][m_offPhi]; + env += m_em2cells[m_seed - 4][m_offPhi]; + + rCoreVec.push_back(core); + rCoreVec.push_back(env); + +} + +// Calculate float isolation variable +float LVL1::eFEXtauAlgo::getRealIso() { if (m_cellsSet == false){ ATH_MSG_DEBUG("Layers not built, cannot accurately calculate isolation."); @@ -221,7 +256,7 @@ float LVL1::eFEXtauAlgo::getIso() isoOuter += m_em2cells[m_seed + 4][m_offPhi]; isoOuter += m_em2cells[m_seed - 4][m_offPhi]; - float out = isoOuter ? (float)isoInner / (float)isoOuter : (float)isoInner; + float out = isoOuter ? (float)isoInner / (float)isoOuter : 0; return out; } @@ -279,3 +314,7 @@ bool LVL1::eFEXtauAlgo::getUnD() return m_und; } +unsigned int LVL1::eFEXtauAlgo::getSeed() +{ + return m_seed; +} diff --git a/Trigger/TrigT1/L1CaloFEXToolInterfaces/L1CaloFEXToolInterfaces/IeFEXFormTOBs.h b/Trigger/TrigT1/L1CaloFEXToolInterfaces/L1CaloFEXToolInterfaces/IeFEXFormTOBs.h index b32431e1f33bf000d55a20a6c38bfdc0a70da981..8aa56357fb44296e0b8de034a21fac8e98c82864 100644 --- a/Trigger/TrigT1/L1CaloFEXToolInterfaces/L1CaloFEXToolInterfaces/IeFEXFormTOBs.h +++ b/Trigger/TrigT1/L1CaloFEXToolInterfaces/L1CaloFEXToolInterfaces/IeFEXFormTOBs.h @@ -26,7 +26,7 @@ Interface definition for eFEXFormTOBs public: static const InterfaceID& interfaceID( ) ; - virtual uint32_t formTauTOBWord(int &, int &, int &, unsigned int &) = 0; + virtual uint32_t formTauTOBWord(int &, int &, int &, unsigned int &, unsigned int &, unsigned int &, unsigned int &, unsigned int &) = 0; virtual uint32_t formEmTOBWord(int &, int &, int &, unsigned int &, unsigned int &, unsigned int &, unsigned int &, unsigned int &, unsigned int &) = 0; diff --git a/Trigger/TrigT1/L1CaloFEXToolInterfaces/L1CaloFEXToolInterfaces/IeFEXtauAlgo.h b/Trigger/TrigT1/L1CaloFEXToolInterfaces/L1CaloFEXToolInterfaces/IeFEXtauAlgo.h index e52c3d575edcc274e1e0d988a02ff0c809391333..6f4eb4f6b1130f38a5b51633fac2ed2ff0cbea4b 100644 --- a/Trigger/TrigT1/L1CaloFEXToolInterfaces/L1CaloFEXToolInterfaces/IeFEXtauAlgo.h +++ b/Trigger/TrigT1/L1CaloFEXToolInterfaces/L1CaloFEXToolInterfaces/IeFEXtauAlgo.h @@ -33,9 +33,12 @@ Interface definition for eFEXtauAlgo virtual bool isCentralTowerSeed() = 0; virtual eFEXtauTOB* getTauTOB() = 0; - virtual float getIso() = 0; + virtual void getRCore(std::vector<unsigned int> & rCoreVec) = 0; + virtual float getRealIso() = 0; virtual unsigned int getEt() = 0; virtual unsigned int getBitwiseEt() = 0; + virtual bool getUnD() = 0; + virtual unsigned int getSeed() = 0; private: diff --git a/Trigger/TrigT1/TrigT1NSW/src/NSWL1Simulation.cxx b/Trigger/TrigT1/TrigT1NSW/src/NSWL1Simulation.cxx index 8a082a4ec6971d50766c6586925ff6c0e5c1332f..382a5ec2aeedc5ddd5c2d9d9613383b42825e137 100644 --- a/Trigger/TrigT1/TrigT1NSW/src/NSWL1Simulation.cxx +++ b/Trigger/TrigT1/TrigT1NSW/src/NSWL1Simulation.cxx @@ -174,10 +174,10 @@ namespace NSWL1 { const Muon::NSW_PadTriggerDataContainer* padTriggerContainer; ATH_CHECK(evtStore()->retrieve(padTriggerContainer, m_padTriggerRdoKey.key())); ATH_MSG_DEBUG("Pad Trigger Container size: " << padTriggerContainer->size()); - for (const auto &padTriggerData : *padTriggerContainer) + for (const Muon::NSW_PadTriggerData* padTriggerData : *padTriggerContainer) { ATH_MSG_DEBUG(" " << *padTriggerData); - for (const auto & padTriggerSegment : *padTriggerData) + for (const Muon::NSW_PadTriggerSegment* padTriggerSegment : *padTriggerData) { ATH_MSG_DEBUG(" " << *padTriggerSegment); } diff --git a/Trigger/TrigT1/TrigT1ResultByteStream/python/TrigT1ResultByteStreamConfig.py b/Trigger/TrigT1/TrigT1ResultByteStream/python/TrigT1ResultByteStreamConfig.py index 679327dad451893192904c070c97d1edb4b05079..f98578da96084c7e4b59bd63407b9264ee312d25 100644 --- a/Trigger/TrigT1/TrigT1ResultByteStream/python/TrigT1ResultByteStreamConfig.py +++ b/Trigger/TrigT1/TrigT1ResultByteStream/python/TrigT1ResultByteStreamConfig.py @@ -144,18 +144,11 @@ def L1TriggerByteStreamDecoderCfg(flags): acc.addEventAlgo(decoderAlg, primary=True) # The decoderAlg needs to load ByteStreamMetadata for the detector mask - # - # FIXME: BS metadata is unavailable in start() in offline athenaMT, - # but it works in athenaHLT (online) and in offline serial athena - # - keep the detector mask check only for online until an offline solution is found - if flags.Trigger.Online.isPartition: - from TriggerJobOpts.TriggerByteStreamConfig import ByteStreamReadCfg - readBSAcc = ByteStreamReadCfg(flags) - readBSAcc.getEventAlgo('SGInputLoader').Load += [ - ('ByteStreamMetadataContainer', 'InputMetaDataStore+ByteStreamMetadata')] - acc.merge(readBSAcc) - else: - decoderAlg.ByteStreamMetadataRHKey = "" + from TriggerJobOpts.TriggerByteStreamConfig import ByteStreamReadCfg + readBSAcc = ByteStreamReadCfg(flags) + readBSAcc.getEventAlgo('SGInputLoader').Load += [ + ('ByteStreamMetadataContainer', 'InputMetaDataStore+ByteStreamMetadata')] + acc.merge(readBSAcc) Configurable.configurableRun3Behavior = cb return acc diff --git a/Trigger/TriggerCommon/TriggerJobOpts/python/TriggerConfig.py b/Trigger/TriggerCommon/TriggerJobOpts/python/TriggerConfig.py index f125d14b330483d5143ec63dc477b4843188f747..488d8984e69952c5044a799b7c75ffacc4d10daa 100644 --- a/Trigger/TriggerCommon/TriggerJobOpts/python/TriggerConfig.py +++ b/Trigger/TriggerCommon/TriggerJobOpts/python/TriggerConfig.py @@ -627,16 +627,17 @@ def triggerRunCfg( flags, menu=None ): # to be updated when reco code is ready to be used by new JO from AthenaCommon.Configurable import Configurable - if Configurable.configurableRun3Behavior == 0: + if Configurable.configurableRun3Behavior == 0 and flags.Trigger.endOfEventProcessing.Enabled: from TrigGenericAlgs.TrigGenericAlgsConfig import EndOfEventROIConfirmerAlgCfg - from TriggerMenuMT.HLTMenuConfig.CalibCosmicMon.CalibChainConfiguration import getLArNoiseBurstEndOfEvent - recoSeq, LArNBRoIs = getLArNoiseBurstEndOfEvent() endOfEventAlg = conf2toConfigurable(EndOfEventROIConfirmerAlgCfg('EndOfEventROIConfirmerAlg')) - endOfEventAlg.RoIs = [LArNBRoIs] acc.addEventAlgo( endOfEventAlg, sequenceName="HLTFinalizeSeq" ) - acc.addSequence( parOR("acceptedEventSeq"), parentName="HLTFinalizeSeq" ) - acc.merge( recoSeq, sequenceName="acceptedEventSeq" ) - + if flags.Trigger.endOfEventProcessing.doLArNoiseBurst: + from TriggerMenuMT.HLTMenuConfig.CalibCosmicMon.CalibChainConfiguration import getLArNoiseBurstEndOfEvent + recoSeq, LArNBRoIs = getLArNoiseBurstEndOfEvent() + endOfEventAlg.RoIs = [LArNBRoIs] + acc.addSequence( parOR("acceptedEventSeq"), parentName="HLTFinalizeSeq" ) + acc.merge( recoSeq, sequenceName="acceptedEventSeq" ) + #once menu is included we should configure monitoring here as below hltSeedingAlg = hltSeedingAcc.getEventAlgo("HLTSeeding") diff --git a/Trigger/TriggerCommon/TriggerJobOpts/python/TriggerConfigFlags.py b/Trigger/TriggerCommon/TriggerJobOpts/python/TriggerConfigFlags.py index a52be4b8b223a4c0e5ebce4576129a433e99c180..ad7cc305f5aff70f6fc821fcf1f300f841b789d2 100644 --- a/Trigger/TriggerCommon/TriggerJobOpts/python/TriggerConfigFlags.py +++ b/Trigger/TriggerCommon/TriggerJobOpts/python/TriggerConfigFlags.py @@ -197,6 +197,11 @@ def createTriggerFlags(): # name of the trigger menu flags.addFlag('Trigger.generateMenuDiagnostics', False) + # Switch whether end-of-event sequence running extra algorithms for accepted events should be added + flags.addFlag('Trigger.endOfEventProcessing.Enabled', True) + # Run the LArNoiseBurst algorithms in the end-of-event sequence + flags.addFlag('Trigger.endOfEventProcessing.doLArNoiseBurst', True) + # trigger reconstruction # enables the correction for pileup in cell energy calibration (should it be moved to some place where other calo flags are defined?) diff --git a/Trigger/TriggerCommon/TriggerMenuMT/python/CFtest/generateCFChains.py b/Trigger/TriggerCommon/TriggerMenuMT/python/CFtest/generateCFChains.py index ad152fc7328d6957bc03f8ff1a17092a01d87b95..7551d39f5d1918a877f141a46dbd9efbf3a54538 100644 --- a/Trigger/TriggerCommon/TriggerMenuMT/python/CFtest/generateCFChains.py +++ b/Trigger/TriggerCommon/TriggerMenuMT/python/CFtest/generateCFChains.py @@ -22,7 +22,7 @@ def generateCFChains(opt): # egamma chains ################################################################## if opt.doEgammaSlice is True: - from TriggerMenuMT.HLTMenuConfig.Egamma.ElectronChainConfiguration import electronFastCaloCfg, fastElectronSequenceCfg, precisionCaloSequenceCfg + from TriggerMenuMT.HLTMenuConfig.Electron.ElectronChainConfiguration import electronFastCaloCfg, fastElectronSequenceCfg, precisionCaloSequenceCfg fastCaloSeq = RecoFragmentsPool.retrieve( electronFastCaloCfg, None ) electronSeq = RecoFragmentsPool.retrieve( fastElectronSequenceCfg, None ) precisionCaloSeq = RecoFragmentsPool.retrieve( precisionCaloSequenceCfg, None ) @@ -39,7 +39,7 @@ def generateCFChains(opt): ] menu.chainsInMenu['Egamma'] += electronChains - from TriggerMenuMT.HLTMenuConfig.Egamma.PhotonChainConfiguration import fastPhotonCaloSequenceCfg, fastPhotonSequenceCfg, precisionPhotonCaloSequenceCfg + from TriggerMenuMT.HLTMenuConfig.Photon.PhotonChainConfiguration import fastPhotonCaloSequenceCfg, fastPhotonSequenceCfg, precisionPhotonCaloSequenceCfg fastCaloSeq = RecoFragmentsPool.retrieve( fastPhotonCaloSequenceCfg, None ) fastPhotonSeq = RecoFragmentsPool.retrieve( fastPhotonSequenceCfg, None ) precisionCaloPhotonSeq = RecoFragmentsPool.retrieve( precisionPhotonCaloSequenceCfg, None) @@ -258,7 +258,7 @@ def generateCFChains(opt): # combined chains ################################################################## if opt.doCombinedSlice is True: - from TriggerMenuMT.HLTMenuConfig.Egamma.ElectronChainConfiguration import electronFastCaloCfg + from TriggerMenuMT.HLTMenuConfig.Electron.ElectronChainConfiguration import electronFastCaloCfg fastCaloSeq = RecoFragmentsPool.retrieve( electronFastCaloCfg, None ) from TriggerMenuMT.HLTMenuConfig.Muon.MuonMenuSequences import muFastSequence diff --git a/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Egamma/GenerateElectronChainDefs.py b/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Egamma/GenerateElectronChainDefs.py index 3ee7ad3cd786e3eeaacb5bf4e525bf32ef7c1899..7ff4c4f248982a900d3e338e385bfe43e4c789f9 100644 --- a/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Egamma/GenerateElectronChainDefs.py +++ b/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Egamma/GenerateElectronChainDefs.py @@ -1,7 +1,7 @@ # Copyright (C) 2002-2019 CERN for the benefit of the ATLAS collaboration from ..Menu.ChainDictTools import splitChainDict -from .ElectronChainConfiguration import ElectronChainConfiguration +from ..Electron.ElectronChainConfiguration import ElectronChainConfiguration from ..Menu.ChainMerging import mergeChainDefs import pprint diff --git a/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Egamma/GeneratePhotonChainDefs.py b/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Egamma/GeneratePhotonChainDefs.py index ebeb216494520975b268a9fd2a2241454e77a021..56144e9c2d7ffe60f541d7f7d80c21169aede1b6 100644 --- a/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Egamma/GeneratePhotonChainDefs.py +++ b/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Egamma/GeneratePhotonChainDefs.py @@ -2,7 +2,7 @@ from ..Menu.ChainDictTools import splitChainDict from ..Menu.ChainMerging import mergeChainDefs -from .PhotonChainConfiguration import PhotonChainConfiguration +from ..Photon.PhotonChainConfiguration import PhotonChainConfiguration import pprint from AthenaCommon.Logging import logging diff --git a/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Egamma/ElectronChainConfiguration.py b/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Electron/ElectronChainConfiguration.py similarity index 95% rename from Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Egamma/ElectronChainConfiguration.py rename to Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Electron/ElectronChainConfiguration.py index 001b12927d0c9b2675ef00918f3bf1b8693bb27a..07f354dd15b91368677d75be955eed00d09ffa9f 100644 --- a/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Egamma/ElectronChainConfiguration.py +++ b/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Electron/ElectronChainConfiguration.py @@ -10,16 +10,16 @@ from ..CommonSequences.CaloSequences import fastCaloMenuSequence from ..CommonSequences.CaloSequences_FWD import fastCaloMenuSequence_FWD -from .FastElectronMenuSequences import fastElectronMenuSequence -from .FastElectronMenuSequences_LRT import fastElectronMenuSequence_LRT -from .PrecisionCaloMenuSequences import precisionCaloMenuSequence -from .PrecisionCaloMenuSequences_LRT import precisionCaloMenuSequence_LRT -from .PrecisionCaloMenuSequences_FWD import precisionCaloMenuSequence_FWD -from .PrecisionElectronMenuSequences import precisionElectronMenuSequence -from .PrecisionElectronMenuSequences_GSF import precisionElectronMenuSequence_GSF -from .PrecisionElectronMenuSequences_LRT import precisionElectronMenuSequence_LRT -from .PrecisionTrackingMenuSequences import precisionTrackingMenuSequence -from .PrecisionTrackingMenuSequences_LRT import precisionTrackingMenuSequence_LRT +from ..Electron.FastElectronMenuSequences import fastElectronMenuSequence +from ..Electron.FastElectronMenuSequences_LRT import fastElectronMenuSequence_LRT +from ..Egamma.PrecisionCaloMenuSequences import precisionCaloMenuSequence +from ..Egamma.PrecisionCaloMenuSequences_LRT import precisionCaloMenuSequence_LRT +from ..Egamma.PrecisionCaloMenuSequences_FWD import precisionCaloMenuSequence_FWD +from ..Electron.PrecisionElectronMenuSequences import precisionElectronMenuSequence +from ..Electron.PrecisionElectronMenuSequences_GSF import precisionElectronMenuSequence_GSF +from ..Electron.PrecisionElectronMenuSequences_LRT import precisionElectronMenuSequence_LRT +from ..Electron.PrecisionTrackingMenuSequences import precisionTrackingMenuSequence +from ..Electron.PrecisionTrackingMenuSequences_LRT import precisionTrackingMenuSequence_LRT from TrigBphysHypo.TrigMultiTrkComboHypoConfig import StreamerNoMuonDiElecFastComboHypoCfg, NoMuonDiElecPrecisionComboHypoCfg, StreamerDiElecFastComboHypoCfg, DiElecPrecisionComboHypoCfg, TrigMultiTrkComboHypoToolFromDict diff --git a/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Egamma/FastElectronMenuSequences.py b/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Electron/FastElectronMenuSequences.py similarity index 100% rename from Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Egamma/FastElectronMenuSequences.py rename to Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Electron/FastElectronMenuSequences.py diff --git a/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Egamma/FastElectronMenuSequences_LRT.py b/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Electron/FastElectronMenuSequences_LRT.py similarity index 100% rename from Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Egamma/FastElectronMenuSequences_LRT.py rename to Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Electron/FastElectronMenuSequences_LRT.py diff --git a/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Egamma/PrecisionElectronMenuSequences.py b/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Electron/PrecisionElectronMenuSequences.py similarity index 100% rename from Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Egamma/PrecisionElectronMenuSequences.py rename to Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Electron/PrecisionElectronMenuSequences.py diff --git a/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Egamma/PrecisionElectronMenuSequences_GSF.py b/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Electron/PrecisionElectronMenuSequences_GSF.py similarity index 100% rename from Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Egamma/PrecisionElectronMenuSequences_GSF.py rename to Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Electron/PrecisionElectronMenuSequences_GSF.py diff --git a/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Egamma/PrecisionElectronMenuSequences_LRT.py b/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Electron/PrecisionElectronMenuSequences_LRT.py similarity index 100% rename from Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Egamma/PrecisionElectronMenuSequences_LRT.py rename to Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Electron/PrecisionElectronMenuSequences_LRT.py diff --git a/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Egamma/PrecisionTrackingMenuSequences.py b/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Electron/PrecisionTrackingMenuSequences.py similarity index 100% rename from Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Egamma/PrecisionTrackingMenuSequences.py rename to Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Electron/PrecisionTrackingMenuSequences.py diff --git a/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Egamma/PrecisionTrackingMenuSequences_LRT.py b/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Electron/PrecisionTrackingMenuSequences_LRT.py similarity index 100% rename from Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Egamma/PrecisionTrackingMenuSequences_LRT.py rename to Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Electron/PrecisionTrackingMenuSequences_LRT.py diff --git a/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Menu/HLTCFConfig.py b/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Menu/HLTCFConfig.py index 8355dae3ac942b5a4b3f4ac59ad1c9e913a721fe..8b0982847d1f10faec77a1611ea44cec40125cf6 100644 --- a/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Menu/HLTCFConfig.py +++ b/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Menu/HLTCFConfig.py @@ -193,15 +193,17 @@ def makeHLTTree(newJO=False, triggerConfigHLT = None): # B) Then (if true), we run the accepted event algorithms. # Add any required algs to hltFinalizeSeq here - from TrigGenericAlgs.TrigGenericAlgsConfig import EndOfEventROIConfirmerAlgCfg - from TriggerMenuMT.HLTMenuConfig.CalibCosmicMon.CalibChainConfiguration import getLArNoiseBurstEndOfEvent - recoSeq, LArNBRoIs = getLArNoiseBurstEndOfEvent() - endOfEventAlg = conf2toConfigurable(EndOfEventROIConfirmerAlgCfg('EndOfEventROIConfirmerAlg')) - endOfEventAlg.RoIs = [LArNBRoIs] - hltFinalizeSeq += endOfEventAlg - acceptedEventSeq = parOR('acceptedEventSeq') - acceptedEventSeq += conf2toConfigurable(recoSeq) - hltFinalizeSeq += conf2toConfigurable(acceptedEventSeq) + if ConfigFlags.Trigger.endOfEventProcessing.Enabled: + from TrigGenericAlgs.TrigGenericAlgsConfig import EndOfEventROIConfirmerAlgCfg + endOfEventAlg = conf2toConfigurable(EndOfEventROIConfirmerAlgCfg('EndOfEventROIConfirmerAlg')) + hltFinalizeSeq += endOfEventAlg + if ConfigFlags.Trigger.endOfEventProcessing.doLArNoiseBurst: + from TriggerMenuMT.HLTMenuConfig.CalibCosmicMon.CalibChainConfiguration import getLArNoiseBurstEndOfEvent + recoSeq, LArNBRoIs = getLArNoiseBurstEndOfEvent() + endOfEventAlg.RoIs = [LArNBRoIs] + acceptedEventSeq = parOR('acceptedEventSeq') + acceptedEventSeq += conf2toConfigurable(recoSeq) + hltFinalizeSeq += conf2toConfigurable(acceptedEventSeq) # More collections required to configure the algs below decObj = collectDecisionObjects( hypos, filters, hltSeeding, summaryAlg ) diff --git a/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Egamma/FastPhotonMenuSequences.py b/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Photon/FastPhotonMenuSequences.py similarity index 100% rename from Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Egamma/FastPhotonMenuSequences.py rename to Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Photon/FastPhotonMenuSequences.py diff --git a/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Egamma/PhotonChainConfiguration.py b/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Photon/PhotonChainConfiguration.py similarity index 94% rename from Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Egamma/PhotonChainConfiguration.py rename to Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Photon/PhotonChainConfiguration.py index 10c747593068ffaae5fe6af68ed85feedc4bbc69..7290c95b7de843d72995649b94cbeac657752fba 100644 --- a/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Egamma/PhotonChainConfiguration.py +++ b/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Photon/PhotonChainConfiguration.py @@ -10,11 +10,11 @@ log = logging.getLogger(__name__) from ..Menu.ChainConfigurationBase import ChainConfigurationBase from ..CommonSequences.CaloSequences import fastCaloMenuSequence -from .FastPhotonMenuSequences import fastPhotonMenuSequence -from .PrecisionPhotonMenuSequences import precisionPhotonMenuSequence -from .PrecisionCaloMenuSequences import precisionCaloMenuSequence -from .HipTRTMenuSequences import hipTRTMenuSequence -from .TLAPhotonMenuSequences import TLAPhotonMenuSequence +from ..Photon.FastPhotonMenuSequences import fastPhotonMenuSequence +from ..Photon.PrecisionPhotonMenuSequences import precisionPhotonMenuSequence +from ..Egamma.PrecisionCaloMenuSequences import precisionCaloMenuSequence +from ..Egamma.HipTRTMenuSequences import hipTRTMenuSequence +from ..Photon.TLAPhotonMenuSequences import TLAPhotonMenuSequence from TrigEgammaHypo.TrigEgammaHypoConf import TrigEgammaTopoHypoTool diff --git a/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Egamma/PrecisionPhotonMenuSequences.py b/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Photon/PrecisionPhotonMenuSequences.py similarity index 100% rename from Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Egamma/PrecisionPhotonMenuSequences.py rename to Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Photon/PrecisionPhotonMenuSequences.py diff --git a/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Egamma/TLAPhotonMenuSequences.py b/Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Photon/TLAPhotonMenuSequences.py similarity index 100% rename from Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Egamma/TLAPhotonMenuSequences.py rename to Trigger/TriggerCommon/TriggerMenuMT/python/HLTMenuConfig/Photon/TLAPhotonMenuSequences.py