CMS 3D CMS Logo

Functions | Variables
AlCaHLTBitMon_ParallelJobs Namespace Reference

Functions

def defineOptions ()
 
def getConfigTemplateFilename ()
 
def mkHLTKeyListList (hltkeylistfile)
 
def parallelJobs (hltkeylistfile, jsonDir, globalTag, templateName, queue, cafsetup)
 

Variables

 DEBUG
 DEBUG. More...
 
 options
 
 p
 

Function Documentation

◆ defineOptions()

def AlCaHLTBitMon_ParallelJobs.defineOptions ( )

Definition at line 98 of file AlCaHLTBitMon_ParallelJobs.py.

98 def defineOptions():
99  parser = OptionParser()
100 
101  parser.add_option("-k", "--keylist",
102  dest="hltKeyListFile",
103  default="lista_key.txt",
104  help="text file with HLT keys")
105 
106  parser.add_option("-j", "--json",
107  dest="jsonDir",
108  help="directory with the corresponding json files")
109 
110  parser.add_option("-g", "--globalTag",
111  dest="globalTag",
112  help="the global tag to use in the config files")
113 
114  parser.add_option("-t", "--template",
115  dest="template",
116  default="default",
117  help="the template to use for the config files")
118 
119  parser.add_option("-q", "--queue",
120  dest="queue",
121  default="cmscaf1nd",
122  help="the queue to use (default=cmscaf1nd)")
123 
124  parser.add_option("-c", "--cafsetup", action="store_true",
125  dest="cafsetup",
126  default=False,
127  help="wether the caf setup is sourced in the scripts")
128 
129  (options, args) = parser.parse_args()
130 
131  if len(sys.argv) == 1:
132  print("\nUsage: %s --help"%sys.argv[0])
133  sys.exit(0)
134 
135  if str(options.hltKeyListFile) == 'None':
136  print("Please provide a file with HLT keys")
137  sys.exit(0)
138 
139  if str(options.jsonDir) == 'None':
140  print("Please provide a directory containing the json files")
141  sys.exit(0)
142 
143  if str(options.globalTag) == 'None':
144  print("Please provide a global tag")
145  sys.exit(0)
146 
147  return options
148 
149 
150 #---------------------------------------------MAIN
151 

References edm.print(), and str.

◆ getConfigTemplateFilename()

def AlCaHLTBitMon_ParallelJobs.getConfigTemplateFilename ( )

Definition at line 24 of file AlCaHLTBitMon_ParallelJobs.py.

25  template = os.path.expandvars('$CMSSW_BASE/src/Alignment/CommonAlignmentProducer/data/AlCaHLTBitMon_cfg_template_py')
26  if os.path.exists(template):
27  return template
28  template = os.path.expandvars('$CMSSW_RELEASE_BASE/src/Alignment/CommonAlignmentProducer/data/AlCaHLTBitMon_cfg_template_py')
29  if os.path.exists(template):
30  return template
31  return 'None'
32 

Referenced by parallelJobs().

◆ mkHLTKeyListList()

def AlCaHLTBitMon_ParallelJobs.mkHLTKeyListList (   hltkeylistfile)

Definition at line 33 of file AlCaHLTBitMon_ParallelJobs.py.

33 def mkHLTKeyListList(hltkeylistfile):
34  keylistlist = []
35  f = open(hltkeylistfile, 'r')
36  for line in f:
37  keylistlist.append(line.replace('\n',''))
38  f.close()
39  return keylistlist
40 

Referenced by parallelJobs().

◆ parallelJobs()

def AlCaHLTBitMon_ParallelJobs.parallelJobs (   hltkeylistfile,
  jsonDir,
  globalTag,
  templateName,
  queue,
  cafsetup 
)

Definition at line 41 of file AlCaHLTBitMon_ParallelJobs.py.

41 def parallelJobs(hltkeylistfile,jsonDir,globalTag,templateName,queue,cafsetup):
42  PWD = os.path.abspath('.')
43 
44  if templateName == 'default':
45  templateFile = getConfigTemplateFilename()
46  else:
47  templateFile = os.path.abspath(os.path.expandvars(templateName))
48 
49  tfile = open(templateFile, 'r')
50  template = tfile.read()
51  tfile.close()
52  template = template.replace('%%%GLOBALTAG%%%', globalTag)
53 
54  keylistlist = mkHLTKeyListList(hltkeylistfile)
55  index = 0
56  for keylist in keylistlist:
57 
58  configName = 'AlCaHLTBitMon_%d_cfg.py'%index
59  jobName = 'AlCaHLTBitMon_%d_job.csh'%index
60  jsonFile = os.path.abspath('%(dir)s/%(index)d.json' % {'dir' : jsonDir, 'index' : index})
61  dataFile = os.path.abspath('%(dir)s/%(index)d.data' % {'dir' : jsonDir, 'index' : index})
62  logFile = 'AlCaHLTBitMon_%d'%index
63 
64  dfile = open(dataFile, 'r')
65  data = dfile.read()
66  dfile.close()
67 
68  config = template.replace('%%%JSON%%%', jsonFile);
69  config = config.replace('%%%DATA%%%', data);
70  config = config.replace('%%%KEYNAME%%%', keylist);
71  config = config.replace('%%%LOGFILE%%%', logFile);
72 
73  cfile = open(configName, 'w')
74  for line in config:
75  cfile.write(line)
76  cfile.close()
77 
78  jfile = open(jobName, 'w')
79  jfile.write('#!/bin/tcsh\n\n')
80  if cafsetup == True:
81  jfile.write('source /afs/cern.ch/cms/caf/setup.csh\n\n')
82 
83  jfile.write('cd $1\n\n')
84  jfile.write('eval `scramv1 run -csh`\n\n')
85  jfile.write('cmsRun %s\n\n'%configName)
86  jfile.write('cp %s.log $2'%logFile)
87  jfile.close()
88 
89  if os.path.exists('./%s'%keylist) == False:
90  os.system('mkdir ./%s'%keylist)
91 
92  os.system('chmod u+x %s'%jobName)
93  #print('bsub -q %(queue)s %(jobname)s %(pwd)s %(pwd)s/%(outdir)s' % {'queue' : queue, 'jobname' : jobName, 'pwd' : PWD, 'outdir' : keylist})
94  os.system('bsub -q %(queue)s %(jobname)s %(pwd)s %(pwd)s/%(outdir)s' % {'queue' : queue, 'jobname' : jobName, 'pwd' : PWD, 'outdir' : keylist})
95 
96  index = index + 1
97 

References getConfigTemplateFilename(), and mkHLTKeyListList().

Variable Documentation

◆ DEBUG

AlCaHLTBitMon_ParallelJobs.DEBUG

DEBUG.

Definition at line 22 of file AlCaHLTBitMon_ParallelJobs.py.

◆ options

AlCaHLTBitMon_ParallelJobs.options

Definition at line 152 of file AlCaHLTBitMon_ParallelJobs.py.

◆ p

AlCaHLTBitMon_ParallelJobs.p

Definition at line 153 of file AlCaHLTBitMon_ParallelJobs.py.

Referenced by Pixel3DDigitizerAlgorithm._is_inside_n_column(), Pixel3DDigitizerAlgorithm._is_inside_ohmic_column(), MCTruthHelper< reco::GenParticle >.absPdgId(), BPHSoftMuonSelect.accept(), helper::CandDecayStoreManager.add(), GenParticleDecaySelector.add(), ThirdHitPredictionFromInvLine.add(), PreMixingCaloParticleWorker.add(), PixelClusterizerBase::AccretionCluster.add(), MTDClusterizerBase::AccretionCluster.add(), fit::RootMinuitCommands< Function >.add(), l1tpf_impl::RegionMapper.addCalo(), PixelToLNKAssociateFromAscii.addConnections(), TrackerGeometry.addDet(), MTDGeometry.addDet(), TrackerGeometry.addDetId(), MTDGeometry.addDetId(), TrackerGeometry.addDetUnit(), MTDGeometry.addDetUnit(), TrackerGeometry.addDetUnitId(), MTDGeometry.addDetUnitId(), l1tpf_impl::RegionMapper.addEmCalo(), ParticleLevelProducer.addGenJet(), edmNew::DetSetVector< T >.addItem(), ReferenceTrajectory.addMaterialEffectsBrl(), GaussNoiseFP420.addNoise(), SiGaussianTailNoiseAdder.addNoise(), ParticleAllocator.AddParticle(), FBaseSimEvent.addParticles(), HLTPerformanceInfo.addPath(), ParabolaFit.addPoint(), PFTrackTransformer.addPoints(), PFTrackTransformer.addPointsAndBrems(), FBaseSimEvent.addSimTrack(), BetaCalculatorECAL.addStepToXtal(), EventAction.addTkCaloStateInfo(), SimTrackManager.addTkCaloStateInfo(), edm::ProductRegistryHelper.addToRegistry(), TrackerGeometry.addType(), MTDGeometry.addType(), edm::PrincipalCache.adjustIndexesAfterProductRegistryAddition(), edm::PreMixingModule::AdjustPileupDistribution.AdjustPileupDistribution(), edm::soa::impl::TableItrAdvance< I, Args >.advance(), edm::soa::impl::TableItrAdvance< 0, Args... >.advance(), edm::soa::impl::ConstTableItrAdvance< I, Args >.advance(), edm::soa::impl::ConstTableItrAdvance< 0, Args... >.advance(), AHCalSD.AHCalSD(), SiStripGainRandomCalculator.algoAnalyze(), SiStripGainCosmicCalculator.algoBeginJob(), SiStripCalibLorentzAngle.algoBeginJob(), AnalyticalCurvilinearJacobian.AnalyticalCurvilinearJacobian(), AnalyticalPropagatorESProducer.AnalyticalPropagatorESProducer(), ParticleDecayDrawer.analyze(), ParticleTreeDrawer.analyze(), myFastSimVal.analyze(), RPCDigiValid.analyze(), JetAnaPythia< Jet >.analyze(), HiBasicGenTest.analyze(), DDCMSDetector.analyze(), L1TMuonBarrelParamsViewer.analyze(), ElectronTagProbeAnalyzer.analyze(), GEMPadDigiReader.analyze(), TrackerHitAnalyzer.analyze(), CaloTowersValidation.analyze(), StandaloneTrackMonitor.analyze(), MuonMonitor.analyze(), ElectronSeedAnalyzer.analyze(), HLTMCtruth.analyze(), SiPixelPhase1HitsV.analyze(), PrintTotemDAQMapping.analyze(), EwkMuLumiMonitorDQM.analyze(), ElasticPlotDQMSource.analyze(), WriteCTPPSBeamParameters.analyze(), SimplePhotonAnalyzer.analyze(), edm::FlatEGunASCIIWriter.analyze(), HFPMTHitAnalyzer.analyze(), CTPPSProtonReconstructionEfficiencyEstimatorMC.analyze(), EcalPreshowerSimHitsValidation.analyze(), ParticleListDrawer.analyze(), CaloSimHitStudy.analyze(), CTPPSPixelDQMSource.analyze(), PhotonMonitor.analyze(), ResolutionCreator.analyze(), TrackBuildingAnalyzer.analyze(), CTPPSProtonReconstructionEfficiencyEstimatorData.analyze(), JetTester.analyze(), ElectronStudy.analyze(), EcalSimHitsValidation.analyze(), HcalSimHitsValidation.analyze(), TopMonitor.analyze(), TotemRPDQMSource.analyze(), SiPixelHitEfficiencySource.analyze(), TrackParameterAnalyzer.analyze(), MuTriggerAnalyzer.analyze(), BoostIODBReader< DataType, RecordType >.analyze(), HOSimHitStudy.analyze(), EnergyScaleAnalyzer.analyze(), BDHadronTrackMonitoringAnalyzer.analyze(), EcalSimHitStudy.analyze(), PFClusterValidation.analyze(), TestPythiaDecays.analyze(), EcalRecHitsValidation.analyze(), HGCalTimingAnalyzer.analyze(), FourVectorHLT.analyze(), HcalLutAnalyzer.analyze(), IsolatedParticlesGeneratedJets.analyze(), BPHMonitor.analyze(), TTbarSpinCorrHepMCAnalyzer.analyze(), HcalRecHitsValidation.analyze(), EcalDigisValidation.analyze(), L1GenTreeProducer.analyze(), TestOutliers.analyze(), HitEff.analyze(), HeavyFlavorValidation.analyze(), EcalTPGParamBuilder.analyze(), DisplayGeom.analyze(), HGCalTBAnalyzer.analyze(), V0Monitor.analyze(), ListIds.analyze(), JetTester_HeavyIons.analyze(), HGCalSimHitValidation.analyze(), JetAnalyzer_HeavyIons.analyze(), EcalMixingModuleValidation.analyze(), HLTrigReport.analyze(), StudyCaloResponse.analyze(), IsolatedGenParticles.analyze(), PrimaryVertexAnalyzer4PUSlimmed.analyze(), Rivet::RivetAnalysis.analyze(), CTPPSCommonDQMSource.analyzeProtons(), CTPPSCommonDQMSource.analyzeTracks(), BaseProtonTransport.ApplyBeamCorrection(), HLTMuonDimuonL3Filter.applyDiMuonSelection(), MuScleFitUtils.applyScale(), approx_expf_P< 6 >(), L1MuDTEtaProcessor.assign(), L1MuBMEtaProcessor.assign(), BitArray< 9 >.assign(), DTTFBitArray< N >.assign(), CSCUpgradeMotherboardLUTGenerator.assignRoll(), CSCDriftSim.avalancheCharge(), Basic2DVector< float >.Basic2DVector(), Basic3DVector< align::Scalar >.Basic3DVector(), Basic3DVector< long double >.Basic3DVector(), AlignmentTrackSelector.basicCuts(), AlignmentMuonSelector.basicCuts(), Bcm1fSD.Bcm1fSD(), BeamProfileVtxGenerator.BeamProfileVtxGenerator(), HitEff.beginJob(), ZdcSimpleReconstructor.beginRun(), HcalSimpleReconstructor.beginRun(), SiStripLAProfileBooker.beginRun(), ZdcHitReconstructor.beginRun(), HcalHitReconstructor.beginRun(), CtfSpecialSeedGenerator.beginRun(), EcalPedestalHistory.beginRun(), HFPreReconstructor.beginRun(), HBHEPhase1Reconstructor.beginRun(), ExternalLHEProducer.beginRunProduce(), DTTracoChip.bestCand(), CSCGEMMotherboard.bestMatchingPad(), CSCAnodeLCTProcessor.bestTrackSelector(), BetaBoostEvtVtxGenerator.BetaBoostEvtVtxGenerator(), BetafuncEvtVtxGenerator.BetafuncEvtVtxGenerator(), BHMSD.BHMSD(), edm.binary_search_all(), PhysicsTools::BitSet.bits(), GctFormatTranslateV35.blockToFibres(), GctFormatTranslateV38.blockToFibres(), GctFormatTranslateMCLegacy.blockToFibres(), GctFormatTranslateV35.blockToGctInternEmCand(), GctFormatTranslateV38.blockToGctInternEmCand(), GctFormatTranslateV35.blockToGctInternEtSums(), GctFormatTranslateV38.blockToGctInternEtSums(), GctFormatTranslateV35.blockToGctInternEtSumsAndJetCluster(), GctFormatTranslateV38.blockToGctInternEtSumsAndJetCluster(), GctFormatTranslateV38.blockToGctInternHtMissPostWheel(), GctFormatTranslateV38.blockToGctInternHtMissPreWheel(), GctFormatTranslateV35.blockToGctInternRingSums(), GctFormatTranslateV38.blockToGctInternRingSums(), GctFormatTranslateV35.blockToGctJetClusterMinimal(), GctFormatTranslateV38.blockToGctJetClusterMinimal(), GctFormatTranslateV35.blockToGctJetPreCluster(), GctFormatTranslateV38.blockToGctJetPreCluster(), GctFormatTranslateV35.blockToGctTrigObjects(), GctFormatTranslateV38.blockToGctTrigObjects(), GctFormatTranslateV35.blockToGctWheelInputInternEtAndRingSums(), GctFormatTranslateV38.blockToGctWheelInputInternEtAndRingSums(), GctFormatTranslateV35.blockToGctWheelOutputInternEtAndRingSums(), GctFormatTranslateV38.blockToGctWheelOutputInternEtAndRingSums(), GctFormatTranslateV35.blockToRctCaloRegions(), GctFormatTranslateV38.blockToRctCaloRegions(), GctFormatTranslateV35.blockToRctEmCand(), GctFormatTranslateV38.blockToRctEmCand(), GctFormatTranslateMCLegacy.blockToRctEmCand(), cscdqm::Collection.book(), CTPPSPixelDQMSource.bookHistograms(), HLTObjectsMonitor.bookHistograms(), RawParticle.boost(), edm::ProductProvenanceRetriever.branchIDToProvenance(), edm::ProductProvenanceRetriever.branchIDToProvenanceForProducedOnly(), BscSD.BscSD(), BscTest.BscTest(), BtagPerformanceESProducer.BtagPerformanceESProducer(), BTagSkimMC.BTagSkimMC(), DTBtiCard.btiList(), DTTrig.BtiTrigs(), TransientTrackingRecHitBuilder.build(), MTDTransientTrackingRecHitBuilder.build(), MuonTransientTrackingRecHitBuilder.build(), FWPFCandidateDetailView.build(), FWSiPixelClusterProxyBuilder.build(), FWTrackHitsDetailView.build(), FWConvTrackHitsDetailView.build(), BPHX3872ToJPsiPiPiBuilder.build(), EPOS::IO_EPOS.build_end_vertex(), EPOS::IO_EPOS.build_particle(), EPOS::IO_EPOS.build_production_vertex(), SiStripCondObjBuilderFromDb.buildAnalysisRelatedObjects(), PseudoTopProducer.buildGenParticle(), FW3DViewDistanceMeasureTool.buildGUI(), HcalDigitizer.buildHOSiPMCells(), buildLookupTables(), ME0PadDigiProducer.buildPads(), GEMPadDigiProducer.buildPads(), CMSSIMPInelasticXS.BuildPhysicsTable(), DAFTrackProducerAlgorithm.buildTrack(), TrackExtenderWithMTDT< TrackCollection >.buildTrack(), MuonSeedTrack.buildTrackAtPCA(), MuonTrackLoader.buildTrackAtPCA(), MuonTrackLoader.buildTrackExtra(), TrackExtenderWithMTDT< TrackCollection >.buildTrackExtra(), MuonTrackLoader.buildTrackUpdatedAtPCA(), ConstrainedTreeBuilder.buildTree(), ConstrainedTreeBuilderT.buildTree(), FWTableWidget.buttonReleasedInBody(), pat::PATPackedCandidateProducer.calcDz(), FastCircleFit.calculate(), Basic2DGenericPFlowPositionCalc.calculateAndSetPositionActual(), SiPixelDigitizerAlgorithm.calculateInstlumiFactor(), SiStripDigitizerAlgorithm.calculateInstlumiScale(), reco::TauMassTagInfo.calculateTrkP4(), CaloMeanResponse.CaloMeanResponse(), CaloSD.CaloSD(), CaloSimParameters.CaloSimParameters(), CaloSteppingAction.CaloSteppingAction(), CaloTowerCandidateCreator.CaloTowerCandidateCreator(), CaloTrkProcessing.CaloTrkProcessing(), eetest::CandForTest.CandForTest(), dtbayesam::CandidateGroup.CandidateGroup(), TwoBodyDecayModel.cartesianSecondaryMomenta(), CastorSD.CastorSD(), CastorShowerLibrary.CastorShowerLibrary(), CastorShowerLibraryMaker.CastorShowerLibraryMaker(), CastorTestAnalysis.CastorTestAnalysis(), condbon.cdbon_read_rec(), FWGeometryTableViewBase.cdNode(), FWGeometryTableViewBase.cdUp(), GEMEtaPartition.centreOfPad(), ME0EtaPartition.centreOfPad(), spr.cGenSimInfo(), CSCSimHitMatcher.chamberIds(), DTSimHitMatcher.chamberIds(), GEMSimHitMatcher.chamberIds(), ME0SimHitMatcher.chamberIds(), RPCSimHitMatcher.chamberIds(), GEMRecHitMatcher.chamberIds(), CSCSimHitMatcher.chamberIdsToString(), CSCWireTopology.channel(), RectangularMTDTopology.channel(), RectangularPixelTopology.channel(), spr.chargeIsolation(), spr.chargeIsolationCone(), spr.chargeIsolationEcal(), spr.chargeIsolationHcal(), edm.check(), FWPFMaths.checkIntersect(), CheckOverlap.CheckOverlap(), MuonSeedSimpleCleaner.checkPt(), CheckSecondary.CheckSecondary(), edm::service::CheckTransitions.CheckTransitions(), ResonanceDecayFilterHook.checkVetoResonanceDecays(), IsoTrig.chgIsolation(), Rivet::HiggsTemplateCrossSections.ChLeptonDecay(), SiPixelDigitizerAlgorithm.chooseScenario(), Rivet::HiggsTemplateCrossSections.classifyEvent(), CSCCathodeLCTProcessor.cleanComparatorContainer(), ctfseeding::HitExtractorSTRP.cleanedOfClusters(), CaloSD.cleanHitCollection(), CSCCLCTDigi.clear(), edm::value_ptr_traits< ParameterSetDescription >.clone(), FastSingleTrackerRecHit.clone(), FastMatchedTrackerRecHit.clone(), FastProjectedTrackerRecHit.clone(), edm::atomic_value_ptr_traits< T >.clone(), edm::ViewBase.clone(), edm::value_ptr_traits< T >.clone(), FastTrackerRecHit.clone(), edm::value_ptr_traits< ParameterDescriptionNode >.clone(), edm::value_ptr_traits< IndexIntoFile::IndexIntoFileItrImpl >.clone(), MuonsFromRefitTracksProducer.cloneAndSwitchTrack(), cloneDecayTree(), SiStripFineDelayHit.closestCluster(), CMSExoticaPhysics.CMSExoticaPhysics(), CMSG4CheckOverlap.CMSG4CheckOverlap(), CMSMonopolePhysics.CMSMonopolePhysics(), CmsShowMain.CmsShowMain(), MkFitHitIndexMap::CMSSWHit.CMSSWHit(), CmsShowModelPopup.colorSetChanged(), CmsShowEDI.colorSetChanged(), edm::LuminosityBlock.commit_(), edm::Run.commit_(), edm::Event.commit_(), edm::Event.commit_aux(), cms::MD5Result.compactForm(), CSCUpgradeMotherboard.compare(), HltDiff.compare(), GsfMultipleScatteringUpdator.compute(), MultipleScatteringUpdator.compute(), GsfBetheHeitlerUpdator.compute(), AlignmentPI::TkAlBarycenters.computeBarycenters(), TEveEllipsoidProjected.ComputeBBox(), RodPlaneBuilderFromDet.computeBounds(), PerigeeLinearizedTrackState.computeChargedJacobians(), CMSDarkPairProduction.ComputeCrossSectionPerAtom(), CMSmplIonisationWithDeltaModel.ComputeCrossSectionPerAtom(), CMSmplIonisationWithDeltaModel.ComputeCrossSectionPerElectron(), CMSmplIonisationWithDeltaModel.ComputeDEDXPerVolume(), tauImpactParameter::TrackHelixVertexFitter.computedxydz(), EnergyLossUpdator.computeElectrons(), AnalyticalCurvilinearJacobian.computeFullJacobian(), AnalyticalCurvilinearJacobian.computeInfinitesimalJacobian(), tauImpactParameter::TrackHelixVertexFitter.computeLorentzVectorPar(), tauImpactParameter::TrackHelixVertexFitter.computeMotherLorentzVectorPar(), PerigeeLinearizedTrackState.computeNeutralJacobians(), tauImpactParameter::TrackHelixVertexFitter.computePar(), l1tpf_impl::PuppiAlgo.computePuppiAlphas(), l1tpf_impl::PuppiAlgo.computePuppiMedRMS(), l1tpf_impl::LinearizedPuppiAlgo.computePuppiWeights(), l1tpf_impl::PuppiAlgo.computePuppiWeights(), PlaneBuilderForGluedDet.computeRectBounds(), tauImpactParameter::TrackHelixVertexFitter.computeTrackPar(), CondDBESSource.CondDBESSource(), spr.coneChargeIsolation(), ConfigurableVertexFitter.ConfigurableVertexFitter(), ConfigurableVertexReconstructor.ConfigurableVertexReconstructor(), QualityTester.configureTests(), SiStripFedCabling::ConnsRange.ConnsRange(), EcalTrigTowerConstituentsMap.constituentsOf(), edm::debugging_allocator< T >.construct(), CSCGEMMotherboard.constructLCTsGEM(), TwoBodyDecayTrajectory.constructSingleTsosWithErrors(), hcaldqm::ContainerXXX< int >.ContainerXXX(), CommutativePairs< const reco::PFBlockElement * >.contains(), BarrelDetLayer.contains(), ForwardDetLayer.contains(), converter::SuperClusterToCandidate.convert(), converter::StandAloneMuonTrackToCandidate.convert(), converter::TrackToCandidate.convert(), CaloTowersCreationAlgo.convert(), RecoVertex.convertPos(), TwoBodyDecayVirtualMeasurement.convertXYZPoint(), cond::persistency.copyIov(), EGEnergyCorrector.CorrectedEnergyWithError(), EGEnergyCorrector.CorrectedEnergyWithErrorV3(), EcalIsolationCorrector.correctForHLTDefinition(), EcalIsolationCorrector.correctForNoise(), SimpleZSPJPTJetCorrector.correctionEtEtaPhiP(), SimpleZSPJPTJetCorrector.correctionPUEtEtaPhiP(), ElectronEnergyCalibrator.correctLinearity(), VVIObjDetails.cosint(), sistripvvi::VVIObjDetails.cosint(), popcon::EcalChannelStatusHandler.cosmicsAnalysis(), l1t::MTF7Payload.count(), TauValidation.countParticles(), cms::CRC32Calculator.CRC32Calculator(), l1t::MicroGMTRankPtQualLUTFactory.create(), AttachSD.create(), l1t::Stage2Layer1FirmwareFactory.create(), l1t::Stage2Layer2FirmwareFactory.create(), l1t::Stage1Layer2FirmwareFactory.create(), l1t::MicroGMTMatchQualLUTFactory.create(), l1t::MicroGMTExtrapolationLUTFactory.create(), DDI::Store< DDName, DDRotationMatrix * >.create(), l1t::MicroGMTCaloIndexSelectionLUTFactory.create(), l1t::MicroGMTAbsoluteIsolationCheckLUTFactory.create(), l1t::MicroGMTRelativeIsolationCheckLUTFactory.create(), spu.create_dir(), spu.create_file(), PFAlgo.createCandidatesHCAL(), CSGAction.createCheckButton(), FlatHexagon.createCorners(), TruncatedPyramid.createCorners(), FlatTrd.createCorners(), CSGContinuousAction.createCustomIconsButton(), CSGAction.createCustomIconsButton(), GsfElectronAlgo.createElectron(), edm::atomic_value_ptr< edm::ParameterSet >.createFrom(), edm::value_ptr< edm::service::MessageLoggerDefaults >.createFrom(), TSLToyGen.createHists(), MuonSensitiveDetector.createHit(), FWGUIManager.createList(), BasicTrajectoryState.createLocalParameters(), tauImpactParameter::ParticleBuilder.createLorentzVectorParticle(), edm::Maker.createModuleDescription(), CSGAction.createPictureButton(), CSGAction.createTextButton(), tauImpactParameter::ParticleBuilder.createTrackParticle(), CaloDetIdAssociator.crossedElement(), CSCCLCTDigi.CSCCLCTDigi(), CSCConfigurableStripConditions.CSCConfigurableStripConditions(), CSCDigitizer.CSCDigitizer(), CSCGeometryESModule.CSCGeometryESModule(), CSCUpgradeMotherboardLUTGenerator.cscWgToRollLUT(), TtFullLepKinSolver.cubic(), CustomPhysics.CustomPhysics(), CustomPhysicsList.CustomPhysicsList(), CustomPhysicsListSS.CustomPhysicsListSS(), BsJpsiPhiFilter.cuts(), evf::evtn.daq_board_sense(), popcon::EcalChannelStatusHandler.daqOut(), MCTruthHelper< reco::GenParticle >.daughter(), EcalLaserCondTools.dbToAscii(), DD_NC(), DDfetch(), churn_allocator< T >.deallocate(), cms::cuda::HostAllocator< T, FLAGS >.deallocate(), edm::debugging_allocator< T >.deallocate(), Histos.debug(), BiasedTauDecayer.decay(), GEMCoPadProcessor.declusterize(), DTPosNegType.decode(), DTPosNeg.decode(), FullModelReactionDynamics.Defs1(), FWGUIEventFilter.deleteEntry(), reco::parser::ExpressionVar.delStorage(), fftjetcms.densePeakTreeFromStorable(), PhysicsTools::VarProcessor.deriv(), edm::value_ptr_traits< ParameterSetDescription >.destroy(), edm::value_ptr_traits< T >.destroy(), edm::debugging_allocator< T >.destroy(), edm::value_ptr_traits< ParameterDescriptionNode >.destroy(), edm::value_ptr_traits< IndexIntoFile::IndexIntoFileItrImpl >.destroy(), CSCSimHitMatcher.detIds(), GEMSimHitMatcher.detIds(), ME0SimHitMatcher.detIds(), DTSimHitMatcher.detIds(), RPCSimHitMatcher.detIds(), GEMRecHitMatcher.detIds(), GEMSimHitMatcher.detIdsCoincidences(), DetLayerGeometryESProducer.DetLayerGeometryESProducer(), PixelCPEBase.detParam(), edmNew.detsetRangeFromPair(), FWEveDigitSetScalableMarkerGL.DirectDraw(), TemplatedJetProbabilityComputer< Container, Base >.discriminator(), TemplatedJetBProbabilityComputer< Container, Base >.discriminator(), RPDisplacementGenerator.displacePoint(), VertexCompatibleWithBeam.distanceToBeam(), DTTracoChip.DoAdjBtiLts(), SiStripPlotGain.DoAnalysis(), DoCastorAnalysis.DoCastorAnalysis(), TransverseImpactPointExtrapolator.doExtrapolation(), FWRPZView.doFishEyeDistortion(), GsfMaterialEffectsESProducer.doInit(), tmtt::KFbase.doKF(), lhef.domToLines(), FWRPZView.doShiftOriginToBeamSpot(), TSLToyGen.doToyExperiments(), l1tpf_impl::PUAlgoBase.doVertexing(), Pythia8::PowhegHooksBB4L.doVetoFSREmission(), edm::Worker.doWorkAsync(), TwoBodyDecayDerivatives.dqsdpx(), TwoBodyDecayDerivatives.dqsdpy(), TwoBodyDecayDerivatives.dqsdpz(), DreamSD.DreamSD(), edm::RootFile.dropOnInput(), DTSimHitMatcher.dtChamberIdsToString(), DTConfigDBProducer.DTConfigDBProducer(), DTGeometryESModule.DTGeometryESModule(), DTSC.DTSectCollsort1(), DTSC.DTSectCollsort2(), DTTracoChip.DTTracoChip(), DummyPhysics.DummyPhysics(), reco::PFBlockElementTrack.Dump(), hcaldqm::ContainerXXX< int >.dump(), DAClusterizerInZ.dump(), LMFDat.dump(), cmsutil::SimpleAllocHashMultiMap< K, V, Hasher, Equals, Alloc >.dump(), DAClusterizerInZ_vect.dump(), DAClusterizerInZT_vect.dump(), hitfit::Top_Decaykin.dump_ev(), edmtest::HcalDumpConditions.dumpIt(), CastorDumpConditions.dumpIt(), HLTrigReport.dumpReport(), ResidualRefitting.dumpTrackRef(), TrackstersMergeProducer.dumpTrackster(), ZeeCalibration.duringLoop(), pat::PackedGenParticle.dxy(), pat::PackedCandidate.dxy(), pat::PackedGenParticle.dz(), pat::PackedCandidate.dz(), EcalCleaningAlgo.EcalCleaningAlgo(), EcalRecHitWorkerSimple.EcalRecHitWorkerSimple(), ECALRegFEDSelector.ECALRegFEDSelector(), ECalSD.ECalSD(), EcalSeverityLevelAlgo.EcalSeverityLevelAlgo(), EcalTBH4BeamSD.EcalTBH4BeamSD(), DTTracoChip.edgeBTI(), EgammaHLTTrackIsolation.electronIsolation(), ElectronLimiter.ElectronLimiter(), l1tpf_impl::PFAlgo3.emcalo_algo(), CaloTowersCreationAlgo.emShwrLogWeightPos(), CaloTowersCreationAlgo.emShwrPos(), l1tpf_impl::PFAlgo3.emtk_algo(), poly< T >::const_iterator.end_of(), lhef::LHEReader::XMLHandler.endElement(), CTPPSOpticsPlotter.endJob(), CTPPSAcceptancePlotter.endJob(), CTPPSProtonReconstructionValidator.endJob(), edm::Schedule.endJob(), tmtt::Histos.endJobAnalysis(), edmNew::DetSetVector< T >.equal_range(), DTBtiChip.eraseTrigger(), BinomialProbability.error(), ES_TTStubAlgorithm_cbc3< T >.ES_TTStubAlgorithm_cbc3(), ES_TTStubAlgorithm_official< T >.ES_TTStubAlgorithm_official(), metsig::SignAlgoResolutions.eval(), TMultiDimFet.Eval(), VariablePower.eval(), TMultiDimFet.EvalFactor(), MuonCaloCompatibility.evaluate(), L1ExtraParticleMapProd.evaluateQuadSameObjectTrigger(), edm::test::TestProcessor.event(), EventAction.EventAction(), evf::evtn.evm_board_sense(), evf::evtn.evm_tcs_board_sense(), PhotonFix.expCorrection(), TrackTimeValueMapProducer.extractTrackVertexTime(), TrajectoryExtrapolatorToLine.extrapolate(), TransverseImpactPointExtrapolator.extrapolate(), AnalyticalImpactPointExtrapolator.extrapolateSingleState(), AnalyticalTrajectoryExtrapolatorToLine.extrapolateSingleState(), FamosManager.FamosManager(), FamosProducer.FamosProducer(), FastHFShowerLibrary.FastHFShowerLibrary(), fastjetppgenkt_(), CTPPSFastTrackingProducer.FastReco(), edm::CFWriter.fctTest(), CTPPSPixelDAQMapping.fedIds(), l1tpf_impl::RegionMapper.fetch(), l1tpf_impl::RegionMapper.fetchCalo(), RunPTMTempDat.fetchData(), RunDat.fetchData(), RunCrystalErrorsDat.fetchData(), RunMemChErrorsDat.fetchData(), RunMemTTErrorsDat.fetchData(), RunPNErrorsDat.fetchData(), RunTTErrorsDat.fetchData(), FEConfigFgrDat.fetchData(), FEConfigLUTDat.fetchData(), FEConfigSlidingDat.fetchData(), FEConfigSpikeDat.fetchData(), FEConfigWeightDat.fetchData(), MODCCSFEDat.fetchData(), MODCCSTRDat.fetchData(), MODDCCOperationDat.fetchData(), RunTPGConfigDat.fetchData(), DCUCapsuleTempDat.fetchData(), DCUIDarkDat.fetchData(), DCUIDarkPedDat.fetchData(), DCUVFETempDat.fetchData(), FEConfigLinParamDat.fetchData(), MonH4TablePositionDat.fetchData(), MonShapeQualityDat.fetchData(), RunConfigDat.fetchData(), RunFEConfigDat.fetchData(), RunLaserRunDat.fetchData(), CaliGeneralDat.fetchData(), FEConfigFgrEETowerDat.fetchData(), FEConfigTimingDat.fetchData(), RunCommentDat.fetchData(), FEConfigLUTGroupDat.fetchData(), DCUCapsuleTempRawDat.fetchData(), CaliGainRatioDat.fetchData(), CaliHVScanRatioDat.fetchData(), FEConfigLUTParamDat.fetchData(), MonDelaysTTDat.fetchData(), FEConfigFgrEEStripDat.fetchData(), DCULVRBTempsDat.fetchData(), DCULVRTempsDat.fetchData(), FEConfigFgrParamDat.fetchData(), MonOccupancyDat.fetchData(), MonPedestalsOnlineDat.fetchData(), RunH4TablePositionDat.fetchData(), CaliCrystalIntercalDat.fetchData(), CaliTempDat.fetchData(), MonLaserStatusDat.fetchData(), FEConfigPedDat.fetchData(), MonLaserPulseDat.fetchData(), MonPedestalOffsetsDat.fetchData(), FEConfigBadTTDat.fetchData(), FEConfigFgrGroupDat.fetchData(), FEConfigLinDat.fetchData(), MonRunDat.fetchData(), ODWeightsSamplesDat.fetchData(), FEConfigWeightGroupDat.fetchData(), ODDelaysDat.fetchData(), FEConfigParamDat.fetchData(), MonLaserBlueDat.fetchData(), MonLaserGreenDat.fetchData(), MonLaserIRedDat.fetchData(), MonLaserRedDat.fetchData(), MonLed1Dat.fetchData(), MonLed2Dat.fetchData(), MonPNPedDat.fetchData(), FEConfigBadStripDat.fetchData(), FEConfigBadXTDat.fetchData(), MonCrystalConsistencyDat.fetchData(), ODBadTTDat.fetchData(), ODBadXTDat.fetchData(), ODTowersToByPassDat.fetchData(), ODVfeToRejectDat.fetchData(), MonMemChConsistencyDat.fetchData(), MODCCSHFDat.fetchData(), MonPedestalsDat.fetchData(), ODGolBiasCurrentDat.fetchData(), MonMemTTConsistencyDat.fetchData(), MonTTConsistencyDat.fetchData(), MonTestPulseDat.fetchData(), ODPedestalOffsetsDat.fetchData(), MonPNBlueDat.fetchData(), MonPNGreenDat.fetchData(), MonPNIRedDat.fetchData(), MonPNLed1Dat.fetchData(), MonPNLed2Dat.fetchData(), MonPNMGPADat.fetchData(), MonPNRedDat.fetchData(), MonPulseShapeDat.fetchData(), ODWeightsDat.fetchData(), MODDCCDetailsDat.fetchData(), DCULVRVoltagesDat.fetchData(), DCUCCSDat.fetchData(), ITimingDat.fetchData(), RunDCSHVDat.fetchHistoricalData(), RunDCSMagnetDat.fetchLastData(), RunDCSLVDat.fetchLastData(), RunDCSHVDat.fetchLastData(), l1tpf_impl::RegionMapper.fetchTracks(), fftjetcms.fftjet_Function_parser(), fftjetcms.fftjet_PeakSelector_parser(), FFTSpecificScaleCalculator< MyJet, Adjustable >.FFTSpecificScaleCalculator(), FiberSD.FiberSD(), sim::FieldBuilder.FieldBuilder(), File_Close(), File_Construct(), File_GetLength(), File_Open(), File_Read(), File_Seek(), File_Write(), FileInStream_CreateVTable(), FileInStream_Read(), FileInStream_Seek(), FileOutStream_CreateVTable(), FileOutStream_Write(), FileSeqInStream_CreateVTable(), FileSeqInStream_Read(), BasicHepMCValidation::ParticleMonitor.Fill(), CTPPSProtonReconstructionPlotter::SingleRPPlots.fill(), HResolution.Fill(), reco::PatternSet< N >.fill(), PixelCPEClusterRepair.fill2DTemplIDs(), CTPPSBeamParametersESSource.fillBeamParameters(), edm::RootOutputFile.fillBranches(), HcalTB04Analysis.fillBuffer(), AnalysisRootpleProducer.fillCaloJet(), AnalysisRootpleProducerOnlyMC.fillChargedJet(), AnalysisRootpleProducer.fillChargedJet(), BPhysicsValidation.FillDaughters(), MTDCPEBase.fillDetParams(), PixelCPEBase.fillDetParams(), CmsShowEDI.fillEDIFrame(), ZeePlots.fillEleMCInfo(), StudyCaloResponse.fillEnergy(), MCTruthHelper< reco::GenParticle >.fillGenStatusFlags(), tadqm::TrackAnalyzer.fillHistosForState(), HFShowerLibrary.fillHits(), AnalysisRootpleProducerOnlyMC.fillInclusiveJet(), AnalysisRootpleProducer.fillInclusiveJet(), GenParticleProducer.fillIndices(), AnalysisRootpleProducerOnlyMC.fillMCParticles(), AnalysisRootpleProducer.fillMCParticles(), edm::Schedule.fillModuleAndConsumesInfo(), TSLToyGen.fillPar(), Phase2StripCPE.fillParam(), StripCPE.fillParams(), FastTimerServiceClient.fillPathSummaryPlots(), QcdLowPtDQM.fillPixelClusterInfos(), edm.fillProcessHistoryBranch(), TSLToyGen.fillPull1(), TSLToyGen.fillPull2(), l1tpf_impl::PuppiAlgo.fillPuppi(), SVTagInfoValidationAnalyzer.fillRecoToSim(), recoBSVTagInfoValidationAnalyzer.fillRecoToSim(), TopDecaySubset.fillReferences(), ESSummaryClient.fillReportSummary(), SVTagInfoValidationAnalyzer.fillSimToReco(), recoBSVTagInfoValidationAnalyzer.fillSimToReco(), ClusterShapeHitFilter.fillStripData(), RunDCSMagnetDat.fillTheMap(), RunDCSLVDat.fillTheMap(), RunDCSHVDat.fillTheMap(), RunDCSHVDat.fillTheMapByTime(), MillePedeMonitor.fillTrack(), StudyCaloResponse.fillTrack(), AnalysisRootpleProducer.fillTracks(), AnalysisRootpleProducer.fillTracksJet(), EopVariables.fillVariables(), edm.fillView(), ZeePlots.fillZMCInfo(), BTagSkimMC.filter(), PartonShowerBsHepMCFilter.filter(), PartonShowerCsHepMCFilter.filter(), PythiaFilterMultiMother.filter(), LHEJetFilter.filter(), ElectronIdMVAProducer.filter(), PythiaHepMCFilterGammaGamma.filter(), PythiaFilterZJetWithOutBg.filter(), PythiaFilterZJet.filter(), PythiaFilterEMJetHeep.filter(), PythiaFilterGammaJet.filter(), PythiaFilterGammaJetWithBg.filter(), PythiaFilterGammaJetWithOutBg.filter(), PythiaFilterHT.filter(), PythiaHLTSoupFilter.filter(), GenericDauHepMCFilter.filter(), MCSmartSingleParticleFilter.filter(), ZgMassFilter.filter(), edm::FwdPtrCollectionFilter< T, S, H >.filter(), MCSingleParticleYPt.filter(), MCZll.filter(), ZgammaMassFilter.filter(), HLTMuonPointingFilter.filter(), DJpsiFilter.filter(), MCMultiParticleFilter.filter(), HighMultiplicityGenFilter.filter(), PythiaFilterTTBar.filter(), MCParticlePairFilter.filter(), MCSingleParticleFilter.filter(), PythiaFilter.filter(), PythiaMomDauFilter.filter(), FourLepFilter.filter(), PythiaDauFilter.filter(), PythiaDauVFilter.filter(), PythiaProbeFilter.filter(), ProtonTaggerFilter.filter(), HGCalTBCheckGunPostion.filter(), PythiaFilterIsolatedTrack.filter(), PythiaDauVFilterMatchID.filter(), JetVertexChecker.filter(), HerwigMaxPtPartonFilter.filter(), VBFGenJetFilter.filterGenLeptons(), tkMSParameterization::Elems.find(), cms::DDAlgoArguments.find(), cond::persistency::RunInfoProxy.find(), edm::MapOfVectors< std::string, AnalysisDescription * >.find(), edm::DataFrameContainer.find(), edm::DetSetVector< TotemRPLocalTrack::FittedRecHit >.find(), edm::DetSetRefVector< T, C >.find(), edmNew::DetSetVector< T >.find(), edm.find_if_in_all(), EPOS::IO_EPOS.find_in_map(), HepMCFileReader.find_in_map(), edm::DetSetVector< TotemRPLocalTrack::FittedRecHit >.find_or_insert(), LocalFileSystem.findCachePath(), MCTruthHelper< reco::GenParticle >.findDecayedMother(), StripClusterizerAlgorithm.findDetId(), TauValidation.findFSRandBrem(), edmNew::DetSetVector< T >.findItem(), edm::MapOfVectors< std::string, AnalysisDescription * >.findKey(), TopDecaySubset.findLastParticleInChain(), findLastSelf(), edm::Factory.findMaker(), ElectronCalibration.findMaxHit(), DQMImplNet< DQMNet::Object >.findObject(), BsJpsiPhiFilter.findParticle(), TauValidation.FindPhotosFSR(), pat::PATGenCandsFromSimTracksProducer.findRef(), Pythia8::PowhegHooksBB4L.findresscale(), ConformalMappingFit.findRot(), edm::eventsetup::heterocontainer::HCTypeTag.findType(), CSCXonStrip_MatchGatti.findXOnStrip(), edm.first(), MCTruthHelper< reco::GenParticle >.firstCopy(), GEMEtaPartition.firstStripInPad(), ME0EtaPartition.firstStripInPad(), SymmetryFit.fit(), CSCCondSegFit.fit(), LA_Filler_Fitter.fit_width_profile(), CSCSegFit.fitlsq(), MuonSegFit.fitlsq(), GEMCSCSegFit.fitlsq(), JetCoreClusterSplitter.fittingSplit(), FlatEvtVtxGenerator.FlatEvtVtxGenerator(), FP420SD.FP420SD(), FP420Test.FP420Test(), tauImpactParameter::TrackHelixVertexFitter.freeParName(), MCTruthHelper< reco::GenParticle >.fromHardProcess(), MCTruthHelper< reco::GenParticle >.fromHardProcessBeforeFSR(), MCTruthHelper< reco::GenParticle >.fromHardProcessDecayed(), MCTruthHelper< reco::GenParticle >.fromHardProcessFinalState(), InputGenJetsParticleSelector.fromResonance(), TkMSParameterization.fromTo(), FTFCMS_BIC.FTFCMS_BIC(), FTFPCMS_BERT.FTFPCMS_BERT(), FTFPCMS_BERT_ATL_EMM.FTFPCMS_BERT_ATL_EMM(), FTFPCMS_BERT_EML.FTFPCMS_BERT_EML(), FTFPCMS_BERT_EMM.FTFPCMS_BERT_EMM(), FTFPCMS_BERT_EMM_TRK.FTFPCMS_BERT_EMM_TRK(), FTFPCMS_BERT_EMN.FTFPCMS_BERT_EMN(), FTFPCMS_BERT_EMV.FTFPCMS_BERT_EMV(), FTFPCMS_BERT_EMY.FTFPCMS_BERT_EMY(), FTFPCMS_BERT_EMZ.FTFPCMS_BERT_EMZ(), FTFPCMS_BERT_HP_EML.FTFPCMS_BERT_HP_EML(), FTFPCMS_BERT_HP_EMM.FTFPCMS_BERT_HP_EMM(), FTFPCMS_BERT_XS_EML.FTFPCMS_BERT_XS_EML(), FTFPCMS_INCLXX_EMM.FTFPCMS_INCLXX_EMM(), FTFPCMS_INCLXX_HP_EMM.FTFPCMS_INCLXX_HP_EMM(), G4ProcessHelper.G4ProcessHelper(), GammaFunctionGenerator.gammaFrac(), PhotonFix.gausCorrection(), GaussEvtVtxGenerator.GaussEvtVtxGenerator(), GeantPropagatorESProducer.GeantPropagatorESProducer(), GEMGeometryESModule.GEMGeometryESModule(), edm::RandomXiThetaGunProducer.generateParticle(), Generator.Generator(), FFTJetProducer.genJetPreclusters(), hitfit.gentop(), FakeCPE::Map.get(), evf::evtn.get(), edm::RangeMap< det_id_type, edm::OwnVector< B > >.get(), get_4(), CSCGEMMotherboardLUTME11.get_csc_hs_to_gem_pad(), dqmservices::DQMFileIterator::LumiEntry.get_data_path(), CSCGEMMotherboardLUTME11.get_gem_pad_to_csc_hs(), StripCPE.getAlgoParam(), edm::GlobalSchedule.getAllModuleDescriptions(), edm::Schedule.getAllModuleDescriptions(), edm::StreamSchedule.getAllModuleDescriptions(), edm.getAnyPtr(), edm::service::ThreadSafeLogMessageLoggerScribe.getAparameter(), edm::service::MessageLoggerScribe.getAparameter(), SiStripQuality.getBadApvs(), SiStripQuality.getBadFibers(), MultiTrackSelector.getBestVertex(), EcalSelectiveReadoutProducer.getBinOfMax(), l1t::MP7BufferDumpToRaw.getBlocks(), CSCGEMMotherboard.getBX(), MatacqProducer.getCalibTriggerType(), TtSemiEvtSolution.getCalLept(), TtSemiEvtSolution.getCalLepW(), L1MuBMTrackAssembler.getCancelationTable(), L1MuDTTrackAssembler.getCancelationTable(), DTTSS.getCarry(), HcalGeometry.getCells(), CaloSubdetectorGeometry.getCells(), MatcherUsingTracksAlgorithm.getChi2(), CaloSubdetectorGeometry.getClosestCell(), EcalPreshowerGeometry.getClosestCellInPlane(), fireworks.GetColorValuesForPaletteExtra(), CSCComparatorDigiFitter.getComparatorDigiCoordinates(), L1GtVhdlWriterCore.getCondChipVhdContentFromTriggerMenu(), HIPixelClusterVtxProducer.getContainedHits(), HLTPixelClusterShapeFilter.getContainedHits(), ClusterCompatibilityProducer.getContainedHits(), edm::productholderindexhelper.getContainedTypeFromWrapper(), FastTimeDDDConstants.getCorners(), HLTScalersClient::CountLSFifo_t.getCount(), SiStripThreshold.getData(), getDaughters(), Pythia8::PowhegHooksBB4L.getdechardness(), ROOT::Math::Transform3DPJ.GetDecomposition(), TFitParticleMCPInvSpher.getDerivative(), LaserSorter.getDetailedTriggerType(), mySiStripNoises.getDetIds(), SiStripNoises.getDetIds(), SiStripPedestals.getDetIds(), SiPixelGainCalibrationOffline.getDetIds(), SiPixelGainCalibration.getDetIds(), SiPixelGainCalibrationForHLT.getDetIds(), SiStripBadStrip.getDetIds(), HDQMSummary.getDetIds(), SiStripSummary.getDetIds(), SiStripThreshold.getDetIds(), DTSC.getDTSectCollPhCand(), DTSectColl.getDTSectCollPhCand(), DTSC.getDTSectCollThCand(), DTSectColl.getDTSectCollThCand(), DTTSS.getDTTSCand(), DTTSM.getDTTSCand(), DTTSPhi.getDTTSS(), edm.getEnvironmentVariable(), TopologyWorker.getetaphi(), evf::evtn.getevtyp(), evf::evtn.getfdlbx(), evf::evtn.getfdlpsc(), evf::evtn.getfdlta1(), evf::evtn.getfdlta2(), evf::evtn.getfdlttr(), BasicHepMCValidation::ParticleMonitor.GetFinal(), PerformancePayloadFromBinnedTFormula.getFormula(), ExoticaDQM.getGenParticleTrajectoryAtBeamline(), ClusterShapeTrackFilter.getGlobalDirs(), IsoTrig.getGoodTracks(), evf::evtn.getgpshigh(), evf::evtn.getgpslow(), HCALResponse.getHCALEnergyResponse(), EgammaHcalIsolation.getHcalESum(), EgammaHcalIsolation.getHcalESumDepth1(), EgammaHcalIsolation.getHcalESumDepth2(), EgammaHcalIsolation.getHcalEtSum(), EgammaHcalIsolation.getHcalEtSumDepth1(), EgammaHcalIsolation.getHcalEtSumDepth2(), getHists(), HFShower.getHits(), PseudoTopProducer.getLast(), evf::evtn.getlbn(), StEvtSolution.getLept(), TtDilepEvtSolution.getLeptNeg(), TtDilepEvtSolution.getLeptPos(), StEvtSolution.getLepW(), TwoBodyDecayLinearizationPointFinder.getLinearizationPoint(), StorageFactory.getMaker(), l1t::TriggerSystem.getMasks(), edm::ModuleRegistry.getModule(), HLTPerformanceInfo.getModuleOnPath(), tauImpactParameter::TrackHelixVertexFitter.getMother(), HeavyFlavorValidation.getMotherId(), SiPixelGainCalibrationOffline.getNCols(), SiPixelGainCalibration.getNCols(), SiPixelGainCalibrationForHLT.getNCols(), popcon::EcalSRPHandler.getNewObjects(), popcon::EcalTPGBadStripHandler.getNewObjects(), popcon::EcalTPGBadTTHandler.getNewObjects(), popcon::EcalTPGFineGrainEBIdMapHandler.getNewObjects(), popcon::EcalTPGLinConstHandler.getNewObjects(), popcon::EcalTPGLutIdMapHandler.getNewObjects(), popcon::EcalTPGWeightIdMapHandler.getNewObjects(), popcon::EcalDAQHandler.getNewObjects(), popcon::EcalTPGBadXTHandler.getNewObjects(), popcon::EcalTPGFineGrainEBGroupHandler.getNewObjects(), popcon::EcalTPGFineGrainTowerEEHandler.getNewObjects(), popcon::EcalTPGSlidingWindowHandler.getNewObjects(), popcon::EcalTPGWeightGroupHandler.getNewObjects(), popcon::EcalTPGFineGrainStripEEHandler.getNewObjects(), popcon::EcalTPGPedestalsHandler.getNewObjects(), popcon::EcalTPGLutGroupHandler.getNewObjects(), popcon::EcalTPGSpikeThresholdHandler.getNewObjects(), popcon::EcalPedestalsHandler.getNewObjectsH2(), popcon::EcalPedestalsHandler.getNewObjectsP5(), NuclearTrackCorrector.getNewTrackExtra(), BsJpsiPhiFilter.getNextBs(), AlignmentPI::TkAlBarycenters.getNModules(), cscdqm::Collection.getNodeProperties(), MixCollection< T >.getObject(), evf::evtn.getorbit(), CSCGEMMotherboard.getPad(), LMFCorrCoefDat.getParameters(), l1t::TriggerSystem.getParameters(), PhotonFix.getParameters(), AlignmentPI::TkAlBarycenters.getPartitionAvg(), HLTPerformanceInfo.getPath(), FastLineRecognition.getPatterns(), ClusterShapeHitFilter.getpd(), TMom.getPeak(), DreamSD.getPhotonEnergyDeposit_(), PCrossingFrame< T >.getPileups(), FastTimeDDDConstants.getPosition(), DPFIsolation.getPredictions(), edm.getProduct(), edm::RootDelayedReader.getProduct_(), HDRShower.getR(), mySiStripNoises.getRange(), SiStripNoises.getRange(), SiStripPedestals.getRange(), SiPixelGainCalibrationOffline.getRange(), SiPixelGainCalibration.getRange(), SiPixelGainCalibrationForHLT.getRange(), SiStripBadStrip.getRange(), SiStripApvGain.getRange(), HDQMSummary.getRange(), SiStripSummary.getRange(), SiStripThreshold.getRange(), SiPixelGainCalibrationOffline.getRangeAndNCols(), SiPixelGainCalibration.getRangeAndNCols(), SiPixelGainCalibrationForHLT.getRangeAndNCols(), SiStripNoises.getRangeByPos(), SiStripBadStrip.getRangeByPos(), StEvtSolution.getRecLept(), TtSemiEvtSolution.getRecLept(), TtSemiEvtSolution.getRecLepW(), tauImpactParameter::TrackHelixVertexFitter.getRefitLorentzVectorParticles(), tauImpactParameter::TrackHelixVertexFitter.getRefitTracks(), SiStripApvGain.getRegistryPointers(), pat::helper::ResolutionHelper.getResolE(), pat::helper::ResolutionHelper.getResolEt(), pat::helper::ResolutionHelper.getResolPt(), pat::helper::ResolutionHelper.getResolPx(), pat::helper::ResolutionHelper.getResolPy(), pat::helper::ResolutionHelper.getResolPz(), pat::helper::ResolutionHelper.getResolTheta(), BtagPerformance.getResult(), PerformancePayloadFromTable.getResult(), PerformancePayloadFromBinnedTFormula.getResult(), PerformancePayloadFromTFormula.getResult(), CSCGEMMotherboard.getRoll(), ClusterShapeHitFilter.getSizes(), SiStripPI.getTheRange(), AlignmentPI.getTheRange(), DTTSS.getTrack(), DTTSM.getTrack(), DTSC.getTrackPh(), DTSectColl.getTrackPh(), DTSC.getTrackTh(), DTSectColl.getTrackTh(), FlatHexagon.getTransform(), TruncatedPyramid.getTransform(), FlatTrd.getTransform(), CaloCellGeometry.getTransform(), ConversionSeedFilter.getTSOS(), StormLcgGtStorageMaker.getTURL(), StormStorageMaker.getTURL(), tauImpactParameter::ParticleBuilder.getVertex(), edm::WorkerRegistry.getWorker(), edm.getWrapperBasePtr(), getX509SubjectFromFile(), GFlash.GFlash(), GflashG4Watcher.GflashG4Watcher(), CSCUpgradeAnodeLCTProcessor.ghostCancellationLogicOneWire(), CSCAnodeLCTProcessor.ghostCancellationLogicOneWire(), reco::GhostTrackPrediction.GhostTrackPrediction(), HLTriggerJSONMonitoring.globalBeginRun(), GlobalDetLayerGeometryESProducer.GlobalDetLayerGeometryESProducer(), TrackPropagation.globalVectorToHep3Vector(), TrackPropagation.globalVectorToHepNormal3D(), PFTrackAlgoTools.goodPtResolution(), GlobalTrackerMuonAlignment.gradientGlobal(), GsfMaterialEffectsESProducer.GsfMaterialEffectsESProducer(), GsfTrajectoryFitterESProducer.GsfTrajectoryFitterESProducer(), GsfTrajectorySmoother.GsfTrajectorySmoother(), GsfTrajectorySmootherESProducer.GsfTrajectorySmootherESProducer(), evf::evtn.gtpe_board_sense(), evf::evtn.gtpe_get(), evf::evtn.gtpe_getbx(), evf::evtn.gtpe_getlbn(), evf::evtn.gtpe_getorbit(), XrdAdaptor::RequestManager.handle(), FWPSetCellEditor.HandleKey(), MCTruthHelper< reco::GenParticle >.hardProcessMotherCopy(), TkPixelMeasurementDet.hasBadComponents(), PrimaryVertexValidation.hasFirstLayerPixelHits(), InputGenJetsParticleSelector.hasPartonChildren(), TauDecay.hasResonance(), edmtest::HcalDumpConditions.HcalDumpConditions(), HcalForwardAnalysis.HcalForwardAnalysis(), HcalHardcodeParameters.HcalHardcodeParameters(), HcalQie.HcalQie(), HCALResponse.HCALResponse(), HCalSD.HCalSD(), HcalTB02Analysis.HcalTB02Analysis(), HcalTB02SD.HcalTB02SD(), HcalTB04Analysis.HcalTB04Analysis(), HcalTB06Analysis.HcalTB06Analysis(), HcalTB06BeamSD.HcalTB06BeamSD(), HcalTestAnalysis.HcalTestAnalysis(), HectorProducer.HectorProducer(), HelixExtrapolatorToLine2Order.HelixExtrapolatorToLine2Order(), TrackPropagation.hep3VectorToGlobalVector(), Generator.HepMC2G4(), TrackPropagation.hepNormal3DToGlobalVector(), HFFibre.HFFibre(), HFGflash.HFGflash(), HFNoseSD.HFNoseSD(), HFShower.HFShower(), HFShowerFibreBundle.HFShowerFibreBundle(), HFShowerLibrary.HFShowerLibrary(), HFShowerParam.HFShowerParam(), HFShowerPMT.HFShowerPMT(), HGCalSD.HGCalSD(), HGCalTB16SD01.HGCalTB16SD01(), HGCalTBMB.HGCalTBMB(), HGCPassive.HGCPassive(), HGCScintSD.HGCScintSD(), HGCSD.HGCSD(), QualityCutsAnalyzer::histogram_element_t.histogram_element_t(), ctfseeding::HitExtractorPIX.hits(), SeedingLayerSetsHits.hits(), DTSimHitMatcher.hitWiresInDTChamberId(), DTSimHitMatcher.hitWiresInDTSuperLayerId(), HLTPixelIsolTrackFilter.hltFilter(), HLTMuonDimuonL2Filter.hltFilter(), HLTMuonDimuonL2FromL1TFilter.hltFilter(), HLTMuonTrimuonL3Filter.hltFilter(), HLTDoublet< T1, T2 >.hltFilter(), HLTmmkFilter.hltFilter(), HLTmmkkFilter.hltFilter(), MTDGeometry.idToDet(), TrackerGeometry.idToDet(), MTDGeometry.idToDetUnit(), TrackerGeometry.idToDetUnit(), cond::persistency.importIovs(), MFGrid3D.index(), InFile_Open(), triggerExpression::PathReader.init(), FWViewContextMenuHandlerGL.init(), TFitParticleMCCart.init(), TFitParticleMCSpher.init(), TFitParticleMCMomDev.init(), TFitParticleMCPInvSpher.init(), ProtonReconstructionAlgorithm.init(), DTBtiChip.init(), fit::RootMinuit< Function >.init(), SiPixelDigitizerAlgorithm.initCal(), CondDBESSource.initConcurrentIOVs(), IdealZDCTrapezoid.initCorners(), IdealObliquePrism.initCorners(), IdealCastorTrapezoid.initCorners(), IdealZPrism.initCorners(), CastorShowerLibrary.initFile(), LocalFileSystem.initFSInfo(), CMSmplIonisationWithDeltaModel.Initialise(), UrbanMscModel93.Initialise(), CMSmplIonisation.InitialiseEnergyLossProcess(), CMSFieldManager.InitialiseForVolume(), CMSDarkPairProductionProcess.InitialiseProcess(), SiStripDetVOffFakeBuilder.initialize(), CMSCGEN.initialize(), edm::StreamSchedule.initializeEarlyDelete(), EcalEndcapGeometry.initializeParms(), RectangularPlaneBounds.inout(), cms::SubEventGenJetProducer.inputTowers(), ShallowDigisProducer.insert(), EcalCondDBInterface.insertConfigDataSet(), EcalCondDBInterface.insertDataSet(), JetFlavourClustering.insertGhosts(), popcon::EcalDCSHandler.insertHVDataSetToOffline(), popcon::EcalDCSHandler.insertLVDataSetToOffline(), edm.insertSelectedProcesses(), SimpleDiskBounds.inside(), DiskSectorBounds.inside(), RectangularPlaneBounds.inside(), SimpleCylinderBounds.inside(), Bounds.inside(), TrapezoidalPlaneBounds.inside(), SimpleConeBounds.inside(), CaloCellGeometry.inside(), EcalHitMaker.inside3D(), HCALResponse.interHD(), CaloHitMaker.intersect(), CSCUpgradeMotherboard.intersection(), invalidateTree(), ThirdHitPrediction.invertPoint(), spu.is_end_of_archive(), CMSDarkPairProductionProcess.IsApplicable(), SiStripQuality.IsApvBad(), PseudoTopProducer.isBHadron(), VertexClassifier.isCharged(), TrackClassifier.isCharged(), ThirdHitPrediction.isCompatibleWithMultipleScattering(), MCTruthHelper< reco::GenParticle >.isDecayedLeptonHadron(), MCTruthHelper< reco::GenParticle >.isDirectHadronDecayProduct(), MCTruthHelper< reco::GenParticle >.isDirectHardProcessTauDecayProduct(), MCTruthHelper< reco::GenParticle >.isDirectPromptTauDecayProduct(), MCTruthHelper< reco::GenParticle >.isDirectTauDecayProduct(), SiStripQuality.IsFiberBad(), VertexClassifier.isFinalstateParticle(), TrackClassifier.isFinalstateParticle(), BasicHepMCValidation::ParticleMonitor.isFirst(), MCTruthHelper< reco::GenParticle >.isFirstCopy(), PseudoTopProducer.isFromHadron(), CSCGEMMotherboard.isGEMDetId(), MuonIdProducer.isGoodTrack(), MCTruthHelper< reco::GenParticle >.isHadron(), MCTruthHelper< reco::GenParticle >.isHardProcess(), MCTruthHelper< reco::GenParticle >.isHardProcessTauDecayProduct(), HiGammaJetSignalDef.IsIsolated(), HiGammaJetSignalDef.IsIsolatedJP(), HiGammaJetSignalDef.IsIsolatedPP(), MCTruthHelper< reco::GenParticle >.isLastCopy(), MCTruthHelper< reco::GenParticle >.isLastCopyBeforeFSR(), l1t::TriggerSystem.isMasked(), SiStripQuality.IsModuleBad(), SiStripDetVOff.IsModuleHVOff(), SiStripDetVOff.IsModuleLVOff(), SiStripQuality.IsModuleUsable(), SiStripDetVOff.IsModuleVOff(), MCTruthHelper< reco::GenParticle >.isMuonDecayProduct(), PerformancePayloadFromBinnedTFormula.isOk(), PerformancePayloadFromTFormula.isOk(), PerformancePayloadFromTable.isParametrizedInVariable(), PerformancePayloadFromBinnedTFormula.isParametrizedInVariable(), PerformancePayloadFromTFormula.isParametrizedInVariable(), pat::helper::ParametrizationHelper.isPhysical(), l1t::TriggerSystem.isProcEnabled(), MCTruthHelper< reco::GenParticle >.isPrompt(), MCTruthHelper< reco::GenParticle >.isPromptDecayed(), MCTruthHelper< reco::GenParticle >.isPromptFinalState(), MCTruthHelper< reco::GenParticle >.isPromptMuonDecayProduct(), MCTruthHelper< reco::GenParticle >.isPromptTauDecayProduct(), BtagPerformance.isResultOk(), MCTruthHelper< reco::GenParticle >.isTauDecayProduct(), edmNew::DetSetVector< T >.isValid(), FWInteractionList.itemChanged(), FFTJetProducer.iterateJetReconstruction(), edm.iterateTrieLeaves(), IterativeHelixExtrapolatorToLine.IterativeHelixExtrapolatorToLine(), jacobianCartesianToCurvilinear(), JacobianCartesianToLocal.JacobianCartesianToLocal(), PerigeeConversions.jacobianCurvilinear2Perigee(), jacobianCurvilinearToCartesian(), PerigeeConversions.jacobianPerigee2Curvilinear(), fftjetcms.jetFromStorable(), join(), tmtt::KFbase.kalmanDeadLayers(), KFSwitching1DUpdatorESProducer.KFSwitching1DUpdatorESProducer(), KFTrajectorySmoother.KFTrajectorySmoother(), KFUpdatorESProducer.KFUpdatorESProducer(), KillSecondariesTrackAction.KillSecondariesTrackAction(), hitfit::Lepjets_Event.kt(), L1MuDTEtaPattern.L1MuDTEtaPattern(), popcon::EcalChannelStatusHandler.laserAnalysis(), LaserOpticalPhysics.LaserOpticalPhysics(), MCTruthHelper< reco::GenParticle >.lastCopy(), MCTruthHelper< reco::GenParticle >.lastCopyBeforeFSR(), MCTruthHelper< reco::GenParticle >.lastDaughterCopyBeforeFSR(), GEMEtaPartition.lastStripInPad(), ME0EtaPartition.lastStripInPad(), DTSimHitMatcher.layerIds(), CSCAnodeLCTProcessor.lctSearch(), PerformancePayloadFromBinnedTFormula.limitPos(), PerformancePayloadFromTFormula.limitPos(), l1tpf_impl::PFAlgo2HGC.linkedcalo_algo(), l1tpf_impl::PFAlgo3.linkedcalo_algo(), l1tpf_impl::PFAlgo2HGC.linkedtk_algo(), l1tpf_impl::PFAlgo3.linkedtk_algo(), G4SimEvent.load(), BTagCalibrationReader::BTagCalibrationReaderImpl.load(), CovarianceParameterization.load(), hcaldqm::ContainerXXX< int >.load(), MP7PacketReader.load(), edmplugin::PluginManager.load(), DTTSTheta.loadDTTSTheta(), loadFFTJetInterpolationTable(), cond::persistency::KeyList.loadFromDB(), HGCalGeomParameters.loadGeometryHexagon(), FWGeometry.loadMap(), PseudoBayesGrouping.LoadPattern(), HcalPatternSource.loadPatterns(), DTSectColl.loadSectColl(), gs.loadStringArchiveFromArchive(), DTTracoCard.loadTRACO(), DTTSPhi.loadTSPhi(), LocalCacheFile.LocalCacheFile(), DTBtiCard.localClear(), DTTracoCard.localClear(), IdealObliquePrism.localCorners(), IdealZPrism.localCorners(), StripCPEgeometric.localParameters(), StripCPE.localParameters(), Phase2StripCPE.localParameters(), StripCPEfromTrackAngle.localParameters(), LocalTrajectoryParameters.LocalTrajectoryParameters(), fit::Likelihood< Sample, PDF, Yield >.log(), LookToRead_CreateVTable(), LookToRead_Init(), LookToRead_Look_Exact(), LookToRead_Look_Lookahead(), LookToRead_Read(), LookToRead_Seek(), LookToRead_Skip(), QualityCutsAnalyzer.LoopOverJetTracksAssociation(), tauImpactParameter::TrackTools.lorentzParticleAtPosition(), PPSTools.LorentzVector2HectorParticle(), edm.lower_bound_all(), LzmaDec_Allocate(), LzmaDec_AllocateProbs(), LzmaDec_AllocateProbs2(), LzmaDec_DecodeReal(), LzmaDec_DecodeReal2(), LzmaDec_DecodeToBuf(), LzmaDec_DecodeToDic(), LzmaDec_Free(), LzmaDec_FreeDict(), LzmaDec_FreeProbs(), LzmaDec_Init(), LzmaDec_InitDicAndState(), LzmaDec_InitRc(), LzmaDec_InitStateReal(), LzmaDec_TryDummy(), LzmaDec_WriteRem(), LzmaDecode(), LzmaProps_Decode(), MagneticFieldMapESProducer.MagneticFieldMapESProducer(), main(), SensitiveDetectorMaker< T >.make(), PhysicsListMaker< T >.make(), SimWatcherMaker< T >.make(), EMTFSubsystemCollector.make_copad_gem(), make_range(), HFClusterAlgo.makeCluster(), HGCalImagingAlgo.makeClusters(), egHLT::TrigCodes.makeCodes(), hcaldqm::quantity::FEDQuantity.makeCopy(), hcaldqm::quantity::EventType.makeCopy(), TagProbeFitter.makeEfficiencyPlot1D(), DTSurveyChamber.makeErrors(), CmsShowMainFrame.makeFixedSizeLabel(), HSCPValidator.makeGenPlots(), TMultiDimFet.MakeGramSchmidt(), fireworks_root_gui.makeHorizontalFrame(), fireworks_root_gui.makeLabel(), DTSurveyChamber.makeMatrix(), edm::Maker.makeModule(), edm::Factory.makeModule(), edm::WorkerMaker< T >.makeModule(), rawparticle.makeMuon(), DQMImplNet< DQMNet::Object >.makeObject(), makeParticle(), TotemRPDQMHarvester.MakePlaneEfficiencyHistograms(), HSCPValidator.makeRecoPlots(), edm::Maker.makeReplacementModule(), edm::Factory.makeReplacementModule(), CMSG4CheckOverlap.makeReportForOverlaps(), FWParameterSetterBase.makeSetterFor(), HTXS.MakeTLV(), ticl::PatternRecognitionbyCA< TILES >.makeTracksters(), makeVecForEventShape(), DTSurveyChamber.makeVector(), edm::reftobase::IndirectHolder< T >.makeVectorHolder(), edm::MapOfVectors< std::string, AnalysisDescription * >.MapOfVectors(), DQMImplNet< DQMNet::Object >.markObjectsDead(), L1TOccupancyClientHistogramService.maskBins(), MuScleFitUtils.massProb(), ErrorsPropagationAnalyzer.massResolution(), MuScleFitUtils.massResolution(), RPCSimHitMatcher.match(), ME0SimHitMatcher.match(), CSCSimHitMatcher.match(), GEMSimHitMatcher.match(), SiStripRecHitMatcher.match(), Pythia8::PowhegHooksBB4L.match_decay(), GEMDigiMatcher.matchClustersToSimTrack(), GEMDigiMatcher.matchCoPadsToSimTrack(), PerformancePayloadFromTable.matches(), CSCGEMMotherboard.matchingPads(), CSCStubMatcher.matchLCTsToSimTrack(), MaterialBudget.MaterialBudget(), MaterialBudgetCastorHistos.MaterialBudgetCastorHistos(), MaterialBudgetForward.MaterialBudgetForward(), MaterialBudgetHcal.MaterialBudgetHcal(), MaterialBudgetHcalHistos.MaterialBudgetHcalHistos(), PerformancePayloadFromTable.maxPos(), CSCTriggerPrimitivesReader.MCStudies(), ME0GeometryESModule.ME0GeometryESModule(), CSCRadialStripTopology.measurementError(), TkRadialStripTopology.measurementError(), RectangularMTDTopology.measurementPosition(), RectangularPixelTopology.measurementPosition(), MeasurementTrackerESProducer.MeasurementTrackerESProducer(), TrackMerger.merge(), CTPPSRPAlignmentCorrectionsDataESSourceXML.Merge(), cms::DDFilteredView.mergedSpecifics(), PerformancePayloadFromTable.minPos(), edm::MessageLoggerQ.MLqCFG(), edm::MessageLoggerQ.MLqLOG(), FWInteractionList.modelChanges(), FWDigitSetProxyBuilder.modelChanges(), FWProxyBuilderBase.modelChanges(), Phase2TrackerDigitizerAlgorithm.module_killing_DB(), HLTPerformanceInfo.moduleIndexInPath(), RectangularMTDTopology.moduleToPixelLocalPoint(), CosmicParametersDefinerForTP.momentum(), RKCurvilinearDistance< T, N >.momentum(), ParametersDefinerForTP.momentum(), CurvilinearState.momentum(), multiTrajectoryStateMode.momentumFromModeP(), multiTrajectoryStateMode.momentumFromModePPhiEta(), MonopoleSteppingAction.MonopoleSteppingAction(), MCTruthHelper< reco::GenParticle >.mother(), MTDCPEESProducer.MTDCPEESProducer(), MtdSD.MtdSD(), MTDTimeCalibESProducer.MTDTimeCalibESProducer(), mtrReset(), CalorimetryManager.MuonMipSimulation(), MuonSensitiveDetector.MuonSensitiveDetector(), ZMuMuIsolationAnalyzer.muTag(), MyAlloc(), CmsTrackerStringToEnum.name(), popcon::EcalChannelStatusHandler.nBadLaserModules(), HGCalGeometry.neighborZ(), MCTruthHelper< reco::GenParticle >.nextCopy(), cms::MuonTCMETValueMapProducer.nLayers(), cms::DDFilteredView.nodeCopyNo(), DCacheStorageMaker.normalise(), l1tpf_impl::Region.nOutput(), DTTSTheta.nSegm(), DTTSPhi.nSegm(), DTSectColl.nSegmPh(), DTSectColl.nSegmTh(), FullModelReactionDynamics.NuclearReaction(), MCTruthHelper< reco::GenParticle >.numberOfDaughters(), MCTruthHelper< reco::GenParticle >.numberOfMothers(), pat::ObjectResolutionCalc.ObjectResolutionCalc(), HLTMultipletFilter.objects(), edm::MapOfVectors< std::string, AnalysisDescription * >.offset(), oldComputeBetheBloch(), oldComputeElectrons(), oldMUcompute(), DQMNet.onMessage(), DQMNet.onPeerConnect(), DQMNet.onPeerData(), dqmservices::DQMStreamerReader.openNextFileImp_(), L1MuDTEtaPattern.operator!=(), GenParticleInfoExtractor.operator()(), PixelDigitizerAlgorithm::TimewalkCurve.operator()(), PropagationDirectionChooser.operator()(), geomsort::ExtractR< T, Scalar >.operator()(), rpcdetlayergeomsort::ExtractInnerRadius< T, Scalar >.operator()(), VertexCompatibleWithBeam.operator()(), GenJetParticleSelector.operator()(), pat::eventhypothesis::ParticleFilter.operator()(), mySiStripNoises::StrictWeakOrdering.operator()(), Book::match_name.operator()(), TrackClassFilter.operator()(), SimTrackManager::StrictWeakOrdering.operator()(), SiStripNoises::StrictWeakOrdering.operator()(), SiStripQuality::BadComponentStrictWeakOrdering.operator()(), ZGoldenFilter.operator()(), SiPixelGainCalibrationOffline::StrictWeakOrdering.operator()(), SiStripPedestals::StrictWeakOrdering.operator()(), geomsort::ExtractPhi< T, Scalar >.operator()(), SiPixelGainCalibrationForHLT::StrictWeakOrdering.operator()(), SiPixelGainCalibration::StrictWeakOrdering.operator()(), SiStripBadStrip::StrictWeakOrdering.operator()(), HDQMSummary::StrictWeakOrdering.operator()(), pat::EventHypothesis::ByRole.operator()(), GenParticleCustomSelector.operator()(), SiPixelQuality::BadComponentStrictWeakOrdering.operator()(), MTDNavigationSchool::delete_layer.operator()(), edm::RangeMap< ID, C, P >::comp< CMP >.operator()(), hitfit::LeptonTranslatorBase< AElectron >.operator()(), reco::tau::PFRecoTauChargedHadronFromGenericTrackPlugin< TrackClass >.operator()(), sort_pair_first< T1, T2, Pred >.operator()(), CaloParticleSelector.operator()(), geomsort::ExtractZ< T, Scalar >.operator()(), MuonNavigationSchool::delete_layer.operator()(), TrackingParticleSelector.operator()(), SiStripSummary::StrictWeakOrdering.operator()(), geomsort::ExtractAbsZ< T, Scalar >.operator()(), RecoTrackSelectorBase.operator()(), SiStripThreshold::StrictWeakOrdering.operator()(), SiStripThreshold::dataStrictWeakOrdering.operator()(), ExtractBarrelDetLayerR.operator()(), hitfit::JetTranslatorBase< pat::Jet >.operator()(), edm::helper::IndexRangeAssociation::IDComparator.operator()(), edm::service::close_and_delete.operator()(), fftjetcms::Polynomial.operator()(), edm::ValueMap< T >::IDComparator.operator()(), edm::DoPostInsert< T >.operator()(), operator+(), Basic2DVector< float >.operator+=(), Basic3DVector< long double >.operator+=(), Basic3DVector< align::Scalar >.operator+=(), operator-(), Basic2DVector< float >.operator-=(), Basic3DVector< align::Scalar >.operator-=(), hitfit::Lepjets_Event_Lep.operator<(), operator<<(), hitfit.operator<<(), edm.operator<<(), OwnIt< T >.operator=(), ProxyBase11< T >.operator=(), edm::Guid.operator=(), DTTracoChip.operator=(), L1MuDTEtaPattern.operator=(), Point.operator=(), SimpleL1MuGMTCand.operator=(), edm::service::ProcInfo.operator==(), edm::Guid.operator==(), edm::service::smapsInfo.operator==(), L1MuDTEtaPattern.operator==(), edm::service::ProcInfo.operator>(), edm::service::smapsInfo.operator>(), operator>>(), edmNew::DetSetVector< T >.operator[](), Rivet::HiggsTemplateCrossSections.originateFrom(), OscarMTProducer.OscarMTProducer(), OscarProducer.OscarProducer(), OutFile_Open(), p1evlf(), ParticleLevelProducer.p4(), TopDecaySubset.p4(), pat::helper::ParametrizationHelper.p4fromParameters(), L1GTDigiToRaw.packGMT(), hitfit::Pair_Table.Pair_Table(), G4SimEvent.param(), fit::RootMinuitCommands< Function >.parameter(), fit::RootMinuit< Function >.parameterIndex(), edm::ProductProvenance.parentage(), parseFFTJetScaleCalculator(), spu.parseoct(), CmsShowMainBase.partialWriteToConfigFile(), Generator.particleAssignDaughters(), Generator.particlePassesPrimaryCuts(), partIdx(), MCPdgIndexFilter.pass(), SeedFinderSelector.pass(), DDSelLevelCollector.path(), CSCCathodeLCTProcessor.patternFinding(), MCTruthHelper< reco::GenParticle >.pdgId(), popcon::EcalChannelStatusHandler.pedAnalysis(), PetrukhinFunc(), fastsim::MuonBremsstrahlung.PetrukhinFunc(), Phase2StripCPEESProducer.Phase2StripCPEESProducer(), ecaldqm.phi(), dqmservices::JsonWritingTimeoutPoolOutputModule.physicalAndLogicalNameForNewFile(), PhysicsPerformanceDBWriterFromFile_WPandPayload.PhysicsPerformanceDBWriterFromFile_WPandPayload(), PhysicsPerformanceDBWriterFromFile_WPandPayload_IOV.PhysicsPerformanceDBWriterFromFile_WPandPayload_IOV(), PhysicsPerformanceDBWriterTFormula_fromfile_WPandPL.PhysicsPerformanceDBWriterTFormula_fromfile_WPandPL(), hitfit::Resolution.pick(), PixelTopology.pixel(), RectangularMTDTopology.pixel(), RectangularPixelTopology.pixel(), SiPixelDigitizerAlgorithm.pixel_inefficiency(), PixelCPEClusterRepairESProducer.PixelCPEClusterRepairESProducer(), PixelCPEGenericESProducer.PixelCPEGenericESProducer(), PixelCPETemplateRecoESProducer.PixelCPETemplateRecoESProducer(), PrimaryVertexValidation.pixelHitsCheck(), pos::PixelPortCardConfig.PixelPortCardConfig(), RectangularMTDTopology.pixelToModuleLocalPoint(), root.plot(), PltSD.PltSD(), DTPosNegType.pnCode(), DTPosNeg.pnCode(), SymmetryFit.pol2_from_pol2(), SymmetryFit.pol2_from_pol3(), pat::helper::ParametrizationHelper.polarP4fromParameters(), polevlf(), edmNew::DetSetVector< T >.pop_back(), FullModelHadronicProcess.PostStepDoIt(), TrackingAction.PostUserTrackingAction(), PPSDiamondSD.PPSDiamondSD(), PPSPixelSD.PPSPixelSD(), CmsShowSearchFiles.prefixChoosen(), fireworks.prepareTrack(), MCTruthHelper< reco::GenParticle >.previousCopy(), ME0PadDigiCluster.print(), GEMPadDigiCluster.print(), Combinatorics.Print(), hcaldqm::ContainerXXX< int >.print(), L1MuDTEtaProcessor.print(), L1MuBMEtaProcessor.print(), DTConfigBti.print(), TMultiDimFet.Print(), edm::ParameterSwitchBase.printCase(), edm::ParameterSwitchBase.printCaseT(), SiStripPsuDetIdMap.printControlMap(), tmtt::DupFitTrkKiller.printDuplicateTracks(), FastTimerService.printEvent(), PrintGeomInfoAction.PrintGeomInfoAction(), PrintGeomSummary.PrintGeomSummary(), TkSimHitPrinter.printGlobal(), sistrip.printHex(), Phase2Tracker.printHex(), TkSimHitPrinter.printHitData(), popcon::EcalDCSHandler.printHVDataSet(), TkSimHitPrinter.printLocal(), popcon::EcalDCSHandler.printLVDataSet(), SiStripPsuDetIdMap.printMap(), PrintMaterialBudgetInfo.PrintMaterialBudgetInfo(), FBaseSimEvent.printMCTruth(), TMultiDimFet.PrintPolynomialsSpecial(), PrintSensitive.PrintSensitive(), FastTimerService.printSummary(), IsolatedTracksCone.printTrack(), IsolatedTracksNxN.printTrack(), PrintTrackNumberAction.PrintTrackNumberAction(), TrackstersMergeProducer.printTrackstersDebug(), TrackFinder.process(), PFTauElecRejectionBenchmark.process(), sistrip::MeasureLA.process_reports(), l1t::Stage2Layer2DemuxTauAlgoFirmwareImp1.processEvent(), l1t::Stage2Layer2DemuxEGAlgoFirmwareImp1.processEvent(), G4ProcessTypeEnumerator.processId(), G4ProcessTypeEnumerator.processIdLong(), edm::ProductResolverIndexHelper.processIndex(), edm::StreamSchedule.processOneStreamAsync(), pps::RawDataUnpacker.processOptoRxFrameSerial(), CTPPSDirectProtonSimulation.processProton(), FWGeoTopNodeGL.ProcessSelection(), edm::FlatRandomPtThetaGunProducer.produce(), edm::GaussRandomPThetaGunProducer.produce(), edm::CloseByParticleGunProducer.produce(), edm::RandomMultiParticlePGunProducer.produce(), edm::FlatRandomEThetaGunProducer.produce(), edm::FlatRandomMultiParticlePGunProducer.produce(), edm::FileRandomKEThetaGunProducer.produce(), edm::FlatRandomOneOverPtGunProducer.produce(), PseudoTopProducer.produce(), edm::FlatRandomPtGunProducer.produce(), reco::modules::CaloRecHitCandidateProducer< HitCollection >.produce(), edm::FlatRandomEGunProducer.produce(), edm::ExpoRandomPtGunProducer.produce(), edm::MultiParticleInConeGunProducer.produce(), edm::BeamMomentumGunProducer.produce(), edm::ExpoRandomPGunProducer.produce(), ParticleDecayProducer.produce(), ParticleLevelProducer.produce(), CastorFastClusterProducer.produce(), CastorFastTowerProducer.produce(), pat::PATTauSlimmer.produce(), EcalIsolatedParticleCandidateProducer.produce(), ConeIsolation.produce(), IPTCorrector.produce(), PFMuonUntagger.produce(), PFConversionProducer.produce(), GenParticlePruner.produce(), TtSemiEvtSolutionMaker.produce(), IsolatedEcalPixelTrackCandidateProducer.produce(), MCTrackMatcher.produce(), edm::FlatRandomPtAndDxyGunProducer.produce(), CaloTowerCandidateCreator.produce(), TtHadEvtSolutionMaker.produce(), pat::PATMuonSlimmer.produce(), ShallowDigisProducer.produce(), GenParticles2HepMCConverter.produce(), HLTDisplacedmumumuVtxProducer.produce(), ImpactParameter.produce(), HLTDisplacedmumuVtxProducer.produce(), EgammaHLTCaloTowerProducer.produce(), HLTTauMCProducer.produce(), CaloTowerFromL1TSeededCreatorForTauHLT.produce(), HLTDisplacedtktktkVtxProducer.produce(), HLTDisplacedtktkVtxProducer.produce(), SiStripRegFEDSelector.produce(), PFTrackProducer.produce(), edm::BeamHaloProducer.produce(), ZdcHitReconstructor.produce(), CaloTowerFromL1TCreatorForTauHLT.produce(), CaloTowerCreatorForTauHLT.produce(), FakeTrackProducer< T >.produce(), ECALRegFEDSelector.produce(), HLTmumutktkVtxProducer.produce(), LeptonInJetProducer< T >.produce(), CTPPSProtonProducer.produce(), TotemRPUVPatternFinder.produce(), HcalHitReconstructor.produce(), HLTmumutkVtxProducer.produce(), IsolatedPixelTrackCandidateProducer.produce(), RecHitCorrector.produce(), LHE2HepMCConverter.produce(), ConvBremSeedProducer.produce(), IsolatedPixelTrackCandidateL1TProducer.produce(), PATObjectCrossLinker.produce(), tmtt::TMTrackProducer.produce(), CastorTowerProducer.produce(), NanoAODBaseCrossCleaner.produce(), FastPrimaryVertexWithWeightsProducer.produce(), HFPhase1Reconstructor.produce(), CTPPSSimHitProducer.produce(), pat::PATTriggerProducer.produce(), FlavorHistoryProducer.produce(), CTPPSTotemDigiToRaw.produce(), L1TkMuonProducer.produce(), CTPPSPixelDigiToRaw.produce(), FastPrimaryVertexProducer.produce(), TemplatedSecondaryVertexProducer< IPTI, VTX >.produce(), BaseMVAValueMapProducer< pat::Jet >.produce(), GenPUProtonProducer.produce(), IPProducer< Container, Base, Helper >.produce(), HBHEPhase1Reconstructor.produce(), edm::ProductProvenance.ProductProvenance(), CTPPSProtonReconstructionPlotter.profileToRMSGraph(), CTPPSProtonReconstructionSimulationValidator::PlotGroup.profileToRMSGraph(), TrackingRecHitPropagator.project(), spr.propagateCALO(), StraightLinePropagator.propagatedState(), StraightLinePropagator.propagateParametersOnCylinder(), AnalyticalPropagator.propagateParametersOnCylinder(), StraightLinePropagator.propagateParametersOnPlane(), AnalyticalPropagator.propagateParametersOnPlane(), tauImpactParameter::TrackTools.propagateToXPosition(), tauImpactParameter::TrackTools.propagateToYPosition(), tauImpactParameter::TrackTools.propagateToZPosition(), AnalyticalImpactPointExtrapolator.propagateWithHelix(), AnalyticalTrajectoryExtrapolatorToLine.propagateWithHelix(), AnalyticalPropagator.propagateWithHelixCrossing(), StraightLinePropagator.propagateWithPath(), ProtonTaggerFilter.ProtonTaggerFilter(), edm::eventsetup::EventSetupProvider.proxyProviderDescriptions(), EmissionVetoHook1.pTpowheg(), PTrajectoryStateOnDet.PTrajectoryStateOnDet(), LA_Filler_Fitter.pull(), DAClusterizerInZ.purge(), DAClusterizerInZ_vect.purge(), DAClusterizerInZT_vect.purge(), DQMImplNet< DQMNet::Object >.purgeDeadObjects(), edm::RefToBaseVector< reco::Track >.push_back(), mySiStripNoises.put(), SiStripDetVOff.put(), SiStripNoises.put(), SiStripPedestals.put(), SiPixelGainCalibrationOffline.put(), SiPixelGainCalibrationForHLT.put(), SiPixelGainCalibration.put(), SiStripBadStrip.put(), SiStripApvGain.put(), HDQMSummary.put(), SiStripSummary.put(), edm::RangeMap< det_id_type, edm::OwnVector< B > >.put(), SiStripThreshold.put(), SiStripQuality.put_replace(), KfTrackProducerBase.putInEvt(), GsfTrackProducerBase.putInEvt(), TrackProducerWithSCAssociation.putInEvt(), PYBIND11_MODULE(), Herwig6Hadronizer.pythiaStatusCode(), QBBCCMS.QBBCCMS(), QGSPCMS_BERT.QGSPCMS_BERT(), QGSPCMS_BERT_EML.QGSPCMS_BERT_EML(), QGSPCMS_BERT_EMV.QGSPCMS_BERT_EMV(), QGSPCMS_BERT_HP_EML.QGSPCMS_BERT_HP_EML(), QGSPCMS_FTFP_BERT.QGSPCMS_FTFP_BERT(), QGSPCMS_FTFP_BERT_EML.QGSPCMS_FTFP_BERT_EML(), QGSPCMS_FTFP_BERT_EMM.QGSPCMS_FTFP_BERT_EMM(), QGSPCMS_FTFP_BERT_EMN.QGSPCMS_FTFP_BERT_EMN(), QGSPCMS_FTFP_BERT_EMV.QGSPCMS_FTFP_BERT_EMV(), QGSPCMS_FTFP_BERT_EMY.QGSPCMS_FTFP_BERT_EMY(), QGSPCMS_FTFP_BERT_EMZ.QGSPCMS_FTFP_BERT_EMZ(), Rivet::HiggsTemplateCrossSections.quarkDecay(), edm::RandomMultiParticlePGunProducer.RandomMultiParticlePGunProducer(), SiStripFedCabling.range(), ThirdHitPredictionFromCircle::HelixRZ.rAtZ(), cms::DDAlgoArguments.rawArgument(), HepMCFileReader.rdstate(), SimBeamSpotObjects.read(), DTTFBitArray< N >.read(), BitArray< 9 >.read(), StoreESCondition.readESChannelStatusFromFile(), LaserSorter.readFormatVersion(), EcalTPGDBApp.readFromConfDB_TPGPedestals(), AsciiNeutronReader.readNextEvent(), CSCAnodeLCTProcessor.readoutALCTs(), CSCCathodeLCTProcessor.readoutCLCTs(), PixelToLNKAssociateFromAscii.readRange(), TotemRPUVPatternFinder.recognizeAndSelect(), HemisphereAlgo.reconstruct(), ProtonReconstructionAlgorithm.reconstructFromMultiRP(), ProtonReconstructionAlgorithm.reconstructFromSingleRP(), TrackClassifier.reconstructionInformation(), ShallowDigisProducer.recordDigis(), RectangularStripTopology.RectangularStripTopology(), PerigeeLinearizedTrackState.refittedParamFromEquation(), truncPyr.refl(), HITRegionalPixelSeedGenerator.regions(), edm::test::EventSetupTestHelper.registerProxies(), CondDBESSource.registerProxies(), evf::FastMonitoringThread::MonitorData.registerVariables(), relative_eta(), relative_phi(), ThirdHitPredictionFromInvLine.remove(), DQMImplNet< DQMNet::Object >.removePeer(), DQMNet.requestObjectData(), hcaldqm::ContainerXXX< int >.reset(), FW3DViewDistanceMeasureTool.resetAction(), cond::CredentialStore.resetAdmin(), edm::test::EventSetupTestHelper.resetAllProxies(), CalorimetryManager.respCorr(), LA_Filler_Fitter.result(), PerformancePayloadFromBinnedTFormula.resultPos(), PerformancePayloadFromTable.resultPos(), PerformancePayloadFromTFormula.resultPos(), RHStopTracer.RHStopTracer(), Combinatorics.Rotate(), FullModelReactionDynamics.Rotate(), TwoBodyDecayModel.rotationMatrix(), RPCGeometryESModule.RPCGeometryESModule(), GEMCoPadProcessor.run(), RawToDigiConverter.run(), CSCGEMMotherboardME11.run(), CSCGEMMotherboardME21.run(), HIPAlignmentAlgorithm.run(), DTTSS.run(), DTTSM.run(), CSCCathodeLCTProcessor.run(), DTSC.run(), CSCUpgradeMotherboard.run(), DQMNet.run(), edm::Path.runAllModulesAsync(), l1tpf_impl::PUAlgoBase.runChargedPV(), RawToDigiConverter.runCommon(), ConvBremPFTrackFinder.runConvBremFinder(), DTTSTheta.runDTTSTheta(), L1MuDTEtaProcessor.runEtaMatchingUnit(), L1MuBMEtaProcessor.runEtaMatchingUnit(), RunManager.RunManager(), RunManagerMT.RunManagerMT(), MuonMesh.runMesh(), edm::UnscheduledCallProducer.runNowAsync(), DTTSPhi.runTSPhi(), RZLine.RZLine(), l1tpf_impl::PFAlgo2HGC.save_muons(), l1tpf_impl::PFAlgo3.save_muons(), SaveSimTrack.SaveSimTrack(), JME::JetResolutionObject.saveToFile(), FWPFCandidateWithHitsProxyBuilder.scaleProduct(), PowhegResHook.scaleResonance(), EEBadScFilter.scan5x5(), BSFitter.scanPDF(), DTTrig.SCPhTrigs(), DTTrig.SCThTrigs(), cond::persistency.search(), LHCInfoImpl.search(), edm.search_if_in_all(), edm.second(), DTSectColl.SectCollPhSegment(), DTSectColl.SectCollThSegment(), SecToLook_CreateVTable(), SecToLook_Read(), SecToRead_CreateVTable(), SecToRead_Read(), DTTSTheta.segment(), DTTSPhi.segment(), AlCaHBHEMuonProducer.select(), CaloDualConeSelector< HBHERecHit >.selectCallback(), CaloConeSelector< T >.selectCallback(), CSCDigiMatcher.selectDetIds(), CSCStubMatcher.selectDetIds(), GEMDigiMatcher.selectDetIds(), BPhysicsOniaDQM.selGlobalMuon(), MuScleFitMuonSelector.selGlobalMuon(), MuScleFit.selGlobalMuon(), BPhysicsOniaDQM.selTrackerMuon(), MuScleFitMuonSelector.selTrackerMuon(), MuScleFit.selTrackerMuon(), DQMImplNet< DQMNet::Object >.sendObjectListToPeers(), CandCommonVertexFitterBase.set(), CandKinematicVertexFitter.set(), hitfit::Fourvec_Event.set_nu_p(), hitfit::Fourvec_Event.set_obj_p(), hitfit::Fourvec_Event.set_x_p(), EcalUncalibRecHitWorkerFixedAlphaBetaFit.setAlphaBeta(), pos::PixelPortCardConfig.setAOHGain(), cond::persistency::ConnectionPool.setAuthenticationPath(), edm::StableProvenance.setBranchDescription(), edm::Provenance.setBranchDescription(), pat::PackedCandidate.setCaloFraction(), TrackInformation.setCaloSurfaceParticleP(), FWRPZView.setContext(), LMFLaserConfigDat.setData(), pos::PixelPortCardConfig.setDataBaseAOHGain(), DTConfigBti.setDefaults(), edm::eventsetup::EventSetupRecordProvider.setDependentProviders(), pos::PixelPortCardConfig.setdeviceValues(), EcalUncalibRecHitFixedAlphaBetaAlgo< EBDataFrame >.SetDynamicPedestal(), reco::FFTJet< float >.setFourVec(), Generator.setGenId(), TrackInformation.setGenParticleP(), HcalDbHardcode.setHB(), HcalDbHardcode.setHBUpgrade(), pat::PackedCandidate.setHcalFraction(), HcalDbHardcode.setHE(), HcalDbHardcode.setHEUpgrade(), HcalDbHardcode.setHF(), HcalDbHardcode.setHFUpgrade(), CastorShowerEvent.setHitPosition(), HcalDbHardcode.setHO(), EcalSimRawData.setHParity(), TrackInformation.setIDonCaloSurface(), TFitParticleMCSpher.setIni4Vec(), TFitParticleMCCart.setIni4Vec(), TFitParticleMCMomDev.setIni4Vec(), TFitParticleMCPInvSpher.setIni4Vec(), pat::PackedCandidate.setIsIsolatedChargedHadron(), edm.setIsMergeable(), cond::persistency::KeyList.setKeys(), BPHDecayToResFlyingBuilder.setKinFitProbMin(), MonLaserStatusDat.setLaserFanout(), MonLaserStatusDat.setLaserFilter(), MonLaserStatusDat.setLaserPower(), MonLaserStatusDat.setLaserWavelength(), MEzCalculator.SetLepton(), L1TOccupancyClientHistogramService.setMaskedBins(), MEzCalculator.SetMET(), METzCalculator.SetMET(), METzCalculator.SetMuon(), HDQMSummary.setObj(), SiStripSummary.setObj(), LRHelpFunctions.setObsFitParameters(), heppy::IsolationComputer.setPackedCandidates(), SiPixelDbItem.setPackedVal(), FWGeoTopNodeGLScene.SetPad(), QIE8Simulator.setParameter(), DDI::Solid.setParameters(), PhotonFix.setParameters(), FP420G4Hit.setParentId(), BscG4Hit.setParentId(), TotemG4Hit.setParentId(), CMSmplIonisationWithDeltaModel.SetParticle(), UrbanMscModel93.SetParticle(), TMCReader.setpartition(), ME0TriggerDigi.setPartition(), TopologyWorker.setPartList(), CSCCorrelatedLCTDigi.setPattern(), SiPixelDbItem.setPedestal(), reco::FFTJet< float >.setPileup(), CrossingFrame< T >.setPileups(), RPEnergyDepositUnit.setPosition(), RPSignalPoint.setPosition(), RPixSignalPoint.setPosition(), RPixEnergyDepositUnit.setPosition(), FlatHexagon.setPosition(), FlatTrd.setPosition(), reco::CaloCluster.setPosition(), Plane.setPosPrec(), QIE8Simulator.setPreampOutputCut(), Signal.setprintable(), ticl::Trackster.setProbabilities(), BPHDecayGenericBuilder.setProbMin(), BPHChi2Select.setProbMin(), BPHKinFitChi2Select.setProbMin(), BPHBdToKxMuMuBuilder.setProbMin(), BPHX3872ToJPsiPiPiBuilder.setProbMin(), BPHOniaToMuMuBuilder.setProbMin(), edm::MergeableRunProductProcesses.setProcessesWithMergeableRunProducts(), BscG4Hit.setProcessId(), SetPropagationDirection(), AlCaIsoTracksProducer.setPtEtaPhi(), SetPtEtaPhi(), setPtEtaPhi(), MonLaserPulseDat.setPulseHeightMean(), MonLaserPulseDat.setPulseHeightRMS(), MonLaserPulseDat.setPulseWidthMean(), MonLaserPulseDat.setPulseWidthRMS(), pat::PackedCandidate.setPuppiWeight(), pat::PackedCandidate.setRawCaloFraction(), pat::PackedCandidate.setRawHcalFraction(), DynamicTruncation.setRecoP(), HLTPerformanceInfo.setStatusOfModulesFromPath(), TrackAlgoCompareUtil.SetTrackingParticleD0Dz(), RecoTracktoTP.SetTrackingParticleMomentumPCA(), TPtoRecoTrack.SetTrackingParticleMomentumPCA(), PhiSymmetryCalibration_step2.setUp(), PhiSymmetryCalibration_step2_SM.setUp(), PdtEntry.setup(), edm::ProductProvenanceRetriever.setupEntryInfoSet(), TFWLiteSelectorBasic.setupNewFile(), BscG4Hit.setVx(), BscG4Hit.setVy(), BscG4Hit.setVz(), ESTrendTask.shift2Left(), ESTrendTask.shift2Right(), Cone.side(), Plane.side(), Cylinder.side(), Surface.side(), hitfit::Resolution.sigma(), RectangularPlaneBounds.significanceInside(), TrapezoidalPlaneBounds.significanceInside(), SimG4FluxProducer.SimG4FluxProducer(), SimG4HcalValidation.SimG4HcalValidation(), SimG4HGCalValidation.SimG4HGCalValidation(), SimpleL1MuGMTCand.SimpleL1MuGMTCand(), SimpleZSPJPTJetCorrector.SimpleZSPJPTJetCorrector(), VVIObjDetails.sincosint(), sistripvvi::VVIObjDetails.sincosint(), VVIObjDetails.sinint(), sistripvvi::VVIObjDetails.sinint(), SiStripRecHitMatcherESProducer.SiStripRecHitMatcherESProducer(), SiTrackerMultiRecHitUpdatorESProducer.SiTrackerMultiRecHitUpdatorESProducer(), BeamDivergenceVtxGenerator.smearMomentum(), TSLToyGen.smearParticles(), PhotonCoreProducer.solveAmbiguity(), edm.sort_all(), CSCGEMMotherboardME11.sortLCTs(), DTTSM.sortTSM1(), DTTSM.sortTSM2(), DTTSS.sortTSS1(), DTTSS.sortTSS2(), fftjetcms.sparsePeakTreeFromStorable(), DAClusterizerInZ.split(), DAClusterizerInZ_vect.split(), DAClusterizerInZT_vect.split(), LumiCalculator.splitpathstr(), edm.stable_sort_all(), StackingAction.StackingAction(), SteppingAction.SteppingAction(), SteppingHelixPropagatorESProducer.SteppingHelixPropagatorESProducer(), sistrip::MeasureLA.store_calibrations(), sistrip::MeasureLA.store_methods_and_granularity(), StoreSecondary.StoreSecondary(), StraightLinePropagatorESProducer.StraightLinePropagatorESProducer(), StripCPEESProducer.StripCPEESProducer(), trackerDTC::Setup.stubPos(), IsoTrig.studyTiming(), APVGain.subdetectorPlane(), APVGain.subdetectorSide(), LA_Filler_Fitter.subset_probability(), hitfit::Lepjets_Event.sum(), LA_Filler_Fitter.summarize_ensembles(), ME0SimHitMatcher.superChamberIds(), GEMSimHitMatcher.superChamberIds(), GEMRecHitMatcher.superChamberIds(), GEMSimHitMatcher.superChamberIdsCoincidences(), ME0SimHitMatcher.superChamberIdsCoincidences(), DTSimHitMatcher.superlayerIds(), PTrajectoryStateOnDet.surfaceSide(), edm::SwitchBaseProductResolver.SwitchBaseProductResolver(), reco::TemplatedSoftLeptonTagInfo< REF >.taggingVariables(), InputGenJetsParticleSelector.testPartonChildren(), edm::test::TestProcessor.TestProcessor(), TestPythiaDecays.TestPythiaDecays(), edm::TestSource.TestSource(), root.tf1(), root.tf1_t(), TFileAdaptor.TFileAdaptor(), TFitParticleMCCart.TFitParticleMCCart(), TFitParticleMCMomDev.TFitParticleMCMomDev(), TFitParticleMCPInvSpher.TFitParticleMCPInvSpher(), TFitParticleMCSpher.TFitParticleMCSpher(), theta(), HDRShower.thetaFunction(), CSCFitAFEBThr.ThresholdNoise(), edm::Maker.throwValidationException(), SiStripFineDelayTOF.timeOfFlightCosmic(), TkAccumulatingSensitiveDetector.TkAccumulatingSensitiveDetector(), TkRotation2D< Scalar >.TkRotation2D(), TkTransientTrackingRecHitBuilderESProducer.TkTransientTrackingRecHitBuilderESProducer(), DTTrigGeom.toGlobal(), RectangularCylindricalMFGrid.toGridFrame(), RectangularCartesianMFGrid.toGridFrame(), TrapezoidalCylindricalMFGrid.toGridFrame(), TrapezoidalCartesianMFGrid.toGridFrame(), SpecialCylindricalMFGrid.toGridFrame(), DTTrigGeom.toLocal(), cms::MD5Result.toString(), TotemRPSD.TotemRPSD(), TotemSD.TotemSD(), TotemT2ScintSD.TotemT2ScintSD(), TotemTestGem.TotemTestGem(), TempTrajectory.toTrajectory(), MultiTrackValidator.tpDR(), reco::TransientTrackFromFTS.track(), MultiTrackValidator.trackDR(), tmtt::Histos.trackerGeometryAnalysis(), TrackerInteractionGeometryESProducer.TrackerInteractionGeometryESProducer(), TrackerRecoGeometryESProducer.TrackerRecoGeometryESProducer(), trackerStablePhiSort(), tauImpactParameter::TrackHelixVertexFitter.TrackHelixVertexFitter(), reco.trackingParametersAtClosestApproachToBeamSpot(), TrackingVerboseAction.TrackingVerboseAction(), PF_PU_FirstVertexTracks.TrackMatch(), HcalIsoTrkAnalyzer.trackP(), StudyCaloResponse.trackPID(), QcdUeDQM.trackSelection(), DTTracoCard.tracoList(), DTTrig.TracoTrigs(), ExhaustiveMuonTrajectoryBuilder.trajectories(), fwrapper.transfer_cluster_transfer(), fwrapper.transfer_input_particles(), TrackTransformer.transform(), ThirdHitPredictionFromInvParabola.transform(), ThirdHitPredictionFromInvParabola.transformBack(), edm::TransientDataFrame< SIZE >.TransientDataFrame(), TransientTrackBuilderESProducer.TransientTrackBuilderESProducer(), OpticalFunctionsTransport.transportProton(), TrapezoidalStripTopology.TrapezoidalStripTopology(), TreatSecondary.TreatSecondary(), DTBtiChip.trigger(), DTTracoChip.trigger(), DTBtiChip.triggerData(), DTTracoChip.triggerData(), edmplugin::PluginManager.tryToLoad(), TSCBLBuilderNoMaterialESProducer.TSCBLBuilderNoMaterialESProducer(), TSCBLBuilderWithPropagatorESProducer.TSCBLBuilderWithPropagatorESProducer(), DTTrig.TSPhTrigs(), DTTrig.TSThTrigs(), CmsTrackerStringToEnum.type(), CmsMTDStringToEnum.type(), SimpleJetCorrectionUncertainty.uncertaintyBin(), unchecked_makeParticle(), RectangularCylindricalMFGrid.uncheckedValueInTesla(), RectangularCartesianMFGrid.uncheckedValueInTesla(), TrapezoidalCylindricalMFGrid.uncheckedValueInTesla(), TrapezoidalCartesianMFGrid.uncheckedValueInTesla(), SpecialCylindricalMFGrid.uncheckedValueInTesla(), HLTPerformanceInfo.uniqueModule(), MCTruthHelper< reco::GenParticle >.uniqueMother(), l1tpf_impl::PFAlgo2HGC.unlinkedtk_algo(), l1tpf_impl::PFAlgo3.unlinkedtk_algo(), pat::PackedCandidate.unpackCovariance(), L1GlobalTriggerRawToDigi.unpackGMT(), unsafe_expf_impl(), unsafe_logf_impl(), MonopoleSteppingAction.update(), SiTrackerMultiRecHitUpdator.update(), HLTScalersClient::CountLSFifo_t.update(), TrajectoryStateOnSurface.update(), BasicTrajectoryState.update(), HLTrigReport.updateConfigCache(), CmsShowModelPopup.updateDisplay(), MuonSensitiveDetector.updateHit(), DQMNet.updateMask(), CTPPSProtonReconstructionEfficiencyEstimatorData::ArmData.UpdateOptics(), CurvilinearTrajectoryParameters.updateP(), LocalTrajectoryParameters.updateP(), SteppingAction.UserSteppingAction(), l1t::MTF7Payload.valid(), edm::Maker.validateEDMType(), L1MuonPixelTrackFitter.valInversePt(), ZReflectedMFGrid.valueInTesla(), CylinderFromSectorMFGrid.valueInTesla(), GlobalGridWrapper.valueInTesla(), MFGrid3D.valueInTesla(), trklet::VarDef.VarDef(), spu.verify_checksum(), btagbtvdeep.vertexDdotP(), VertexClassifier.vertexInformation(), TrackClassifier.vertexInformation(), QcdLowPtDQM.vertexZFromClusters(), DAClusterizerInZ.vertices(), DAClusterizerInZ_vect.vertices(), DAClusterizerInZT_vect.vertices(), DQMNet.waitForData(), edm.walkTrie(), QuickTrackAssociatorByHitsImpl.weightedNumberOfTrackClusters(), PosteriorWeightsCalculator.weights(), NanoAODOutputModule.write(), CTPPSProtonReconstructionPlotter::SingleRPPlots.write(), EPOS::IO_EPOS.write_event(), MODCCSTRDat.writeArrayDB(), MODDCCOperationDat.writeArrayDB(), FEConfigSlidingDat.writeArrayDB(), FEConfigFgrDat.writeArrayDB(), FEConfigWeightDat.writeArrayDB(), FEConfigLUTDat.writeArrayDB(), MODCCSFEDat.writeArrayDB(), FEConfigSpikeDat.writeArrayDB(), MonShapeQualityDat.writeArrayDB(), DCUIDarkPedDat.writeArrayDB(), DCUCapsuleTempDat.writeArrayDB(), FEConfigLinParamDat.writeArrayDB(), DCUVFETempDat.writeArrayDB(), DCUIDarkDat.writeArrayDB(), FEConfigTimingDat.writeArrayDB(), FEConfigFgrEETowerDat.writeArrayDB(), FEConfigLUTGroupDat.writeArrayDB(), DCUCapsuleTempRawDat.writeArrayDB(), MonH4TablePositionDat.writeArrayDB(), FEConfigLUTParamDat.writeArrayDB(), FEConfigFgrEEStripDat.writeArrayDB(), FEConfigFgrParamDat.writeArrayDB(), MonOccupancyDat.writeArrayDB(), DCULVRBTempsDat.writeArrayDB(), MonPedestalsOnlineDat.writeArrayDB(), FEConfigPedDat.writeArrayDB(), MonDelaysTTDat.writeArrayDB(), CaliGainRatioDat.writeArrayDB(), MonLaserPulseDat.writeArrayDB(), MonPedestalOffsetsDat.writeArrayDB(), FEConfigLinDat.writeArrayDB(), FEConfigWeightGroupDat.writeArrayDB(), FEConfigFgrGroupDat.writeArrayDB(), CaliTempDat.writeArrayDB(), CaliCrystalIntercalDat.writeArrayDB(), MonLaserIRedDat.writeArrayDB(), MonLaserBlueDat.writeArrayDB(), FEConfigParamDat.writeArrayDB(), MonLed2Dat.writeArrayDB(), MonLaserGreenDat.writeArrayDB(), MonPNPedDat.writeArrayDB(), MonLaserRedDat.writeArrayDB(), MonLed1Dat.writeArrayDB(), MonMemChConsistencyDat.writeArrayDB(), MODCCSHFDat.writeArrayDB(), MonCrystalConsistencyDat.writeArrayDB(), MonPedestalsDat.writeArrayDB(), MonMemTTConsistencyDat.writeArrayDB(), MonTestPulseDat.writeArrayDB(), MonTTConsistencyDat.writeArrayDB(), MonPNMGPADat.writeArrayDB(), MonPNBlueDat.writeArrayDB(), MonPNLed2Dat.writeArrayDB(), MonPNLed1Dat.writeArrayDB(), MonPNIRedDat.writeArrayDB(), MonPNGreenDat.writeArrayDB(), MonPNRedDat.writeArrayDB(), MODDCCDetailsDat.writeArrayDB(), DCULVRVoltagesDat.writeArrayDB(), DCUCCSDat.writeArrayDB(), ITimingDat.writeArrayDB(), edm::RootOutputFile.writeBranchIDListRegistry(), GctFormatTranslateBase.writeRawHeader(), NanoAODOutputModule.writeRun(), edm::RootOutputFile.writeThinnedAssociationsHelper(), l1tpf::corrector.writeToFile(), CTPPSRPAlignmentCorrectionsMethods.writeToXML(), XMLIdealGeometryESSource.XMLIdealGeometryESSource(), ZdcSD.ZdcSD(), ZdcShowerLibrary.ZdcShowerLibrary(), ZdcTestAnalysis.ZdcTestAnalysis(), ticl::Trackster.zeroProbabilities(), l1tpf::corrector.~corrector(), sistrip::SpyEventMatcher::CountersWrapper.~CountersWrapper(), cms::DDCMSDetElementCreator.~DDCMSDetElementCreator(), and ME0ReDigiProducer::TemporaryGeometry.~TemporaryGeometry().

AlCaHLTBitMon_ParallelJobs.parallelJobs
def parallelJobs(hltkeylistfile, jsonDir, globalTag, templateName, queue, cafsetup)
Definition: AlCaHLTBitMon_ParallelJobs.py:41
AlCaHLTBitMon_ParallelJobs.mkHLTKeyListList
def mkHLTKeyListList(hltkeylistfile)
Definition: AlCaHLTBitMon_ParallelJobs.py:33
AlCaHLTBitMon_ParallelJobs.defineOptions
def defineOptions()
Definition: AlCaHLTBitMon_ParallelJobs.py:98
str
#define str(s)
Definition: TestProcessor.cc:48
edm::print
S & print(S &os, JobReport::InputFile const &f)
Definition: JobReport.cc:66
AlCaHLTBitMon_ParallelJobs.getConfigTemplateFilename
def getConfigTemplateFilename()
Definition: AlCaHLTBitMon_ParallelJobs.py:24