CMS 3D CMS Logo

Functions | Variables
findQualityFiles Namespace Reference

Functions

def getGoodBRuns ()
 functions definitions More...
 
def getGoodQRuns ()
 obtaining list of good quality runs More...
 
def getJSONGoodRuns ()
 obtain a list of good runs from JSON file More...
 
def getRunRegistryGoodRuns ()
 obtaining list of good B and quality runs from Run Registry https://twiki.cern.ch/twiki/bin/view/CMS/DqmRrApi https://twiki.cern.ch/twiki/bin/viewauth/CMS/DQMRunRegistry More...
 

Variables

 action
 
string allOptions = '### ' + copyargs[0] + ' --alcaDataset ' + options.alcaDataset + ' --isMC ' + options.isMC + \
 
 args
 
string comma = ","
 
string commandline = " ".join(copyargs)
 
 copyargs = sys.argv[:]
 
string dbs_quiery = "find run, file.numevents, file where dataset="+options.alcaDataset+" and run>="+str(options.startRun)+" and run<="+str(options.endRun)+" and file.numevents>0"
 Find files for good runs. More...
 
 default
 
 dest
 
 dqDataset
 
 ff = open('/tmp/runs_and_files_full_of_pink_bunnies','r')
 
 files_events = list(zip(list_of_files, list_of_numevents))
 
 fname = fname.rstrip('\n')
 
 help
 
list infotofile = ["### %s\n" % commandline]
 
string jj = ''
 
list list_of_files = []
 
list list_of_numevents = []
 
list list_of_runs = []
 
int maxI = options.maxB*18160/3.8
 
int minI = options.minB*18160/3.8
 
 numevents
 
 options
 
 parser = optparse.OptionParser(usage)
 
string rr = ''
 
 run
 
list runs_b_on = []
 get good B field runs from RunInfo DB More...
 
list runs_good = []
 use run registry API is specified More...
 
list runs_good_dq = []
 Add requiremment of good quality runs. More...
 
 size = len(list_of_files)
 Write out results. More...
 
int total_numevents = 0
 
 type
 
 uniq_list_of_runs = sorted(set(list_of_runs))
 
 unique_files_events = list(set(files_events))
 
string usage = '%prog [options]\n\n'+\
 To parse commandline args. More...
 
 v = options.verbose
 

Function Documentation

◆ getGoodBRuns()

def findQualityFiles.getGoodBRuns ( )

functions definitions

get good B field runs from RunInfo DB

Definition at line 207 of file findQualityFiles.py.

References createfilelist.int, and print().

207 def getGoodBRuns():
208 
209  runs_b_on = []
210 
211  sys.setdlopenflags(DLFCN.RTLD_GLOBAL+DLFCN.RTLD_LAZY)
212 
213  a = FWIncantation()
214  #os.putenv("CORAL_AUTH_PATH","/afs/cern.ch/cms/DB/conddb")
215  rdbms = RDBMS("/afs/cern.ch/cms/DB/conddb")
216 
217  db = rdbms.getDB(options.dbName)
218  tags = db.allTags()
219 
220  if options.printTags:
221  print("\nOverview of all tags in "+options.dbName+" :\n")
222  print(tags)
223  print("\n")
224  sys.exit()
225 
226  # for inspecting last run after run has started
227  #tag = 'runinfo_31X_hlt'
228  tag = options.dbTag
229 
230  # for inspecting last run after run has stopped
231  #tag = 'runinfo_test'
232 
233  try :
234  #log = db.lastLogEntry(tag)
235 
236  #for printing all log info present into log db
237  #print log.getState()
238 
239  iov = inspect.Iov(db,tag)
240  #print "########overview of tag "+tag+"########"
241  #print iov.list()
242 
243  if v>1 :
244  print("######## summries ########")
245  for x in iov.summaries():
246  print(x[0], x[1], x[2] ,x[3])
247 
248  what={}
249 
250  if v>1 :
251  print("###(start_current,stop_current,avg_current,max_current,min_current,run_interval_micros) vs runnumber###")
252  print(iov.trend(what))
253 
254  if v>0:
255  print("######## trends ########")
256  for x in iov.trendinrange(what,options.startRun-1,options.endRun+1):
257  if v>0 or x[0]==67647 or x[0]==66893 or x[0]==67264:
258  print(x[0],x[1] ,x[2], x[2][4], x[2][3])
259  #print x[0],x[1] ,x[2], x[2][4], timeStamptoUTC(x[2][6]), timeStamptoUTC(x[2][7])
260  if x[2][4] >= minI and x[2][3] <= maxI:
261  runs_b_on.append(int(x[0]))
262 
263  except Exception as er :
264  print(er)
265 
266  print("### runs with good B field ###")
267  print(runs_b_on)
268 
269  return runs_b_on
270 
271 
void print(TMatrixD &m, const char *label=nullptr, bool mathematicaFormat=false)
Definition: Utilities.cc:47
def getGoodBRuns()
functions definitions

◆ getGoodQRuns()

def findQualityFiles.getGoodQRuns ( )

obtaining list of good quality runs

Definition at line 275 of file findQualityFiles.py.

References createfilelist.int, and print().

275 def getGoodQRuns():
276 
277  runs_good_dq = []
278 
279  dbs_quiery = "find run where dataset="+options.dqDataset+" and dq="+options.dqCriteria
280  print('dbs search --noheader --query="'+dbs_quiery+'" | sort')
281 
282  os.system('python $DBSCMD_HOME/dbsCommandLine.py -c search --noheader --query="'+dbs_quiery+'" | sort > /tmp/runs_full_of_pink_bunnies')
283 
284  #print 'python $DBSCMD_HOME/dbsCommandLine.py -c search --noheader --query="'+dbs_quiery+'" | sort > /tmp/runs_full_of_pink_bunnies'
285 
286  ff = open('/tmp/runs_full_of_pink_bunnies', "r")
287  line = ff.readline()
288  while line and line!='':
289  runs_good_dq.append(int(line))
290  line = ff.readline()
291  ff.close()
292 
293  os.system('rm /tmp/runs_full_of_pink_bunnies')
294 
295  print("### runs with good quality ###")
296  print(runs_good_dq)
297 
298  return runs_good_dq
299 
def getGoodQRuns()
obtaining list of good quality runs
void print(TMatrixD &m, const char *label=nullptr, bool mathematicaFormat=false)
Definition: Utilities.cc:47

◆ getJSONGoodRuns()

def findQualityFiles.getJSONGoodRuns ( )

obtain a list of good runs from JSON file

Definition at line 326 of file findQualityFiles.py.

References geometryDiff.file, and createfilelist.int.

326 def getJSONGoodRuns():
327 
328  # read json file
329  jsonfile=file(options.json,'r')
330  jsondict = json.load(jsonfile)
331 
332  runs_good = []
333  for run in jsondict.keys(): runs_good.append(int(run))
334  runs_good.sort()
335 
336  #mruns=[]
337  #for run in jsondict.keys():
338  # if int(run)<144115 and int(run)>136034: mruns.append(int(run))
339  #mruns.sort()
340  #print len(mruns),"runs in \n",mruns
341 
342  return runs_good
343 
def getJSONGoodRuns()
obtain a list of good runs from JSON file

◆ getRunRegistryGoodRuns()

def findQualityFiles.getRunRegistryGoodRuns ( )

obtaining list of good B and quality runs from Run Registry https://twiki.cern.ch/twiki/bin/view/CMS/DqmRrApi https://twiki.cern.ch/twiki/bin/viewauth/CMS/DQMRunRegistry

Definition at line 305 of file findQualityFiles.py.

References str.

306 
307  server = xmlrpclib.ServerProxy('http://pccmsdqm04.cern.ch/runregistry/xmlrpc')
308 
309  rr_quiery = "{runNumber}>="+str(options.startRun)+" and {runNumber}<="+str(options.endRun)+\
310  " and {bfield}>="+str(options.minB)+" and {bfield}<="+str(options.maxB)
311  if options.dqCriteria != "": rr_quiery += " and "+options.dqCriteria
312 
313  rrstr = server.RunDatasetTable.export('GLOBAL', 'chart_runs_cum_evs_vs_bfield', rr_quiery)
314  rrstr = rrstr.replace("bfield","'bfield'")
315  rrstr = rrstr.replace("events","'events'")
316  rrdata = eval(rrstr)
317 
318  runs_good = []
319  for rr in rrdata['events']: runs_good.append(rr[0])
320 
321  return runs_good
322 
def getRunRegistryGoodRuns()
obtaining list of good B and quality runs from Run Registry https://twiki.cern.ch/twiki/bin/view/CMS/...
#define str(s)

Variable Documentation

◆ action

findQualityFiles.action

Definition at line 94 of file findQualityFiles.py.

◆ allOptions

string findQualityFiles.allOptions = '### ' + copyargs[0] + ' --alcaDataset ' + options.alcaDataset + ' --isMC ' + options.isMC + \

Definition at line 191 of file findQualityFiles.py.

◆ args

findQualityFiles.args

Definition at line 160 of file findQualityFiles.py.

◆ comma

string findQualityFiles.comma = ","

◆ commandline

string findQualityFiles.commandline = " ".join(copyargs)

Definition at line 40 of file findQualityFiles.py.

◆ copyargs

findQualityFiles.copyargs = sys.argv[:]

Definition at line 34 of file findQualityFiles.py.

◆ dbs_quiery

string findQualityFiles.dbs_quiery = "find run, file.numevents, file where dataset="+options.alcaDataset+" and run>="+str(options.startRun)+" and run<="+str(options.endRun)+" and file.numevents>0"

Find files for good runs.

Definition at line 398 of file findQualityFiles.py.

◆ default

findQualityFiles.default

Definition at line 58 of file findQualityFiles.py.

◆ dest

findQualityFiles.dest

Definition at line 59 of file findQualityFiles.py.

◆ dqDataset

findQualityFiles.dqDataset

Definition at line 173 of file findQualityFiles.py.

◆ ff

findQualityFiles.ff = open('/tmp/runs_and_files_full_of_pink_bunnies','r')

Definition at line 408 of file findQualityFiles.py.

◆ files_events

findQualityFiles.files_events = list(zip(list_of_files, list_of_numevents))

Definition at line 430 of file findQualityFiles.py.

◆ fname

findQualityFiles.fname = fname.rstrip('\n')

Definition at line 410 of file findQualityFiles.py.

◆ help

findQualityFiles.help

Definition at line 54 of file findQualityFiles.py.

◆ infotofile

list findQualityFiles.infotofile = ["### %s\n" % commandline]

Definition at line 43 of file findQualityFiles.py.

◆ jj

findQualityFiles.jj = ''

Definition at line 188 of file findQualityFiles.py.

Referenced by CMSTopTagger._find_min_mass(), algorithm(), myFastSimVal.analyze(), EwkMuDQM.analyze(), TestOutliers.analyze(), TestTrackHits.analyze(), HLTExoticaSubAnalysis.analyze(), SignedDecayLength3D.apply(), JetTracksAssociationDR.associateTracksToJets(), L1TUtmTriggerMenuDumper.beginRun(), HcalLogicalMapGenerator.buildCALIBMap(), CommissioningHistosUsingDb.buildDetInfo(), SiStripFedCabling.buildFedCabling(), TrackerGeomBuilderFromGeometricDet.buildGeomDet(), HcalLogicalMapGenerator.buildHOXMap(), CocoaDaqReaderRoot.BuildMeasurementsFromOptAlign(), Fit.CheckIfMeasIsProportionalToAnother(), SiStripConfigDb.clone(), nnet.compute_layer(), DDG4ProductionCuts.dd4hepInitialize(), nnet.dense(), CommissioningHistosUsingDb.detInfo(), TrackFoldedOccupancyClient.dqmEndJob(), DTTrigGeom.dumpGeom(), MatrixMeschach.EliminateColumns(), MatrixMeschach.EliminateLines(), energy_ieta(), energy_iphi(), DDRPDPosition.execute(), DDBHMAngular.execute(), TkHistoMap.fill(), SiStripCommissioningSource.fillCablingHistos(), FittedEntriesSet.FillCorrelations(), FittedEntriesSet.FillEntriesAveragingSets(), SiPixelActionExecutor.fillFEDErrorSummary(), MELaserPrim.fillHistograms(), Fit.FillMatricesWithMeasurements(), SiPixelActionExecutor.fillSummary(), CocoaDaqReaderRoot.GetMeasFromDist(), CocoaDaqReaderRoot.GetMeasFromPosition2D(), CocoaDaqReaderRoot.GetMeasFromPositionCOPS(), CocoaDaqReaderRoot.GetMeasFromTilt(), Fit.GetMeasurementName(), EcalLaserAnalyzer2.getShapes(), HLTPMDocaFilter.hltFilter(), HLTPMMassFilter.hltFilter(), MELaserPrim.init(), SiStripDbParams.inputDcuInfoXmlFiles(), SiStripDbParams.inputFecXmlFiles(), SiStripDbParams.inputFedXmlFiles(), SiStripDbParams.inputModuleXmlFiles(), TSFit.inverms(), TFParams.inverpj(), OptoScanTask.locateTicks(), main(), FittedEntriesManager.MakeHistos(), GlobalMuonTrackMatcher.match(), SiPixelDigiMorphing.morph(), MatrixMeschach.operator*=(), MatrixMeschach.ostrDump(), l1t::TriggerMenuParser.parseCalo(), l1t::TriggerMenuParser.parseCorrelation(), l1t::TriggerMenuParser.parseCorrelationWithOverlapRemoval(), l1t::TriggerMenuParser.parseEnergySum(), l1t::TriggerMenuParser.parseEnergySumZdc(), l1t::TriggerMenuParser.parseExternal(), l1t::TriggerMenuParser.parseMuon(), SiStripDbParams.partition(), SiStripDbParams.partitionNames(), PerigeeKinematicState.PerigeeKinematicState(), PixelResolutionHistograms.PixelResolutionHistograms(), CSCFakeDBCrosstalk.prefillDBCrosstalk(), MEChannel.print(), SiStripFecCabling.print(), SiStripDetCabling.print(), SiStripDbParams.print(), SiStripConfigDb.printAnalysisDescriptions(), SiStripFedCabling.printDebug(), SiStripConfigDb.printDeviceDescriptions(), SiStripConfigDb.printFedConnections(), SiStripConfigDb.printFedDescriptions(), SiStripFedCabling.printSummary(), TrackListMerger.produce(), GenJetBCEnergyRatio.produce(), FlavorHistoryProducer.produce(), JetTagProducer.produce(), PixelJetPuId.produce(), Phase2L1CaloEGammaEmulator.produce(), reco::modules::JetFlavourIdentifier.produce(), L1EGCrystalClusterEmulatorProducer.produce(), CaloGeometryDBEP< T, U >.produceAligned(), hcaltb::HcalTBTDCUnpacker.reconstructWC(), CMSTopTagger.result(), SiStripConfigDb.runs(), TkHistoMap.setBinContent(), magfieldparam::BFit3D.SetCoeff_Linear(), magfieldparam::BFit.SetField(), IPTools.signedDecayLength3D(), nnet.softmax(), ConfigurationDBHandler.startElement(), HGCalTileIndex.tileExist(), HGCalTileIndex.tileFineExist(), TrackerG4SimHitNumberingScheme.touchToNavStory(), CountProcessesAction.update(), MaterialBudgetForward.update(), MaterialBudget.update(), MaterialBudgetAction.update(), ZdcTestAnalysis.update(), SiStripConfigDb.usingDatabase(), MuonErrorMatrix.Value(), and PixelResolutionHistograms.~PixelResolutionHistograms().

◆ list_of_files

findQualityFiles.list_of_files = []

Definition at line 403 of file findQualityFiles.py.

◆ list_of_numevents

findQualityFiles.list_of_numevents = []

Definition at line 405 of file findQualityFiles.py.

◆ list_of_runs

list findQualityFiles.list_of_runs = []

Definition at line 404 of file findQualityFiles.py.

◆ maxI

int findQualityFiles.maxI = options.maxB*18160/3.8

◆ minI

int findQualityFiles.minI = options.minB*18160/3.8

Definition at line 181 of file findQualityFiles.py.

Referenced by MuonGeometryArrange.endHist().

◆ numevents

findQualityFiles.numevents

Definition at line 410 of file findQualityFiles.py.

◆ options

findQualityFiles.options

Definition at line 160 of file findQualityFiles.py.

◆ parser

findQualityFiles.parser = optparse.OptionParser(usage)

Definition at line 51 of file findQualityFiles.py.

◆ rr

findQualityFiles.rr = ''

Definition at line 185 of file findQualityFiles.py.

Referenced by algorithm(), CaloMCTruthTreeProducer.analyze(), PFMCTruthTreeProducer.analyze(), PPSPixelDigiAnalyzer.analyze(), HLTGetDigi.analyze(), L1MuonRecoTreeProducer.analyze(), CaloSimHitAnalysis.analyzePassiveHits(), ConversionProducer.buildCollection(), hgcal::econd.buildIdleWord(), ConversionProducer.checkTrackPair(), DDHGCalGeom.constructLayers(), ETLDetId.decodeSector(), RPCTTUMonitor.discriminateGMT(), hgcal::econd.eventPacketHeader(), DDPixBarLayerAlgo.execute(), DDBHMAngular.execute(), PixelCPEFastParamsHost< TrackerTraits >.fillParamsForDevice(), PixelCPEFast< TrackerTraits >.fillParamsForGpu(), BPHDecayToTkpTknSymChargeBuilder.fillRecList(), HGCalGeometry.get8Corners(), HGCalGeometry.getCorners(), HCalSD.getHitFibreBundle(), HCalSD.getHitPMT(), HGCalGeometry.getNewCorners(), CaloTowerGeometry.getSummary(), ZdcGeometry.getSummary(), HGCalTBGeometry.getSummary(), HGCalGeometry.getSummary(), CaloSubdetectorGeometry.getSummary(), HcalGeometry.getSummary(), HGCalWaferType.getType(), math::GraphWalker< DDLogicalPart, DDPosData * >.GraphWalker(), DDBHMAngular.initialize(), HGCalWaferType.intersection(), HGCalTBDDDConstants.isValidCell(), HGCalDDDConstants.isValidCell(), HGCalDDDConstants.isValidCell8(), HGCalTBGeomParameters.loadWaferHexagon(), HGCalGeomParameters.loadWaferHexagon(), GEMStripTopology.localError(), CSCRadialStripTopology.localError(), TkRadialStripTopology.localError(), JetPlusTrackCorrector.matchTracks(), DDHGCalTBModule.positionSensitive(), DDHGCalModule.positionSensitive(), DDHGCalModuleAlgo.positionSensitive(), DDHGCalTBModuleX.positionSensitive(), reco::HitPattern.printHitPattern(), PrimitiveMatching.process_single_zone_station(), JetTracksAssociationDRVertexAssigned.produce(), pat::PATTrackAndVertexUnpacker.produce(), AlignmentPrescaler.produce(), hgcal::HGCalFrameGenerator.produceECONEvent(), HGCalGeomTools.radius(), external::HEPTopTaggerV2_fixed_R.run(), MaterialBudgetHcal.stopAfter(), MaterialBudgetForward.stopAfter(), MaterialBudget.stopAfter(), MaterialBudgetHcalProducer.stopAfter(), MaterialBudgetVolume.stopAfter(), FEConfigWeightGroupDat.writeArrayDB(), FEConfigLinDat.writeArrayDB(), FEConfigFgrGroupDat.writeArrayDB(), FEConfigOddWeightGroupDat.writeArrayDB(), MonPNLed2Dat.writeArrayDB(), MonPNMGPADat.writeArrayDB(), MonPNGreenDat.writeArrayDB(), MonPNBlueDat.writeArrayDB(), MonPNLed1Dat.writeArrayDB(), MonPNIRedDat.writeArrayDB(), MonPNRedDat.writeArrayDB(), and DCULVRVoltagesDat.writeArrayDB().

◆ run

findQualityFiles.run

Definition at line 410 of file findQualityFiles.py.

◆ runs_b_on

def findQualityFiles.runs_b_on = []

get good B field runs from RunInfo DB

Definition at line 347 of file findQualityFiles.py.

◆ runs_good

def findQualityFiles.runs_good = []

use run registry API is specified

use JSON file if specified

Definition at line 359 of file findQualityFiles.py.

◆ runs_good_dq

def findQualityFiles.runs_good_dq = []

Add requiremment of good quality runs.

Definition at line 358 of file findQualityFiles.py.

◆ size

findQualityFiles.size = len(list_of_files)

Write out results.

Definition at line 443 of file findQualityFiles.py.

Referenced by TPTask._process(), HGCDigitizer.accumulate(), CaloTruthAccumulator.accumulateEvent(), MtdTruthAccumulator.accumulateEvent(), EcalRawToDigiGPU.acquire(), ParticleNetSonicJetTagsProducer.acquire(), HcalSiPMHitResponse.add(), CaloHitResponse.add(), cond::persistency::TableDescription< Types >.addColumn(), L1GtTriggerMenuConfigOnlineProd.addCorrelationCondition(), fireworks.addDashedArrow(), fireworks.addDashedLine(), FWDialogBuilder.addHSlider(), pat::PackedTriggerPrescales.addPrescaledTrigger(), TMultiDimFet.AddRow(), TMultiDimFet.AddTestRow(), MergeClusterProducer.addTo(), FWConvTrackHitsDetailView.addTrackerHits3D(), FWTrackHitsDetailView.addTrackerHits3D(), IntermediateHitTriplets::RegionFiller.addTriplets(), RawInputFile.advance(), InputFile.advance(), reco::Conversion.algoByName(), SiStripNoises.allNoises(), SiStripPedestals.allPeds(), AnalyticalTrackSelector.AnalyticalTrackSelector(), ElectronMcSignalValidatorMiniAOD.analyze(), BTagPerformanceAnalyzerOnData.analyze(), CSCFileDumper.analyze(), RECOVertex.analyze(), ElectronMcSignalValidator.analyze(), BTagPerformanceAnalyzerMC.analyze(), DTSegmentsTask.analyze(), SiStripDetVOffTrendPlotter.analyze(), HcalForwardLibWriter.analyze(), BxTiming.analyze(), ElectronMcFakeValidator.analyze(), EwkMuLumiMonitorDQM.analyze(), HGCalShowerSeparation.analyze(), EcalTestPulseAnalyzer.analyze(), PixelVTXMonitor.analyze(), EtlSimHitsValidation.analyze(), EcalPulseShapeGrapher.analyze(), DTSegmentAnalysisTask.analyze(), HcalLutAnalyzer.analyze(), EcalLaserAnalyzer.analyze(), EcalLaserAnalyzer2.analyze(), HeavyFlavorValidation.analyze(), PixelLumiDQM.analyze(), HitResol.analyze(), SiPixelErrorEstimation.analyze(), SiStripFEDMonitorPlugin.analyze(), EcalTPGParamBuilder.analyze(), HcalIsoTrkSimAnalyzer.analyze(), EmDQMReco.analyze(), IsoTrig.analyze(), TrackingNtuple.analyze(), HGCalTB23Analyzer.analyzeSimHits(), HGCalTBAnalyzer.analyzeSimHits(), TaggingVariablePlotter.analyzeTag(), OverlapValidation.analyzeTrajectory(), HLTEventAnalyzerRAW.analyzeTrigger(), InputFile.appendFile(), array_from_row_sorted_matrix(), HGCalTBDDDConstants.assignCell(), HGCalDDDConstants.assignCell(), HGCalConcentratorSuperTriggerCellImpl.assignSuperTriggerCellEnergyAndPosition(), TrackerHitAssociator.associateMultiRecHit(), TrackerHitAssociator.associateMultiRecHitId(), associationMapFilterValues(), QGLikelihoodDBWriter.beginJob(), PickEvents.beginJob(), DTEfficiencyTask.beginLuminosityBlock(), DTChamberEfficiencyTask.beginLuminosityBlock(), LumiCalculator.beginRun(), EcalHitResponse.blankOutUsedSamples(), EcalTimeMapDigitizer.blankOutUsedSamples(), TrackerOfflineValidation.bookDirHists(), PFClusterValidation.bookHistograms(), TriggerBxVsOrbitMonitor.bookHistograms(), TriggerBxMonitor.bookHistograms(), HLTObjectsMonitor.bookHistograms(), MTVHistoProducerAlgoForTracker.bookRecoHistos(), FWCaloRecHitDigitSetProxyBuilder.build(), EcalSimParametersFromDD.build(), FWSimpleProxyBuilderTemplate< TrajectorySeed >.build(), KDTreeLinkerAlgo< reco::PFRecHit const *>.build(), FWTauProxyBuilderBase.buildBaseTau(), CaloGeometryHelper.buildCrystalArray(), detgeomdescbuilder.buildDetGeomDescFromCompactView(), AlignmentTask.buildFixedDetectorsConstraints(), CaloGeometryHelper.buildNeighbourArray(), BPHKinematicFit.buildParticles(), FWPFClusterRPZUtils.buildRhoPhiClusterLineSet(), FWPFClusterRPZUtils.buildRhoZClusterLineSet(), CSCSegAlgoST.buildSegments(), EcalHitMaker.buildSegments(), FWSimpleProxyBuilderTemplate< TrajectorySeed >.buildViewType(), FWMETProxyBuilder.buildViewType(), FWJetProxyBuilder.buildViewType(), L1MuDTChambPhContainer.bxSize(), L1MuDTChambThContainer.bxSize(), HiPuRhoProducer.calculatePedestal(), MeasurementSensor2D.calculateSimulatedValue(), MeasurementDistancemeter3dim.calculateSimulatedValue(), MeasurementDistancemeter.calculateSimulatedValue(), MeasurementCOPS.calculateSimulatedValue(), MeasurementDiffEntry.calculateSimulatedValue(), MeasurementTiltmeter.calculateSimulatedValue(), CaloRectangleRange< T >.CaloRectangleRange(), edm::storage::LocalStorageMaker.check(), edm::storage::DCacheStorageMaker.check(), edm::storage::StormStorageMaker.check(), edm::storage::StormLcgGtStorageMaker.check(), MuScleFit.checkParameters(), OniaPhotonConversionProducer.checkTkVtxCompatibility(), CSCSegAlgoST.ChooseSegments2(), CSCSegAlgoST.ChooseSegments3(), PixelTrackCleanerBySharedHits.cleanTracks(), FWFromSliceSelector.clear(), HCALConfigDB.clobToString(), CSCSegAlgoPreClustering.clusterHits(), ME0SegmentAlgorithm.clusterHits(), GEMSegmentAlgorithm.clusterHits(), CSCSegAlgoST.clusterHits(), CombinationGenerator< T >.combinations(), MTDDetSector.compatibleDets(), ROCmService.computeCapability(), CUDAService.computeCapability(), ZeeCalibration.computeCoefficientDistanceAtIteration(), ConfigurableAPVCyclePhaseProducer.ConfigurableAPVCyclePhaseProducer(), L1TMuonProducer.convertMuons(), MuonResidualsFitter.correctBField(), PFClusterEMEnergyCorrector.correctEnergies(), ConstrainedTreeBuilder.covarianceMatrix(), ConstrainedTreeBuilderT.covarianceMatrix(), PFElectronTranslator.createBasicClusterPtrs(), PFElectronTranslator.createGsfElectronCoreRefs(), PFElectronTranslator.createGsfElectrons(), PFElectronTranslator.createPreshowerClusterPtrs(), PFElectronTranslator.createSuperClusterGsfMapRefs(), CSCALCTTrailer.CSCALCTTrailer(), HLTLevel1GTSeed.debugPrint(), SmirnovDeDxDiscriminator.dedx(), ASmirnovDeDxDiscriminator.dedx(), BTagLikeDeDxDiscriminator.dedx(), ProductDeDxDiscriminator.dedx(), DeepTauId.DeepTauId(), defaultModuleLabel(), CSCAFEBThrAnalysis.done(), FWHistSliceSelector.doSelect(), FWHistSliceSelector.doUnselect(), GctRawToDigi.doVerboseOutput(), MultiTrackValidatorGenPs.dqmAnalyze(), TriggerBxVsOrbitMonitor.dqmAnalyze(), MultiTrackValidator.dqmAnalyze(), TriggerBxMonitor.dqmAnalyze(), DQMCorrelationClient.dqmEndJob(), FWTextTreeCellRenderer.draw(), PrintMaterialBudgetInfo.dumpElementMassFraction(), pat::GenericDuplicateRemover< Comparator, Arbitrator >.duplicates(), MuScleFit.duringFastLoop(), MuScleFit.duringLoop(), EcalHitMaker.EcalHitMaker(), PFECALHashNavigator.ecalNeighbArray(), EcalTimeMapDigitizer.EcalTimeMapDigitizer(), EEHitResponse.EEHitResponse(), ElectronHEEPIDValueMapProducer.ElectronHEEPIDValueMapProducer(), edm::ProcessBlock.emplaceImpl(), edm::LuminosityBlock.emplaceImpl(), edm::Run.emplaceImpl(), CalorimetryManager.EMShowerSimulation(), CSCAnodeLCTProcessor.encodeHighMultiplicityBits(), CSCCathodeLCTProcessor.encodeHighMultiplicityBits(), MuonGeometryArrange.endHist(), L1TRate_Offline.endLuminosityBlock(), EcalClusterLazyToolsT< ClusterTools >.energyMatrix(), reco::Conversion.EoverP(), reco::Conversion.EoverPrefittedTracks(), SiPixelStatusHarvester.equal(), DTBtiChip.eraseTrigger(), ESHitResponse.ESHitResponse(), MuonSeedCreator.estimatePtCSC(), MuonSeedCreator.estimatePtDT(), MuonSeedCreator.estimatePtOverlap(), HCALProperties.eta2ieta(), L1GtCorrelationCondition.evaluateCondition(), DDEcalBarrelNewAlgo.execute(), DDEcalBarrelAlgo.execute(), LayerHitMapCache::SimpleCache.extend(), TotemSampicFrame.extractDataFromBytesLSB(), EcalHitMaker.fastInsideCell(), File_Read(), File_Write(), FileInStream_Read(), FileOutStream_Write(), FileSeqInStream_Read(), OptoScanTask.fill(), TableOutputBranches.fill(), LumiOutputBranches.fill(), PFCandidateMonitor.fill(), SiPixelTrackResidualModule.fill(), SiPixelClusterModule.fill(), FWHFTowerProxyBuilderBase.fillCaloData(), FWHGTowerProxyBuilderBase.fillCaloData(), FWECALCaloDataDetailViewBuilder.fillData(), SiPixelGainCalibrationRejectNoisyAndDead.fillDatabase(), DaqFakeReader.fillFEDs(), QcdUeDQM.fillHltBits(), QcdLowPtDQM.fillHltBits(), EcalElectronicsMapper.fillMaps(), FastTimerServiceClient.fillPlotsVsLumi(), DetIdAssociator.fillSet(), MuDTSegmentExtTableProducer.fillTable(), DaqFakeReader.fillTCDSFED(), TriggerSummaryProducerAOD.fillTriggerObjectCollections(), TrackingNtuple.fillVertices(), edm::RefToBaseVector< reco::Track >.fillView(), edm::PtrVector< reco::CaloCluster >.fillView(), PFFilter.filter(), PFMETFilter.filter(), CSCDigiValidator.filter(), FilterOR.FilterOR(), HcalSiPMHitResponse.finalizeHits(), EcalTimeMapDigitizer.finalizeHits(), pat::GenericOverlapFinder< Distance >.find(), SETSeedFinder.findAllValidSets(), GctFormatTranslateMCLegacy.findBx0OffsetInCollection(), L1GtVhdlWriterCore.findObjectType(), RPixRoadFinder.findPattern(), CastorPacker.findSamples(), HcalPacker.findSamples(), CombinedSVComputer.flipIterate(), GlobalCoordsObtainer.from_two_comp(), DTKeyedConfigCache.get(), DTMuonMillepede.getbcsMatrix(), DTMuonMillepede.getbsurveyMatrix(), DTMuonMillepede.getCcsMatrix(), DCCDataUnpacker.getCCUValue(), hcalCalib.GetCoefFromMtrxInvOfAve(), HcalLutManager.getCompressionLutXmlFromCoder(), HBHERecalibration.getCorr(), DTMuonMillepede.getCsurveyMatrix(), MatacqRawEvent.getDccLen(), FWCompactVerticalLayout.GetDefaultSize(), JetMatchingTools.getGenParticle(), LumiSummaryRunHeader.getHLTIndex(), getHtmlCallback(), WatcherStreamFileReader.getInputFile(), CSCStripDigi.getL1APhase(), LumiSummaryRunHeader.getL1Index(), G4muDarkBremsstrahlungModel.GetMadgraphData(), HcalLutManager.getMasks(), JetPartonMatching.getMatchForParton(), HGCalTBDDDConstants.getModule(), HGCalDDDConstants.getModule(), L1TriggerScalerHandler.getNewObjects(), LHCInfoPerFillPopConSourceHandler.getNewObjects(), RPCDBHandler.getNewObjects(), RunSummaryHandler.getNewObjects(), RunInfoHandler.getNewObjects(), BeamSpotOnlinePopConSourceHandler.getNewObjects(), FillInfoPopConSourceHandler.getNewObjects(), LHCInfoPopConSourceHandler.getNewObjects(), RPCDBPerformanceHandler.getNewObjects(), SiStripDQMPopConSourceHandler< SiStripBadStrip >.getNewObjects(), popcon::EcalTPGFineGrainEBIdMapHandler.getNewObjects(), popcon::EcalTPGLinConstHandler.getNewObjects(), popcon::EcalTPGLutIdMapHandler.getNewObjects(), popcon::EcalTPGOddWeightIdMapHandler.getNewObjects(), popcon::EcalTPGPhysicsConstHandler.getNewObjects(), popcon::EcalTPGTPModeHandler.getNewObjects(), popcon::EcalTPGWeightIdMapHandler.getNewObjects(), popcon::EcalTPGFineGrainTowerEEHandler.getNewObjects(), popcon::EcalTPGFineGrainEBGroupHandler.getNewObjects(), popcon::EcalTPGSlidingWindowHandler.getNewObjects(), popcon::EcalTPGOddWeightGroupHandler.getNewObjects(), popcon::EcalTPGWeightGroupHandler.getNewObjects(), popcon::EcalTPGFineGrainStripEEHandler.getNewObjects(), popcon::EcalTPGPedestalsHandler.getNewObjects(), popcon::EcalTPGSpikeThresholdHandler.getNewObjects(), popcon::EcalTPGLutGroupHandler.getNewObjects(), PVFitter.getNPVsperBX(), MatacqRawEvent.getOrbitId(), OMTFConfiguration.getPatternGroups(), MuonStubsInput.getPhiHw(), BeamFitter.getPVvectorSize(), MatacqRawEvent.getRunNum(), EVTColContainer.getSize(), DDPolySolid.getVec(), EcalTrivialConditionRetriever.getWeightsFromConfiguration(), dEdxHitAnalyzer.harmonic2(), MultiHitGeneratorFromChi2.hitSets(), PixelTripletNoTipGenerator.hitTriplets(), PixelTripletLowPtGenerator.hitTriplets(), PixelTripletLargeTipGenerator.hitTriplets(), PixelTripletHLTGenerator.hitTriplets(), HLTPMDocaFilter.hltFilter(), HLTL1TSeed.HLTL1TSeed(), HLTLevel1GTSeed.HLTLevel1GTSeed(), hsm_1d_returning_iterators(), FWDialogBuilder.hSpacer(), HFShower.indexFinder(), HDShower.indexFinder(), MuDetRing.init(), StMeasurementConditionSet.init(), PxMeasurementConditionSet.init(), Phase2OTMeasurementConditionSet.init(), HBHERecalibration.initialize(), MeasurementTrackerImpl.initPhase2OTMeasurementConditionSet(), MeasurementTrackerImpl.initPxMeasurementConditionSet(), MeasurementTrackerImpl.initStMeasurementConditionSet(), DTOccupancyTestML.interpolateLayers(), MuonGeometryArrange.isMother(), HGCalTBDDDConstants.isValidHex(), HGCalDDDConstants.isValidHex(), join(), FWCompactVerticalLayout.Layout(), lms_1d(), CalorimetryManager.loadMuonSimTracks(), LookInStream_LookRead(), LookInStream_Read(), LookInStream_Read2(), LookToRead_Look_Exact(), LookToRead_Look_Lookahead(), LookToRead_Read(), LzmaProps_Decode(), main(), HGCGraphT< TILES >.makeAndConnectDoublets(), DataModeFRDStriped.makeEvents(), MuonGeometryArrange.makeGraph(), FittedEntriesManager.MakeHistos(), RPCFakeCalibration.makeNoise(), G4muDarkBremsstrahlungModel.MakePlaceholders(), EcalClusterToolsT< noZS >.matrixDetId(), l1ct::multififo_regionizer::EtaPhiBuffer< T >.maybe_push(), median(), MergeClusterProducer.mergeTime(), FinalTreeBuilder.momentumPart(), InputFile.moveToPreviousChunk(), MyAlloc(), FWEveViewManager.newItem(), FileReaderDCC.next(), FileReaderDDU.next(), MuonSeedCleaner.NRecHitsFromSegment(), DTRPCBxCorrection.nRPCHits(), edm::AssociationMap< edm::OneToOne< std::vector< Trajectory >, reco::GsfTrackCollection, unsigned short > >.numberOfAssociations(), edm::storage::StatisticsSenderService.openingFile(), DDVector.operator std::vector< int >(), L1TUtmScale.operator tmeventsetup::esScale(), CSCThrTurnOnFcn.operator()(), operator<<(), JetResolution.parameter(), AlpgenHeader.parameterName(), RPCLBLinkNameParser.parse(), L1GtTriggerMenuXmlParser.parseCorrelation(), MuonGeometryArrange.passChosen(), memory_usage.peak(), SiPixelDigitizerAlgorithm::PixelEfficiencies.PixelEfficiencies(), PixelSLinkDataInputSource.PixelSLinkDataInputSource(), PlotOccupancyMap(), PlotOccupancyMapGeneric(), PlotOccupancyMapPhase1(), PlotOccupancyMapPhase2(), PlotOnTrackOccupancy(), PlotOnTrackOccupancyGeneric(), PlotOnTrackOccupancyPhase1(), PlotOnTrackOccupancyPhase2(), PlotTrackerXsect(), MODCCSHFDat.populateClob(), IODConfig.populateClob(), LHCInfoPerLSPopConSourceHandler.populateIovs(), DependencyGraph.preBeginJob(), TrackerOfflineValidation.prepareSummaryHists(), HGCSiliconDetIdToROC.print(), BlockFormatter.print(), PedsOnlyAnalysis.print(), L1GtPrescaleFactors.print(), NoiseAnalysis.print(), PedestalsAnalysis.print(), DaqScopeModeAnalysis.print(), PedsFullNoiseAnalysis.print(), L1GtBoard.print(), RctRawToDigi.printAll(), JetHtPlotConfiguration.printConfiguration(), StraightTrackAlignment.printQuantitiesLine(), TotemSampicFrame.printRawBuffer(), printTrackerMap(), process(), EcalEBPhase2TPFormatter.process(), SectorProcessor.process(), PrimitiveSelection.process(), TotemTriggerRawToDigi.ProcessLoneGFrame(), PixelClusterShapeExtractor.processPixelRecHits(), processTrig(), RPCTwinMuxRawToDigi.processTwinMux(), SETPatternRecognition.produce(), ElectronSeedTrackRefFix.produce(), EcalUncalibRecHitPhase2WeightsProducerGPU.produce(), EcalPhase2DigiToGPUProducer.produce(), ShallowSimTracksProducer.produce(), RecHitMapProducer.produce(), HcalCalibFEDSelector.produce(), ShallowRechitClustersProducer.produce(), SubdetFEDSelector.produce(), HLTTauRefCombiner.produce(), SimHitTPAssociationProducer.produce(), StripCompactDigiSimLinksProducer.produce(), EcalBasicClusterLocalContCorrectionsESProducer.produce(), LowPtGsfElectronSCProducer.produce(), ShallowSimhitClustersProducer.produce(), SiStripRegFEDSelector.produce(), SiPixelDigiErrorsFromSoAAlpaka.produce(), SiPixelDigiErrorsFromSoA.produce(), ShallowTrackClustersProducer.produce(), SiStripClustersFromSOA.produce(), ECALRegFEDSelector.produce(), EcalGlobalShowerContainmentCorrectionsVsEtaESProducer.produce(), InputGenJetsParticleSelector.produce(), RPCTwinMuxDigiToRaw.produce(), EcalShowerContainmentCorrectionsESProducer.produce(), TrackSelectorByRegion.produce(), TestBXVectorRefProducer.produce(), SiPixelDigiToRaw.produce(), CastorTowerProducer.produce(), TICLCandidateProducer.produce(), AlCaHcalNoiseProducer.produce(), Phase2L1CaloEGammaEmulator.produce(), CTPPSTotemDigiToRaw.produce(), CTPPSPixelDigiToRaw.produce(), GenParticleProducer.produce(), TTStubBuilder< T >.produce(), CandidateProducer< TColl, CColl, Selector, Conv, Creator, Init >.produce(), SelectedElectronFEDListProducer< TEle, TCand >.produce(), SoftLepton.produce(), L1EGCrystalClusterEmulatorProducer.produce(), edm::ProcessBlock.putImpl(), edm::LuminosityBlock.putImpl(), edm::Run.putImpl(), DAFTrackProducer.putInEvtTrajAnn(), HiPuRhoProducer.putRho(), NuclearInteractionSimulator.read(), fastsim::NuclearInteraction.read(), MODCCSHFDat.readClob(), IODConfig.readClob(), edm::RootEmbeddedFileSequence.readOneRandom(), readRemote(), MuonAlignmentFromReference.readTmpFiles(), DTCtcp.Receive(), PMTDSimAccumulator.reserve(), PHGCSimAccumulator.reserve(), DQMBasicNet.reserveLocalSpace(), CaloSlaveSD.ReserveMemory(), LayerHitMapCache::SimpleCache.resize(), edm::storage::File.resize(), SiPixelClusterShapeCache.resize(), L1GctProcessor::Pipeline< T >.resize(), TrackingNtuple::DetIdCommon.resize(), TrackingNtuple::DetIdOTCommon.resize(), TrackingNtuple::DetIdStripOnly.resize(), JetResolution.resolution(), evf::GlobalEvFOutputModule.respondToOpenInputFile(), InputFile.rewindChunk(), NuclearInteractionFinder.run(), PVFitter.runBXFitter(), ConvBremPFTrackFinder.runConvBremFinder(), NuclearInteractionSimulator.save(), CaloSteppingAction.saveHits(), FWCaloRecHitDigitSetProxyBuilder.scaleProduct(), SecToLook_Read(), SecToRead_Read(), CSCSegAlgoTC.segmentSort(), DTCtcp.Send(), DQMImplNet< DQMNet::Object >.sendObjectListToPeer(), SeqInStream_Read(), SeqInStream_Read2(), set_children_visibility(), EcalTBHodoscopePlaneRawHits.setChannels(), HBHEStatusBitSetter.SetFlagsFromDigi(), SiStripDQMPopConSourceHandler< SiStripBadStrip >.setForTransfer(), JDrawer.SetLabelSizeX(), JDrawer.SetLabelSizeY(), EcalTBHodoscopeRawInfo.setPlanes(), MonTTConsistencyDat.setProblemsSize(), MonMemTTConsistencyDat.setProblemsSize(), HcalTBSource.setRunAndEventInfo(), EcalBaseNumber.setSize(), CSCALCTTrailer2006.setSize(), MTDBaseNumber.setSize(), edm::storage::StatisticsSenderService.setSize(), CSCALCTTrailer2007.setSize(), DTuROSFEDData.setslotsize(), AlignmentParameterSelector.setSpecials(), JDrawer.SetTitleSizeX(), JDrawer.SetTitleSizeY(), MatchCandidateBenchmark.setup(), HBHERecalibration.setup(), OpticalObject.shortName(), HLTEventAnalyzerRAW.showObjects(), HGCalDDDConstants.simToReco(), SiPixelDynamicInefficiencyReader.SiPixelDynamicInefficiencyReader(), OrderedMultiHits.size(), OrderedHitPairs.size(), OrderedHitSeeds.size(), OrderedHitTriplets.size(), sort_by_row_in_groups(), L1TMuonProducer.splitAndConvertMuons(), CombinationGenerator< T >.splitInTwoCollections(), L1MuGMTLUT::PortDecoder.str(), StripCPE.StripCPE(), PTStatistics.sum(), PTStatistics.sumR(), super_sort_matrix_rows(), FWSecondarySelectableSelector.syncSelection(), TStorageFactoryFile.SysStat(), Cylinder.tangentPlane(), hcalCalib.Terminate(), GlobalCoordsObtainer.to_two_comp(), PTStatistics.toString(), reco::Conversion.tracksSigned_d0(), CastorPedestalAnalysis.Trendings(), HcalPedestalAnalysis.Trendings(), DTBtiChip.trigger(), DTTracoChip.trigger(), DTBtiChip.triggerData(), DTTracoChip.triggerData(), pat::PATObject< reco::Muon >.triggerObjectMatch(), HLTScalersClient::CountLSFifo_t.trim_(), TSFit.TSFit(), InvariantMassFromVertex.uncertainty(), RctRawToDigi.unpackCTP7(), PTStatistics.update(), HcaluLUTTPGCoder.update(), CaloSteppingAction.update(), HLTrigReport.updateConfigCache(), TritonData< IO >.updateMem(), PiecewiseScalingPolynomial.validate(), CombinedKinematicConstraint.value(), vhdl_int_to_signed(), MTDTopology.vshiftETL(), FWDialogBuilder.vSpacer(), HEPTopTaggerV2Structure.W2(), MuonSeedCreator.weightedPt(), GctFormatTranslateMCLegacy.writeAllRctCaloRegionBlock(), GctFormatTranslateMCLegacy.writeRctEmCandBlocks(), MuonAlignmentFromReference.writeTmpFiles(), DDExtrudedPolygon.xyPointsSize(), and MuScleFit.~MuScleFit().

◆ total_numevents

findQualityFiles.total_numevents = 0

Definition at line 406 of file findQualityFiles.py.

◆ type

findQualityFiles.type

Definition at line 55 of file findQualityFiles.py.

◆ uniq_list_of_runs

findQualityFiles.uniq_list_of_runs = sorted(set(list_of_runs))

Definition at line 421 of file findQualityFiles.py.

◆ unique_files_events

findQualityFiles.unique_files_events = list(set(files_events))

Definition at line 431 of file findQualityFiles.py.

◆ usage

string findQualityFiles.usage = '%prog [options]\n\n'+\

To parse commandline args.

Definition at line 48 of file findQualityFiles.py.

◆ v

findQualityFiles.v = options.verbose

Definition at line 179 of file findQualityFiles.py.

Referenced by Matriplex.__attribute__(), reco::formula::FunctionTwoArgsEvaluator.abstractSyntaxTree(), reco::formula::BinaryOperatorEvaluator< Op >.abstractSyntaxTree(), DDSpecificsHasNamedValueFilter.accept(), DDSpecificsMatchesValueFilter.accept(), DDSpecificsFilter.accept_impl(), cms::PileupVertexAccumulator.accumulate(), cms::Phase2TrackerDigitizer.accumulate_local(), CaloTruthAccumulator.accumulateEvent(), MtdTruthAccumulator.accumulateEvent(), RPCLinkSynchroStat.add(), cms::DDNamespace.addConstantNS(), FWGeoMaterialValidator.addDaughtersRec(), TrackingVertex.addG4Vertex(), cond::OMSServiceQuery.addOutputVars(), Python11ParameterSet.addParameters(), PFTrackTransformer.addPoints(), PFTrackTransformer.addPointsAndBrems(), FBaseSimEvent.addSimVertex(), SimTrackManager.addTrack(), TmpSimEvent.addVertex(), GEMOptoHybrid.addVFAT(), Python11ParameterSet.addVPSet(), hitfit.adjust_e_for_mass(), hitfit.adjust_p_for_mass(), algorithm(), DDMapper< G4LogicalVolume *, DDLogicalPart >.all(), PrimaryVertexMonitor.analyze(), METplusTrackMonitor.analyze(), TrackingRecoMaterialAnalyser.analyze(), MuonMonitor.analyze(), METMonitor.analyze(), EwkMuLumiMonitorDQM.analyze(), EfficiencyAnalyzer.analyze(), EwkDQM.analyze(), HGCalTestGuardRing.analyze(), TotemRPDQMSource.analyze(), TrackBuildingAnalyzer.analyze(), ZEEDetails.analyze(), TopMonitor.analyze(), HTMonitor.analyze(), ValidationMisalignedTracker.analyze(), HiggsDQM.analyze(), TrackParameterAnalyzer.analyze(), BTagAndProbe.analyze(), SiStripCommissioningSource.analyze(), HLTInclusiveVBFSource.analyze(), BTVHLTOfflineSource.analyze(), DQMExample_Step1.analyze(), CaloParticleDebugger.analyze(), FourVectorHLT.analyze(), ParticleNetJetTagMonitor.analyze(), StandaloneTrackMonitor.analyze(), TestOutliers.analyze(), GeneralPurposeVertexAnalyzer.analyze(), V0Monitor.analyze(), MuonIsolationDQM.analyze(), HLTExoticaSubAnalysis.analyze(), HLTObjectsMonitor.analyze(), PrimaryVertexAnalyzer4PUSlimmed.analyze(), TrackerDpgAnalysis.analyze(), TrackingNtuple.analyze(), EcalSelectiveReadoutValidation.analyzeEB(), EcalSelectiveReadoutValidation.analyzeEE(), HGCalTB23Analyzer.analyzePassiveHits(), HGCalTBAnalyzer.analyzePassiveHits(), any(), apply(), as3D(), mathSSE.as3D(), asHepVector(), ROOT::Math::Transform3DPJ.AssignFrom(), trackerTFP::DataFormats.attachStub(), trackerTFP::DataFormats.attachTrack(), magneticfield::MagGeoBuilder.barrelVolumes(), MagGeoBuilderFromDDD.barrelVolumes(), trackerTFP::KalmanFilterFormats.base(), trackerTFP::DataFormats.base(), trackerTFP::Stub< double, double, double, double, double >.base(), trackerTFP::Track< int, int, int, double, double, double, double >.base(), FourVectorHLT.beginJob(), ExpressLumiProducer.beginLuminosityBlockProduce(), JME::bimap< Binning, std::string >.bimap(), npstat::HistoND< Numeric, Axis >.binVolume(), cscdqm::Collection.book(), HLTInclusiveVBFSource.bookHistograms(), DQMPFCandidateAnalyzer.bookHistograms(), BTVHLTOfflineSource.bookHistograms(), JetMETHLTOfflineSource.bookHistograms(), METAnalyzer.bookMonitorElement(), edm.branchIDToProductID(), edm::shared_memory::ControllerChannel.bufferInfo(), HcalParametersFromDD.build(), HGCalGeometryLoader.build(), TrackerParametersFromDD.build(), MTDParametersFromDD.build(), FWSecVertexProxyBuilder.build(), FWSecVertexCandidateProxyBuilder.build(), magneticfield::MagGeoBuilder.build(), MagGeoBuilderFromDDD.build(), FWVertexCandidateProxyBuilder.build(), FWVertexProxyBuilder.build(), SeedForPhotonConversionFromQuadruplets.buildSeedBool(), hgcal::backend.buildSlinkHeader(), DAFTrackProducerAlgorithm.buildTrack(), TrackExtenderWithMTDT< TrackCollection >.buildTrack(), MuonTrackLoader.buildTrackExtra(), TrackExtenderWithMTDT< TrackCollection >.buildTrackExtra(), SiPixelLAHarvestMCS::FitFPixMuH.calcChi2(), pat::PATPackedCandidateProducer.calcDz(), HBHEHitMap.calcEcalNeighborTowers_(), HBHEHitMap.calcEcalSameTowers_(), HBHEHitMap.calcHcalNeighborTowers_(), HBHEHitMap.calcHcalSameTowers_(), EnergyResolutionVsLumi.calcLightCollectionEfficiencyWeighted(), EnergyResolutionVsLumi.calcLightCollectionEfficiencyWeighted2(), HiFJRhoProducer.calcMedian(), EnergyResolutionVsLumi.calcmuTot(), emtf::Node.calcOptimumSplit(), HLTEcalResonanceFilter.calcPaircluster(), HBHEHitMap.calcTracksNeighborTowers_(), HBHEHitMap.calcTracksSameTowers_(), FWInvMassDialog.Calculate(), AngleCalculation.calculate_angles(), PtAssignmentEngine2016.calculate_pt_xml(), VFATFrame.calculateCRC(), HGCalImagingAlgo.calculatePosition(), PrimaryVertexAnalyzer4PUSlimmed.calculatePurityAndFillHistograms(), emtf::Huber.calculateQuantile(), HGCalCellOffset.cellAreaUV(), HGCalCellOffset.cellOffsetUV2XY1(), FWCollectionSummaryTableManager.cellRenderer(), HGCalCell.cellType(), HGCalCell.cellUV2Cell(), HGCalCell.cellUV2XY1(), HGCalCell.cellUV2XY2(), HGCalCellUV.cellUVFromXY1(), HGCalCellUV.cellUVFromXY2(), HGCalCellUV.cellUVFromXY3(), CmsShowCommonPopup.changeSelectionColorSet(), TangentCircle.charge(), reco.charge(), TangentCircle.chargeLocally(), hitfit::EtaDepResolution.CheckNoOverlap(), CaloCellGeometry.checkParmPtr(), FWGeometryTableView.checkRegionOfInterest(), FourPointPlaneBounds.checkSide(), FWGeometryTableViewBase.chosenItem(), PixelTrackCleanerBySharedHits.cleanTracks(), LayerHitMapCache::SimpleCache.clear(), helper::CollectionStoreManager< OutputCollection, ClonePolicy >.cloneAndStore(), MuonSensitiveDetector.cmsUnits(), TmpSimEvent.collisionPoint(), edm::SingleConsumerQ::ConsumerType.commit(), edm::SingleConsumerQ::ProducerType.commit(), edm::SingleConsumerQ.commitConsumerBuffer(), edm::SingleConsumerQ.commitProducerBuffer(), JacobianCurvilinearToLocal.compute(), magfieldparam::BCycl< float >.compute(), SiStripFineDelayTLA.computeAngleCorr(), TEveEllipsoidProjected.ComputeBBox(), HFCherenkov.computeNPE(), HFCherenkov.computeNPEinPMT(), mkfit.conformalFitMPlex(), converter::SuperClusterToCandidate.convert(), edm::streamer.convert(), convert(), GlobalVariablesTableProducer::Max< ColType, ValType >.convert(), GlobalVariablesTableProducer::Min< ColType, ValType >.convert(), GlobalVariablesTableProducer::ScalarPtSum< ColType, ValType >.convert(), GlobalVariablesTableProducer::MassSum< ColType, ValType >.convert(), GlobalVariablesTableProducer::PtVectorSum< ColType, ValType >.convert(), edm::streamer.convert16(), edm::streamer.convert32(), TotemRPLocalTrackFitterAlgorithm.convert3vector(), edm::streamer.convert64(), GenParticleProducer.convertParticle(), l1t.convertToLUT(), OniaPhotonConversionProducer.convertVector(), TwoBodyDecayVirtualMeasurement.convertXYZPoint(), edmNew.copyDetSetRange(), TracksUtilities< TrackerTraits >.copyFromDense(), TracksUtilities< TrackerTraits >.copyToDense(), CoreSimVertex.CoreSimVertex(), JetCoreMCtruthSeedGenerator.coreTracksFilling(), JetCoreMCtruthSeedGenerator.coreTracksFillingDeltaR(), CSCCondSegFit.correctTheCovX(), trackerTFP::DataFormats.countFormats(), pat::PackedCandidate.covarianceParameterization(), EcalClusterToolsT< noZS >.covariances(), GEMVFAT.crc_cal(), l1t::Stage2Layer1FirmwareFactory.create(), l1t::Stage2Layer2FirmwareFactory.create(), edm::one::impl::SharedResourcesUser< T >.createAcquirer(), FWPSetTableManager.createScalarString(), FWPSetTableManager.createVectorString(), TGeoMgrFromDdd.createVolume(), edm::soa::Table< Args >::CtrFillerFromContainers.ctrFiller(), LMFRunDat.Data(), trackerTFP::DataFormats.DataFormats(), DDExpandedViewDump(), DDfetch(), DDSpecifics.DDSpecifics(), DDValue.DDValue(), l1t::demo::codecs.decodeEtSums(), l1t::demo::codecs.decodeHtSums(), l1t::demo::codecs.decodeVertices(), decrease_sorted_indices(), LikelihoodFitDeDxEstimator.dedx(), DeepTauIdBase< TritonEDProducer<> >.DeepTauIdBase(), HGCalDenseIndexerBase.denseIndex(), trklet::VarBase.design_print(), cscdqm::Detector.Detector(), hitfit.deteta(), SiStripCondObjectRepresent::SiStripCondDataItem< type >.detIds(), edmNew.detsetRangeFromPair(), edm::service::MessageServicePSetValidation.disallowedParam(), RPDisplacementGenerator.displacePoint(), MSLayer.distance2(), VertexCompatibleWithBeam.distanceToBeam(), MuonResidualsFitter.dofit(), EgammaRecHitIsolation.doFlagChecks(), SherpaHadronizer.doSetRandomEngine(), Herwig7Hadronizer.doSetRandomEngine(), Pythia8HepMC3Hadronizer.doSetRandomEngine(), Pythia8Hadronizer.doSetRandomEngine(), EgammaRecHitIsolation.doSeverityChecks(), VectorDoublet< Vector3D, Vector3D >.dot(), TEveEllipsoidProjectedGL.drawArch(), ticl::PatternRecognitionbyCLUE3D< TILES >.dumpClusters(), SiStripDetVOffTrendPlotter.dumpCSV(), TrackerG4SimHitNumberingScheme.dumpG4VPV(), dumpLutDiff(), PrintoutHelper.dumpMeasurements(), ticl::PatternRecognitionbyCLUE3D< TILES >.dumpTracksters(), EcalFenixStrip.EcalFenixStrip(), HBHEHitMap.ecalHitsNeighborTowers(), HBHEHitMap.ecalHitsSameTowers(), EcalRecHitParametersGPU.EcalRecHitParametersGPU(), editNumericParameter(), edm.edmModuleTypeEnum(), DependencyGraph.edmModuleTypeEnum(), edm.edmodule_mightGet_config(), PFAlgo.egammaFilters(), CaloTower.emEt(), CaloTower.emP4(), l1t::demo::codecs.encodeVertex(), magneticfield::MagGeoBuilder.endcapVolumes(), MagGeoBuilderFromDDD.endcapVolumes(), trackerTFP::KalmanFilterFormats.endJob(), edm::Entry.Entry(), LheWeightValidation.envelop(), edm::EDConsumerBase.esGetTokenIndices(), cms::alpakatest::ESTestDataA.ESTestDataA(), edmtest::ESTestDataA.ESTestDataA(), cms::alpakatest::ESTestDataB.ESTestDataB(), edmtest::ESTestDataB.ESTestDataB(), cms::alpakatest::ESTestDataC.ESTestDataC(), edmtest::ESTestDataC.ESTestDataC(), edmtest::ESTestDataD.ESTestDataD(), edmtest::ESTestDataE.ESTestDataE(), edmtest::ESTestDataF.ESTestDataF(), edmtest::ESTestDataG.ESTestDataG(), edmtest::ESTestDataH.ESTestDataH(), edmtest::ESTestDataI.ESTestDataI(), edmtest::ESTestDataJ.ESTestDataJ(), edmtest::ESTestDataK.ESTestDataK(), edmtest::ESTestDataZ.ESTestDataZ(), KalmanVertexTrackCompatibilityEstimator< N >.estimateFittedTrack(), GsfVertexTrackCompatibilityEstimator.estimateNFittedTrack(), KalmanVertexTrackCompatibilityEstimator< N >.estimateNFittedTrack(), CaloTower.et(), hitfit::Vector_Resolution.eta_sigma(), VarSplitter.eval(), VariablePower.eval(), PhysicsTools::MVAComputer.evalInternal(), edm::streamer::EventMsgBuilder.EventMsgBuilder(), DDHGCalWafer8.execute(), DDHGCalWaferF.execute(), DDHGCalWaferFullRotated.execute(), VVIObjDetails.expint(), VVIObjFDetails.expint(), sistripvvi::VVIObjDetails.expint(), ExpressionVariable< Object, label >.ExpressionVariable(), LayerHitMapCache::SimpleCache.extend(), trackerTFP::DataFormats.extractStub(), trackerTFP::DataFormats.extractTrack(), l1tVertexFinder::VertexFinder.fastHisto(), MagGeometry.fieldInTesla(), XHistogram.fill(), DD4hep_XHistogram.fill(), reco::GsfTrack.fill(), reco::TrackBase.fill(), HGVHistoProducerAlgo.fill_caloparticle_histos(), DAClusterizerInZ_vect.fill_vertices(), HcalTB02Histo.fillAllTime(), diMuonMassBias.fillArrayF(), diMuonMassBias.fillArrayI(), core.autovars.NTupleObject.fillBranches(), core.autovars.NTupleCollection.fillBranchesScalar(), core.autovars.NTupleCollection.fillBranchesVector(), reco.fillCovariance(), FWECALCaloDataDetailViewBuilder.fillData(), trackerTFP::DataFormats.fillDataFormats(), CSCSegmentValidation.fillEfficiencyPlots(), trackerTFP::DataFormats.fillFormats(), PrimaryVertexAnalyzer4PUSlimmed.fillGenAssociatedRecoVertexHistograms(), PrimaryVertexAnalyzer4PUSlimmed.fillGenericGenVertexHistograms(), reco::Track.fillInner(), reco::TrackExtra.fillInner(), Phase2TrackerValidateDigi.fillITPixelBXInfo(), LHETablesProducer.fillLHEObjectTable(), JetMETHLTOfflineSource.fillMEforEffAllTrigger(), JetMETHLTOfflineSource.fillMEforMonAllTrigger(), JetMETHLTOfflineSource.fillMEforMonTriggerSummary(), JetMETHLTOfflineSource.fillMEforTriggerNTfired(), TkAlV0sAnalyzer.fillMonitoringHistos(), Phase2TrackerValidateDigi.fillOTBXInfo(), reco::Track.fillOuter(), reco::TrackExtra.fillOuter(), PrimaryVertexAnalyzer4PUSlimmed.fillRecoAssociatedGenPVHistograms(), PrimaryVertexAnalyzer4PUSlimmed.fillRecoAssociatedGenVertexHistograms(), PrimaryVertexAnalyzer4PUSlimmed.fillResolutionAndPullHistograms(), SiStripFakeAPVParameters.fillSubDetParameter(), MuDTMuonExtTableProducer.fillTable(), PrimaryVertexValidation.fillTrackHistos(), TrackingNtuple.fillTrackingParticles(), TrackingNtuple.fillTrackingVertices(), HcalTB02Histo.fillTransProf(), edmtest::AcquireIntStreamFilter.filter(), edmtest::AcquireIntFilter.filter(), find(), tkMSParameterization::Elems.find(), SimpleJetCorrectionUncertainty.findBin(), MP7PacketReader.findPackets(), ThirdHitPredictionFromInvParabola.findPointAtCurve(), ticl::TracksterLinkingbySkeletons.findSkeletonNodes(), RPixPlaneCombinatoryTracking.findTracks(), DivisiveVertexFinder.findVertexes(), DivisiveVertexFinder.findVertexesAlt(), MagGeometry.findVolume1(), StraightTrackAlignment.finish(), SequentialPrimaryVertexFitterAdapter.fit(), CSCCondSegFit.fit(), emtf::LeastSquares.fit(), emtf::AbsoluteDeviation.fit(), emtf::Huber.fit(), emtf::PercentErrorSquared.fit(), WeightedMeanPrimaryVertexEstimator.fit(), fitf(), CSCSegFit.fitlsq(), MuonSegFit.fitlsq(), GEMCSCSegFit.fitlsq(), fnc_gaussalpha(), fnc_gaussalpha1alpha2(), edmNew.foreachDetSetObject(), trackerTFP::KalmanFilterFormats.format(), trackerTFP::DataFormats.format(), trackerTFP::Stub< double, double, double, double, double >.format(), trackerTFP::Track< int, int, int, double, double, double, double >.format(), PATJetCorrExtractor.format_vstring(), FWGeoMaterialValidator.FWGeoMaterialValidator(), TrackerG4SimHitNumberingScheme.g4ToNumberingScheme(), GammaFunctionGenerator.gammaFrac(), GaussianTailNoiseGenerator.generate_gaussian_tail(), PVValHelper.generateBins(), PPSFastLocalSimulation.GenerateTrack(), FWGeoTopNodeGLScene.GeoPopupMenu(), edm::TRandomAdaptor.get(), BPHDaughters.get(), edm::AssociationMap< edm::OneToOne< std::vector< Trajectory >, reco::GsfTrackCollection, unsigned short > >.get(), HGCalGeometry.get8Corners(), edmtest::WhatsItAnalyzer.getAndTest(), HcalRecAlgosPrivate::AuxEnergyGetter< T, bool >.getAuxEnergy(), HcalRecAlgosPrivate::AuxRecHitGetter< T, bool >.getAuxRecHit(), EndcapPiZeroDiscriminatorAlgo.GetBarrelNNOutput(), hcaldqm::quantity::EventType.getBin(), fwlite::DataGetterHelper.getBranchIDFor(), HGCalParametersFromDD.getCellPosition(), HGCalCoarseTriggerCellMapping.getConstituentTriggerCells(), edm::SingleConsumerQ.getConsumerBuffer(), HGCalGeometry.getCorners(), LMFDat.getData(), ROOT::Math::Transform3DPJ.GetDecomposition(), HGCSiliconDetIdToModule.getDetIds(), HFNoseDetIdToModule.getDetIds(), HGCSiliconDetIdToModule.getDetTriggerIds(), hcaldqm::quantity.getDid_depth(), hcaldqm::quantity.getDid_ieta(), hcaldqm::quantity.getDid_iphi(), hcaldqm::quantity.getDid_Subdet(), hcaldqm::quantity.getDid_SubdetPM(), HBHEHitMapOrganizer.getDiHits(), DDG4Builder.getDouble(), hcaldqm::quantity.getEid_Crate(), hcaldqm::quantity.getEid_CrateuTCA(), hcaldqm::quantity.getEid_CrateVME(), hcaldqm::quantity.getEid_FED(), hcaldqm::quantity.getEid_FEDuTCA(), hcaldqm::quantity.getEid_FEDuTCASlot(), hcaldqm::quantity.getEid_FEDVME(), hcaldqm::quantity.getEid_FEDVMESpigot(), hcaldqm::quantity.getEid_FiberCh(), hcaldqm::quantity.getEid_FiberChuTCATP(), hcaldqm::quantity.getEid_FiberuTCA(), hcaldqm::quantity.getEid_FiberuTCAFiberCh(), hcaldqm::quantity.getEid_FiberuTCATP(), hcaldqm::quantity.getEid_FiberuTCATPFiberChuTCATP(), hcaldqm::quantity.getEid_FiberVME(), hcaldqm::quantity.getEid_FiberVMEFiberCh(), hcaldqm::quantity.getEid_SLB(), hcaldqm::quantity.getEid_SLBCh(), hcaldqm::quantity.getEid_SLBSLBCh(), hcaldqm::quantity.getEid_SlotuTCA(), hcaldqm::quantity.getEid_Spigot(), sim::Field.GetFieldValue(), fwlite::BranchMapReader.getFileVersion(), ClusterShapeTrackFilter.getGlobalDirs(), HFShower.getHits(), mkfit::MkFinder.getHitSelDynamicChi2Cut(), mkfit::MkFinder.getHitSelDynamicWindows(), HBHEHitMapOrganizer.getHPDs(), TShapeAnalysis.getInitVals(), hcaldqm::quantity::FEDQuantity.getLabels(), hcaldqm::quantity::EventType.getLabels(), CrossingPtBasedLinearizationPointFinder.getLinearizationPoint(), HFCherenkov.getMom(), HBHEHitMapOrganizer.getMonoHits(), HGCalGeometry.getNewCorners(), NuclearTrackCorrector.getNewTrackExtra(), edm::RepeatingCachedRootSource.getNextItemType(), EndcapPiZeroDiscriminatorAlgo.GetNNOutput(), LMFCorrCoefDatComponent.getParameterErrors(), LMFCorrCoefDatComponent.getParameters(), Python11ParameterSet.getParameters(), edm::pdtentry.getPdtEntryVector(), edm::SingleConsumerQ.getProducerBuffer(), Geometry.GetQuantity(), HcalRecAlgosPrivate::RawEnergyGetter< T, bool >.getRawEnergy(), HBHEHitMapOrganizer.getRBXs(), PrimaryVertexAnalyzer4PUSlimmed.getRecoPVs(), Primary4DVertexValidation.getRecoPVs(), edm::helper::MatcherGetRef< View< T > >.getRef(), PrimaryVertexAnalyzer4PUSlimmed.getSimPVs(), Primary4DVertexValidation.getSimPVs(), emtf::Tree.getSplitValues(), emtf::Tree.getSplitValuesRecursive(), edm::TRandomAdaptor.getState(), RunSummary.getSubdtIn(), hcaldqm::quantity.getTid_TTdepth(), hcaldqm::quantity.getTid_TTieta(), hcaldqm::quantity.getTid_TTieta2x3(), hcaldqm::quantity.getTid_TTiphi(), hcaldqm::quantity.getTid_TTSubdet(), hcaldqm::quantity.getTid_TTSubdetPM(), LMFLmrSubIOV.getTimes(), DTTMax.getTMax(), HFNoseDetIdToModule.getTriggerDetIds(), HGCalTypes.getUnpackedV(), TShapeAnalysis.getVals(), hcaldqm::quantity::EventType.getValue(), Python11ParameterSet.getVPSet(), HFCherenkov.getWL(), HFCherenkov.getWLAtten(), HFCherenkov.getWLHEM(), HFCherenkov.getWLIni(), HFCherenkov.getWLQEff(), HFCherenkov.getWLTrap(), TestInterProcessRandomProd.globalBeginLuminosityBlockProduce(), TestInterProcessProd.globalBeginLuminosityBlockProduce(), ExternalGeneratorFilter.globalBeginLuminosityBlockProduce(), TestInterProcessProd.globalBeginRunProduce(), HGCalWaferMask.goodCell(), CaloTower.hadEt(), CaloTower.hadP4(), FWGLEventHandler.HandleButton(), FWGeometryTableViewBase::FWViewCombo.HandleButton(), DDI::LogicalPart.hasDDValue(), DDLogicalPart.hasDDValue(), DTCombinatorialPatternReco::TriedPattern.hash_combine(), hcaldqm::filter::HashFilter.HashFilter(), HBHEHitMap.hcalHitsNeighborTowers(), HBHEHitMap.hcalHitsSameTowers(), ConversionFastHelix.helixStateAtVertex(), FastHelix.helixStateAtVertex(), TrackPropagation.hep3VectorToGlobalPoint(), HGCalCellUV.HGCalCellUV(), HGCalMappingESProducer.HGCalMappingESProducer(), HGCalMouseBite.HGCalMouseBite(), HGCSiliconDetIdToROC.HGCSiliconDetIdToROC(), histoFill(), PixelTripletHLTGenerator.hitTriplets(), PixelTripletLargeTipGenerator.hitTriplets(), trklet::VarBase.hls_print(), PFDisplacedVertexHelper.identifyVertex(), TTBV.ids(), edmtest::TestESConcurrentSource.incrementCount(), Phase2TrackerDigitizerAlgorithm.induce_signal(), cms::alpakatools::FlexiStorage< I, -1 >.init(), EcalEBTrigPrimTestAlgo.init(), DTBlockedROChannelsTest::DTRobBinsMap.init(), DTBlockedROChannelsTest::DTLinkBinsMap.init(), JME::JetResolutionObject::Definition.init(), hcaldqm::filter::HashFilter.initialize(), SiPixelFedCablingMap.initializeRocs(), edm::streamer::InitMsgBuilder.InitMsgBuilder(), reco::TrackExtra.innerStateCovariance(), BinningPointByMap.insert(), edm::OneToValue< BasicClusterCollection, float, unsigned short >.insert(), edm::OneToMany< std::vector< SimTrack >, std::vector< OmniClusterRef >, unsigned int >.insert(), edm::OneToOneGeneric< CKey, CVal, index >.insert(), edm::OneToManyWithQualityGeneric< TrackingVertexCollection, edm::View< reco::Vertex >, double, unsigned int >.insert(), edm::AssociationMap< edm::OneToOne< std::vector< Trajectory >, reco::GsfTrackCollection, unsigned short > >.insert(), edm::ParentageRegistry.insertMapped(), edm::pset::Registry.insertMapped(), EtaInterval.inside(), PhiInterval.inside(), LinearGridInterpolator3D.interpolate(), npstat::ArrayND< Numeric >.interpolateLoop(), EcalTBDaqFormatter.interpretRawData(), EcalTB07DaqFormatter.interpretRawData(), RKLocalFieldProvider.inTesla(), TrackerDpgAnalysis.inVertex(), reco::parser::SingleInvoker.invoke(), reco::parser::LazyInvoker.invoke(), reco::parser::LazyInvoker.invokeLast(), ThirdHitPrediction.isCompatibleWithMultipleScattering(), mkfit.isFinite(), edm.isFinite(), RPTopology.IsHit(), PFJetAnalyzerDQM::Plot1DInBin.isInBin(), PFJetAnalyzerDQM::Plot1DInBinVariable.isInBin(), PFDisplacedVertexHelper.isKaonMass(), PerformancePayloadFromBinnedTFormula.isOk(), PerformancePayloadFromTFormula.isOk(), cms::alpakatools.isPowerOf2(), eigenSoA.isPowerOf2(), edm.iterateTrieLeaves(), reco::TrackProbabilityTagInfo.jetProbability(), TemplatedJetProbabilityComputer< Container, Base >.jetProbability(), TemplatedJetBProbabilityComputer< Container, Base >.jetProbability(), hitfit::Lepjets_Event.kt(), L1MuGMTMatrix< bool >.L1MuGMTMatrix(), PFDisplacedVertexHelper.lambdaCP(), edm::waiting_task::detail::WaitingTaskChain< U >.lastTask(), edm::waiting_task::detail::WaitingTaskChain< U, T... >.lastTask(), edm::waiting_task::detail::WaitingTaskChain< Conditional< U >, T... >.lastTask(), CSCTFPtMethods.Likelihood(), CSCTFPtMethods.Likelihood2(), CSCTFPtMethods.Likelihood2011(), CSCTFPtMethods.Likelihood2_2011(), fftjetcms::LinInterpolatedTable1D.LinInterpolatedTable1D(), TmpSimEvent.load(), FWGeometryTableManager.loadGeometry(), edm::MapOfVectors< std::string, AnalysisDescription * >.loadNext(), HGCalGeomParameters.loadWaferHexagon8(), EcalClusterToolsT< noZS >.localCovariances(), LocalTrajectoryParameters.LocalTrajectoryParameters(), edm.LoggedErrorsOnlySummary(), edm.LoggedErrorsSummary(), btagbtvdeep.logWithOffset(), edm::service::MessageServicePSetValidation.lookForMatch(), ls_cert_type(), main(), HFShowerLibrary::BranchReader.makeCache(), TSToSimTSHitLCAssociatorByEnergyScoreImpl.makeConnections(), MultiClusterAssociatorByEnergyScoreImpl.makeConnections(), LCToCPAssociatorByEnergyScoreImpl< HIT >.makeConnections(), TagProbeFitter.makeEfficiencyPlot1D(), EcalElectronicsMapper.makeMapFromVectors(), ticl::PatternRecognitionbyCLUE3D< TILES >.makeTracksters(), HGCalWaferMask.maskCell(), HGCalDDDConstants.maskCell(), CSCStubMatcher.match(), CSCDigiMatcher.match(), GEMRecHitMatcher.match(), GEMDigiMatcher.match(), CSCRecHitMatcher.match(), GlobalMuonTrackMatcher.match_Chi2(), TSGForOIFromL2.match_Chi2(), GlobalMuonTrackMatcher.match_dist(), edm::storage::StatisticsSenderService.matchedLfn(), PerformancePayloadFromTable.matches(), PATObjectCrossLinker.matchOneToVertices(), PrimaryVertexAnalyzer4PUSlimmed.matchReco2SimVertices(), PrimaryVertexAnalyzer4PUSlimmed.matchSim2RecoVertices(), PATObjectCrossLinker.matchVertexToMany(), EcalClusterToolsT< noZS >.matrixDetId(), hgcal_clustering.max_index(), TrackMerger.merge(), LocalTrajectoryParameters.mixedFormatVector(), cms::alpakatools.module_backend_config(), RKCurvilinearDistance< T, N >.momentum(), ParametersDefinerForTP.momentumAndVertex(), SiPixelDigiMorphing.morph(), TkRotation< align::Scalar >.multiplyInverse(), MultShiftMETcorrInputProducer.MultShiftMETcorrInputProducer(), reco::btag::Vertices.name(), HGCalTBGeometry.neighborZ(), HGCalGeometry.neighborZ(), HGCalGeometry.newCell(), edm::service::MessageServicePSetValidation.noBadParams(), edm::service::MessageServicePSetValidation.noCoutCerrClash(), edm::service::MessageServicePSetValidation.noDuplicates(), edm::service::MessageServicePSetValidation.noKeywords(), Generator.nonCentralEvent2G4(), edm::service::MessageServicePSetValidation.noNonPSetUsage(), DDMapper< G4LogicalVolume *, DDLogicalPart >.noSpecifics(), FullModelReactionDynamics.NuclearReaction(), FWGUIManager.open3DRegion(), FWFileEntry.openFile(), LowPassFilterTiming.operator()(), LmsModeFinder3d.operator()(), HsmModeFinder3d.operator()(), ThirdHitRZPrediction< Propagator >.operator()(), PropagationDirectionChooser.operator()(), MtvClusterizer1D< T >.operator()(), ESShape.operator()(), VertexCompatibleWithBeam.operator()(), FsmwClusterizer1D< T >.operator()(), OutermostClusterizer1D< T >.operator()(), ALPAKA_ACCELERATOR_NAMESPACE::ECLCCInit.operator()(), ALPAKA_ACCELERATOR_NAMESPACE::ECLCCCompute1.operator()(), L1TrackVertexAssociationProducer::TTTrackDeltaZMaxSelector.operator()(), L1TrackVertexAssociationProducer::TTTrackWordDeltaZMaxSelector.operator()(), ALPAKA_ACCELERATOR_NAMESPACE::ECLCCFlatten.operator()(), magneticfield::ExtractZ.operator()(), magneticfield::ExtractAbsZ.operator()(), L1TrackVertexAssociationProducer::NNTrackWordSelector.operator()(), magneticfield::ExtractPhi.operator()(), magneticfield::ExtractPhiMax.operator()(), magneticfield::ExtractR.operator()(), magneticfield::ExtractRN.operator()(), ROOT::Math::Transform3DPJ.operator()(), cms::alpakatools::radixSortMultiWrapper< T, NS >.operator()(), cms::alpakatools::radixSortMultiWrapper2< T, NS >.operator()(), TkRotation< align::Scalar >.operator*(), operator*(), ROOT::Math::Transform3DPJ.operator*(), operator+(), trackerTFP.operator+(), trackerTFP.operator++(), VectorDoublet< Vector3D, Vector3D >.operator+=(), TkTrackingRegionsMargin< float >.operator+=(), operator-(), VectorDoublet< Vector3D, Vector3D >.operator-=(), operator/(), DDValue.operator<(), operator<<(), math.operator<<(), operator==(), DDValue.operator==(), FourVectorHLT::PathInfo.operator==(), BTVHLTOfflineSource::PathInfo.operator==(), HLTInclusiveVBFSource::PathInfo.operator==(), edm.operator==(), JetMETHLTOfflineSource::PathInfo.operator==(), orderLuminosityBlockRange(), VertexBeamspotOrigins.origins(), CaloTower.outerEt(), reco::TrackExtra.outerStateCovariance(), npstat::BoxND< unsigned >.overlapVolume(), CaloTower.p(), CaloTower.p4(), CaloTower.p4_HO(), hitfit::Vector_Resolution.p_sigma(), HGCalTypes.packCellTypeUV(), HGCalTypes.packTypeUV(), TotemRPLocalTrack.parameterVector(), LheWeightValidation.pdfRMS(), hitfit::Vector_Resolution.phi_sigma(), trklet::VarBase.pipe_delay(), trklet::VarBase.pipe_delay_wire(), SymmetryFit.pol2_from_pol2(), SymmetryFit.pol2_from_pol3(), FWGeometryTableViewBase.populate3DViewsFromConfig(), FWEveOverlap.popupMenu(), FWEveDetectorGeo.popupMenu(), DDHGCalMixLayer.positionMix(), DDHGCalMixRotatedCassette.positionMix(), DDHGCalMixRotatedLayer.positionMix(), DDHGCalMixRotatedFineCassette.positionMix(), HGCalMixLayer.positionMix(), HGCalMixRotatedLayer.positionMix(), HGCalMixRotatedCassette.positionMix(), HGCalMixRotatedFineCassette.positionMix(), DDHGCalSiliconRotatedCassette.positionPassive(), HGCalSiliconRotatedCassette.positionPassive(), DDHGCalEEAlgo.positionSensitive(), DDHGCalEEFileAlgo.positionSensitive(), DDHGCalSiliconModule.positionSensitive(), DDHGCalSiliconRotatedCassette.positionSensitive(), DDHGCalSiliconRotatedModule.positionSensitive(), DDHGCalHEAlgo.positionSensitive(), DDHGCalHEFileAlgo.positionSensitive(), HGCalEEFileAlgo.positionSensitive(), HGCalSiliconModule.positionSensitive(), HGCalSiliconRotatedModule.positionSensitive(), HGCalEEAlgo.PositionSensitive(), HGCalSiliconRotatedCassette.positionSensitive(), HGCalHEFileAlgo.positionSensitive(), HGCalHEAlgo.positionSensitive(), edm::service::MessageLogger.preAccessInputProcessBlock(), edm::service::MessageLogger.preBeginProcessBlock(), PerigeeLinearizedTrackState.predictedStateMomentumParameters(), edm::service::MessageLogger.preEndProcessBlock(), edm::service::MessageLogger.preEvent(), edm::service::MessageLogger.preGlobalBeginLumi(), edm::service::MessageLogger.preGlobalBeginRun(), edm::service::MessageLogger.preGlobalEndLumi(), edm::service::MessageLogger.preGlobalEndRun(), HGCalMappingESProducer.prepareCellMapperIndexer(), HGCalMappingESProducer.prepareModuleMapperIndexer(), emtf::Forest.prepareRandomSubsample(), TotemRPLocalTrackFitterAlgorithm.prepareReconstAlgebraData(), fireworks.prepareTrack(), edm::service::MessageLogger.preStreamBeginLumi(), edm::service::MessageLogger.preStreamBeginRun(), edm::service::MessageLogger.preStreamEndLumi(), edm::service::MessageLogger.preStreamEndRun(), edm::eventsetup::ESProductResolverProvider.prevalidate(), print(), hcaldqm::electronicsmap::ElectronicsMap.print(), SiPixelPerformanceSummary.print(), printvector(), EcalFenixTcpFormatEE.process(), EcalFenixTcpFormatEB.process(), DDLVector.processElement(), Phase2L1GMT::TPS.processEvent(), PPSDirectProtonSimulation.processProton(), FWGeoTopNodeGL.ProcessSelection(), pat::PATVertexSlimmer.produce(), CandOneToManyDeltaRMatcher.produce(), pat::PATSecondaryVertexSlimmer.produce(), edmtest::AcquireIntStreamProducer.produce(), L2TauPixelIsoTagProducer.produce(), PixelVertexProducerFromSoAAlpaka.produce(), reco::modules::MatcherBase< C1, C2, M >.produce(), reco::modulesNew::Matcher< C1, C2, S, D >.produce(), VertexFromTrackProducer.produce(), edmtest::AcquireIntProducer.produce(), PixelVertexProducerFromSoA.produce(), MultShiftMETcorrInputProducer.produce(), PFchsMETcorrInputProducer.produce(), DeepDoubleXONNXJetTagsProducer.produce(), TrackstersProducer.produce(), PixelVertexProducer.produce(), LHE2HepMCConverter.produce(), OscarMTProducer.produce(), PFTauTransverseImpactParameters.produce(), edmtest::AcquireIntESProducer.produce(), FastPrimaryVertexWithWeightsProducer.produce(), PrimaryVertexProducer.produce(), FastPrimaryVertexProducer.produce(), reco::modules::CosmicTrackSplitter.produce(), testinter::StreamCache.produce(), TemplatedInclusiveVertexFinder< InputContainer, VTX >.produce(), TemplatedSecondaryVertexProducer< IPTI, VTX >.produce(), BaseMVAValueMapProducer< pat::Muon >.produce(), DIPLumiProducer.produceDetail(), DIPLumiProducer.produceSummary(), BaseParticlePropagator.propagateToBeamCylinder(), ParticlePropagator.propagateToNominalVertex(), BaseParticlePropagator.propagateToNominalVertex(), CSCSegAlgoShowering.pruneFromResidual(), CSCTFPtMethods.Pt2Stn2010(), CSCTFPtMethods.Pt2Stn2011(), CSCTFPtMethods.Pt2Stn2012(), CSCTFPtMethods.Pt2Stn2012_DT(), CSCTFPtMethods.Pt3Stn2010(), CSCTFPtMethods.Pt3Stn2011(), CSCTFPtMethods.Pt3Stn2012(), CSCTFPtMethods.Pt3Stn2012_DT(), ptFast(), PVClusterComparer.pTSquaredSum(), reco::FlavorHistoryEvent.push_back(), RandomEngineState.push_back_seedVector(), RandomEngineState.push_back_stateVector(), UETable.pushEtaEdge(), UETable.pushNi0(), UETable.pushNi1(), UETable.pushNi2(), UETable.pushNp(), UETable.pushUE(), edm::TRandomAdaptor.put(), KfTrackProducerBase.putInEvt(), GsfTrackProducerBase.putInEvt(), TrackProducerWithSCAssociation.putInEvt(), PrimaryVertexMonitor.pvTracksPlots(), GeneralPurposeVertexAnalyzer.pvTracksPlots(), TrackAssociatorByPositionImpl.quality(), HGCalGeomTools.radius(), cms::alpakatools.radixSortMulti(), ctfseeding.range2SeedingHits(), ThirdHitPredictionFromInvParabola.rangeRPhi(), emtf::Forest.rankVariables(), emtf::Tree.rankVariables(), emtf::Tree.rankVariablesRecursive(), L1TriggerScalerRead.readData(), HepMCFileReader.ReadStats(), edm::service::RandomNumberGeneratorService.readVector(), cms::DDNamespace.realName(), TrackingRecHit.recHitsV(), TrackClassifier.reconstructionInformation(), CosmicRegionalSeedGenerator.regions(), CandidateSeededTrackingRegionsProducer.regions(), L1MuonSeededTrackingRegionsProducer.regions(), ElectronEnergyRegressionEvaluate.regressionUncertaintyNoTrkVar(), ElectronEnergyRegressionEvaluate.regressionUncertaintyNoTrkVarV1(), ElectronEnergyRegressionEvaluate.regressionUncertaintyWithSubClusters(), ElectronEnergyRegressionEvaluate.regressionUncertaintyWithTrkVar(), ElectronEnergyRegressionEvaluate.regressionUncertaintyWithTrkVarV1(), ElectronEnergyRegressionEvaluate.regressionUncertaintyWithTrkVarV2(), ElectronEnergyRegressionEvaluate.regressionValueNoTrkVar(), ElectronEnergyRegressionEvaluate.regressionValueNoTrkVarV1(), ElectronEnergyRegressionEvaluate.regressionValueWithSubClusters(), ElectronEnergyRegressionEvaluate.regressionValueWithTrkVar(), ElectronEnergyRegressionEvaluate.regressionValueWithTrkVarV1(), ElectronEnergyRegressionEvaluate.regressionValueWithTrkVarV2(), edm::SingleConsumerQ::ConsumerType.release(), edm::SingleConsumerQ::ProducerType.release(), edm::SingleConsumerQ.releaseConsumerBuffer(), edm::SingleConsumerQ.releaseProducerBuffer(), HcalParametersFromDD.rescale(), HGCalTBGeomParameters.rescale(), HGCalGeomParameters.rescale(), pat::HcalDepthEnergyFractions.reset(), L1MuGMTMatrix< bool >.reset(), PrimaryVertexAnalyzer4PUSlimmed.resetSimPVAssociation(), HGCalTBGeomParameters.resetZero(), HGCalGeomParameters.resetZero(), cms::DDAlgoArguments.resolveValue(), mathSSE::Rot3< align::Scalar >.rotate(), RawParticle.rotate(), mathSSE::Rot2< Scalar >.rotate(), TkRotation< align::Scalar >.rotate(), Rot3< align::Scalar >.rotate(), Rot2< Scalar >.rotate(), TkRotation2D< Scalar >.rotate(), mathSSE::Rot3< align::Scalar >.rotateBack(), mathSSE::Rot2< Scalar >.rotateBack(), TkRotation< align::Scalar >.rotateBack(), Rot3< align::Scalar >.rotateBack(), Rot2< Scalar >.rotateBack(), TkRotation2D< Scalar >.rotateBack(), RawParticle.rotateX(), RawParticle.rotateY(), RawParticle.rotateZ(), hitfit.roteta(), hitfit.rottheta(), EcalRecHitWorkerRecover.run(), edm::waiting_task::detail::WaitingTaskChain< U, T... >.runLast(), edm::waiting_task::detail::WaitingTaskChain< Conditional< U >, T... >.runLast(), PileupJetIdAlgo.runMva(), TagProbeFitter.saveDistributionsPlot(), TagProbeFitter.saveFitPlot(), emtf::Forest.saveSplitValues(), EcalClusterToolsT< noZS >.scLocalCovariances(), SeedMvaEstimator.SeedMvaEstimator(), FWViewContextMenuHandlerGL.select(), RPCMonitorLinkSynchro.select(), VariableFormulaEventSelector.select(), ObjectPairCollectionSelector< InputCollection, Selector, StoreContainer, RefAdder >.select(), SortCollectionSelector< InputCollection, Comparator, OutputCollection, StoreContainer, RefAdder >.select(), VariableEventSelector.select(), Primary4DVertexValidation.select(), MuonResidualsFitter.selectPeakResiduals(), MuonResidualsFitter.selectPeakResiduals_simple(), FWGeometryTableViewBase.selectView(), boost::serialization.serialize(), edmtest::test_acquire::WaitingServer.serverDoWork(), CandCommonVertexFitterBase.set(), ClhepEvaluator.set(), L1MuGMTMatrix< bool >.set(), EVTColContainer.set(), edm::streamer::OutputFile.set_current_offset(), edm::streamer::OutputFile.set_do_adler(), HcalTB02HistoClass.set_E5x5(), HcalTB02HistoClass.set_E5x5N(), HcalTB02HistoClass.set_E7x7(), HcalTB02HistoClass.set_E7x7N(), HcalTB02HistoClass.set_Eentry(), HcalTB02HistoClass.set_Einit(), HcalTB02HistoClass.set_eta(), HcalTB02HistoClass.set_ETot(), HcalTB02HistoClass.set_ETotN(), HcalTB02HistoClass.set_Nprim(), HcalTB02HistoClass.set_Ntimesli(), HcalTB02HistoClass.set_NUnit(), HcalTB02HistoClass.set_partType(), HcalTB02HistoClass.set_phi(), SiPixelCPEGenericErrorParm.set_version(), HcalTB02HistoClass.set_xE3x3(), HcalTB02HistoClass.set_xE3x3N(), HcalTB02HistoClass.set_xE5x5(), HcalTB02HistoClass.set_xE5x5N(), HcalTB02HistoClass.set_xEentry(), HcalTB02HistoClass.set_xETot(), HcalTB02HistoClass.set_xETotN(), HcalTB02HistoClass.set_xNUnit(), edm::MergeableRunProductMetadata::MetadataForProcess.setAllLumisProcessed(), DeDxCalibration.setAlpha(), LMFPrimDat.setAlpha(), LMFPrimDat.setAPDoverAM3(), LMFPrimDat.setAPDoverAMean(), LMFPrimDat.setAPDoverARMS(), LMFPrimDat.setAPDoverBM3(), LMFPrimDat.setAPDoverBMean(), LMFPrimDat.setAPDoverBRMS(), LMFPrimDat.setAPDoverPnM3(), LMFPrimDat.setAPDoverPnMean(), LMFPrimDat.setAPDoverPnRMS(), reco::BeamSpot.setBeamWidthX(), reco::BeamSpot.setBeamWidthY(), edm::IndexIntoFile::RunOrLumiIndexes.setBeginEventNumbers(), LMFPrimDat.setBeta(), reco::BeamSpot.setbetaStar(), npstat::HistoND< Numeric, Axis >.setBin(), npstat::HistoND< Numeric, Axis >.setBinAt(), DCULVRVoltagesDat.setBuffer(), CachingVariable.setCache(), EVTColContainer.setCaloMHT(), CTPPSPixelFramePosition.setChannelIdx(), CSCCondSegFit.setChi2(), CSCSegFit.setChi2(), MuonSegFit.setChi2(), HcalTriggerPrimitiveAlgo.setCodedVetoThresholds(), FWColorManager.setColorSetViewer(), reco::ForwardProton.setContributingLocalTracks(), pat::PackedCandidate.setCovarianceVersion(), TrackInformation.setCrossedBoundary(), edm::CurrentModuleOnThread.setCurrentModuleOnThread(), VFATFrame.setDAQErrorFlags(), mySiStripNoises.setData(), LMFTestPulseConfigDat.setData(), LMFDat.setData(), SiStripNoises.setData(), LMFLaserConfigDat.setData(), FWGeometryTableManager.setDaughtersSelfVisibility(), FWOverlapTableManager.setDaughtersSelfVisibility(), FWGeometryTableManagerBase.setDaughtersSelfVisibility(), reco::BeamSpot.setEmittanceX(), reco::BeamSpot.setEmittanceY(), edm::IndexIntoFile::RunOrLumiIndexes.setEndEventNumbers(), PileupRandomNumberGenerator.setEngine(), edm::service::RandomNumberGeneratorService::ModuleIDToEngine.setEngineState(), LMFClsDat.setENorm(), BscG4Hit.setEntry(), edm::StreamContext.setEventID(), TotemTestHistoClass.setEVT(), CTPPSPixelFramePosition.setFEDId(), TotemT2FramePosition.setFEDId(), TotemFramePosition.setFEDId(), DCULVRVoltagesDat.setFenix(), LMFLaserPulseDat.setFitMethod(), LMFPrimDat.setFlag(), LMFPnPrimDat.setFlag(), LMFClsDat.setFlag(), LMFClsDat.setFlagNorm(), QIE10DataFrame.setFlags(), QIE11DataFrame.setFlags(), CTPPSPixelFramePosition.setFMCId(), DeDxCalibration.setGain(), TrackInformation.setGeneratedSecondary(), DCULVRVoltagesDat.setGOH(), TotemT2FramePosition.setGOHId(), TotemFramePosition.setGOHId(), TrackInformation.setHasHits(), HcalTBEventPosition.setHFtableCoords(), BscG4Hit.setHitPosition(), TotemT2FramePosition.setIdxInFiber(), TotemFramePosition.setIdxInFiber(), edm::ProductResolverIndexHelper::Item.setIndex(), DCULVRVoltagesDat.setINH(), edm::BranchDescription.setIsMergeable(), edm::ParameterSetEntry.setIsTracked(), pathStatusExpression::NotOperator.setLeft(), pathStatusExpression::BinaryOperator< T >.setLeft(), edm::pathStatusExpression::NotOperator.setLeft(), edm::pathStatusExpression::BinaryOperator< T >.setLeft(), npstat::HistoND< Numeric, Axis >.setLinearBin(), npstat::HistoND< Numeric, Axis >.setLinearBinAt(), LMFClsDat.setLMFRefRunIOVID(), edm::StreamContext.setLuminosityBlockIndex(), LMFPrimDat.setM3(), LMFPnPrimDat.setM3(), LMFPnPrimDat.setMean(), LMFPrimDat.setMean(), LMFClsDat.setMean(), edm::MergeableRunProductMetadata::MetadataForProcess.setMergeDecision(), edm::service::RandomNumberGeneratorService::SeedsAndName.setModuleID(), LMFLaserPulseDat.setMTQAmplification(), LMFLaserPulseDat.setMTQFW20(), LMFLaserPulseDat.setMTQFW80(), LMFLaserPulseDat.setMTQFWHM(), LMFLaserPulseDat.setMTQRise(), LMFLaserPulseDat.setMTQSliding(), LMFLaserPulseDat.setMTQTime(), LMFClsDat.setNevt(), edm::ThreadSafeAddOnlyContainer< T >::Node.setNext(), LMFClsDat.setNorm(), TotemVFATStatus.setNumberOfClusters(), VFATFrame.setNumberOfClusters(), TotemVFATStatus.setNumberOfClustersSpecified(), tadqm::TrackAnalyzer.setNumberOfGoodVertices(), DCULVRVoltagesDat.setOCM(), TotemFramePosition.setOptoRxId(), edm::IndexIntoFile::RunOrLumiEntry.setOrderPHIDRun(), edm::IndexIntoFile::RunOrLumiEntry.setOrderPHIDRunLumi(), FSimTrack.setOriginVertex(), pat::helper::ParametrizationHelper.setParametersFromP4(), edm::ThinnedAssociation.setParentCollectionID(), fireworks.setPath(), edm::PlaceInPathContext.setPathContext(), edm::WorkerInPath.setPathContext(), TotemT2FramePosition.setPayload(), Herwig7Interface.setPEGRandomEngine(), EVTColContainer.setPFMHT(), LMFPnPrimDat.setPNAoverBM3(), LMFPnPrimDat.setPNAoverBMean(), LMFPnPrimDat.setPNAoverBRMS(), FWGeoTopNode.setPopupMenu(), VFATFrame.setPresenceFlags(), TrackInformation.setPrimary(), edm::IndexIntoFile::RunOrLumiEntry.setProcessHistoryIDIndex(), edm::Event.setProducer(), L1MuKBMTrack.setPtEtaPhi(), l1t::KMTFTrack.setPtEtaPhi(), ThePEG::RandomEngineGlue.setRandomEngine(), TauSpinnerFilter.setRandomEngine(), edm::BeamHaloProducer.setRandomEngine(), myEvtRandomEngine.setRandomEngine(), ThePEG::RandomEngineGlue::Proxy.setRandomEngine(), TauSpinnerCMS.setRandomEngine(), CMS_SHERPA_RNG.setRandomEngine(), CMSCGEN.setRandomEngine(), CosmicMuonGenerator.setRandomEngine(), pathStatusExpression::BinaryOperator< T >.setRight(), edm::pathStatusExpression::BinaryOperator< T >.setRight(), LMFPnPrimDat.setRMS(), LMFPrimDat.setRMS(), LMFClsDat.setRMS(), CTPPSPixelFramePosition.setROC(), CTPPSRPAlignmentCorrectionData.setRotX(), CTPPSRPAlignmentCorrectionData.setRotXUnc(), CTPPSRPAlignmentCorrectionData.setRotY(), CTPPSRPAlignmentCorrectionData.setRotYUnc(), AlignmentResult.setRotZ(), CTPPSRPAlignmentCorrectionData.setRotZ(), AlignmentResult.setRotZUnc(), CTPPSRPAlignmentCorrectionData.setRotZUnc(), edm::StreamContext.setRunIndex(), edm::service::RandomNumberGeneratorService::LabelAndEngine.setSeed(), cond::ProductResolverWrapperBase.setSession(), LMFPnPrimDat.setShapeCorr(), LMFPrimDat.setShapeCorr(), AlignmentResult.setShR1(), AlignmentResult.setShR1Unc(), AlignmentResult.setShR2(), AlignmentResult.setShR2Unc(), CTPPSRPAlignmentCorrectionData.setShX(), CTPPSRPAlignmentCorrectionData.setShXUnc(), CTPPSRPAlignmentCorrectionData.setShY(), CTPPSRPAlignmentCorrectionData.setShYUnc(), AlignmentResult.setShZ(), CTPPSRPAlignmentCorrectionData.setShZ(), AlignmentResult.setShZUnc(), CTPPSRPAlignmentCorrectionData.setShZUnc(), DeDxCalibration.setSigma(), TotemFramePosition.setSubSystemId(), FWJetProxyBuilder.setTextPos(), edm::ThinnedAssociation.setThinnedCollectionID(), DeDxCalibration.setThr(), edm::IllegalParameters.setThrowAnException(), edm::StreamContext.setTimestamp(), TotemFramePosition.setTOTFEDId(), RecoTracktoTP.SetTrackingParticlePCA(), TPtoRecoTrack.SetTrackingParticlePCA(), edm::StreamContext.setTransition(), EcalElectronicsMapper.setupGhostMap(), edm::MergeableRunProductMetadata::MetadataForProcess.setUseIndexIntoFile(), DCULVRVoltagesDat.setV43_A(), DCULVRVoltagesDat.setV43_D(), Matriplex::MatriplexVector< MP >.setVal(), Phase2L1GMT::PreTrackMatchedMuon.setValid(), edm::MergeableRunProductMetadata::MetadataForProcess.setValid(), AlignmentParameters.setValid(), CSCCorrelatedLCTDigi.setValid(), CSCDBL1TPParametersExtended.setValue(), FFTJetCorrectorTransient.setVariance(), DCULVRVoltagesDat.setVCC(), FFTJetCorrectorResult.setVec(), FFTJetCorrectorTransient.setVec(), LMFRunTag.setVersion(), LMFPrimVers.setVersion(), SimTrack.setVertexIndex(), BscG4Hit.setVertexPosition(), DCULVRVoltagesDat.setVFE1_2_3_D(), DCULVRVoltagesDat.setVFE1_A(), DCULVRVoltagesDat.setVFE2_A(), DCULVRVoltagesDat.setVFE3_A(), DCULVRVoltagesDat.setVFE4_5_D(), DCULVRVoltagesDat.setVFE4_A(), DCULVRVoltagesDat.setVFE5_A(), LMFColoredTable.setVmax(), LMFSeqDat.setVmax(), LMFColoredTable.setVmin(), LMFSeqDat.setVmin(), PHcalTB06Info.setVtxPrim(), PHcalTB04Info.setVtxPrim(), HcalTriggerPrimitiveAlgo.setWeightsQIE11(), CTPPSPixelFramePosition.setXMLAttribute(), TotemT2FramePosition.setXMLAttribute(), TotemFramePosition.setXMLAttribute(), pat::MET.shiftedP2(), pat::MET.shiftedP2_74x(), pat::MET.shiftedP3(), pat::MET.shiftedP3_74x(), pat::MET.shiftedP4(), pat::MET.shiftedP4_74x(), pat::MET.shiftedSumEt(), pat::MET.shiftedSumEt_74x(), GaussianTail.shoot(), SiStripCluster.SiStripCluster(), edm::streamer::InitMsgBuilder.size(), edm::streamer::EventMsgBuilder.size(), edm::OneToMany< std::vector< SimTrack >, std::vector< OmniClusterRef >, unsigned int >.size(), edm::OneToManyWithQualityGeneric< TrackingVertexCollection, edm::View< reco::Vertex >, double, unsigned int >.size(), hitfit::Vector_Resolution.smear(), edm::SoATuple< edm::EDConsumerBase::TokenLookupInfo, bool, edm::EDConsumerBase::LabelPlacement, edm::KindOfType >.SoATuple(), IdealResult.solve(), JanAlignmentAlgorithm.solve(), edm::OneToManyWithQualityGeneric< TrackingVertexCollection, edm::View< reco::Vertex >, double, unsigned int >.sort(), HGCalImagingAlgo.sort_by_delta(), hgcal::ClusterTools.sort_by_z(), pat::PATPackedCandidateProducer.sort_indexes(), KDTreeLinkerBase.sort_indexes(), TrackMerger.sortByHitPosition(), hgcal_clustering.sorted_indices(), DDCoreToDDXMLOutput.specpar(), XHistogram.splitSegment(), DD4hep_XHistogram.splitSegment(), SplittingConfigurableHisto.SplittingConfigurableHisto(), mkfit.squashPhiGeneral(), storageCounter(), storeTracks(), ConversionFastHelix.straightLineStateAtVertex(), FastHelix.straightLineStateAtVertex(), DDI::Specific.stream(), VertexHigherPtSquared.sumPtSquared(), TrackerDpgAnalysis.sumPtSquared(), fireworks.supportedDataFormatsVersion(), FWViewManagerManager.supportedTypesAndRepresentations(), mkfit::TrackBase.swimPhiToR(), LinkByRecHit.testECALAndPSByRecHit(), CkfDebugger.testSeed(), DAClusterizerInZ_vect.thermalize(), DAClusterizerInZT_vect.thermalize(), timestudy::SleepingServer.threadWork(), EventShape.thrust(), Primary4DVertexValidation.timeFromTrueMass(), DDMapper< G4LogicalVolume *, DDLogicalPart >.toDouble(), DTTrigGeom.toGlobal(), DTTrigGeom.toLocal(), toLocal(), edm.toPython11List(), DDMapper< G4LogicalVolume *, DDLogicalPart >.toString(), TrackerG4SimHitNumberingScheme.touchToNavStory(), reco::TransientTrackFromFTS.track(), reco.trackingParametersAtClosestApproachToBeamSpot(), trklet::TrackletCalculator.TrackletCalculator(), HBHEHitMap.tracksNeighborTowers(), HBHEHitMap.tracksSameTowers(), HGVHistoProducerAlgo.tracksters_to_SimTracksters(), ROOT::Math::Transform3DPJ.Transform3DPJ(), edm::TransformerBase.transformImpAsync(), edm::OneToOneGeneric< CKey, CVal, index >.transientMap(), edm::OneToMany< std::vector< SimTrack >, std::vector< OmniClusterRef >, unsigned int >.transientMap(), edm::OneToManyWithQualityGeneric< TrackingVertexCollection, edm::View< reco::Vertex >, double, unsigned int >.transientMap(), edm::OneToMany< std::vector< SimTrack >, std::vector< OmniClusterRef >, unsigned int >.transientValVector(), edm::OneToManyWithQualityGeneric< TrackingVertexCollection, edm::View< reco::Vertex >, double, unsigned int >.transientValVector(), TangentApproachInRPhi.transverseCoord(), ClosestApproachInRPhi.transverseCoord(), Trend.Trend(), HFNoseTriggerDetId.triggerCellX(), HGCalTriggerDetId.triggerCellX(), Phase2L1GMT.twos_complement(), PlotAlignmentValidation.twotailedStudentTTestEqualMean(), CmsMTDStringToEnum.type(), emtf::Forest.updateEvents(), edm::service::SimpleMemoryCheck.updateMax(), trackerTFP::DataFormatKF.updateRangeActual(), emtf::Forest.updateRegTargets(), CrossingPtBasedLinearizationPointFinder.useAllTracks(), tt::Setup.useForAlgEff(), CrossingPtBasedLinearizationPointFinder.useFullMatrix(), edm::OneToValue< BasicClusterCollection, float, unsigned short >.val(), edm::OneToMany< std::vector< SimTrack >, std::vector< OmniClusterRef >, unsigned int >.val(), edm::OneToManyWithQualityGeneric< TrackingVertexCollection, edm::View< reco::Vertex >, double, unsigned int >.val(), edm::ParameterWildcardWithSpecifics.validate_(), L1MuonPixelTrackFitter.valInversePt(), VariableHelper.variable(), VariableNTupler.VariableNTupler(), mathSSE::Vec2< float >.Vec2(), L1TCorrelatorLayer1Producer.vecOutput(), L1TCorrelatorLayer1Producer.vecRegInput(), L1TCorrelatorLayer1Producer.vecSecInput(), LocalTrajectoryParameters.vector(), DAClusterizerInZ_vect.verify(), DAClusterizerInZT_vect.verify(), trklet::VarBase.verilog_print(), CosmicParametersDefinerForTP.vertex(), ParametersDefinerForTP.vertex(), PrimaryVertexMonitor.vertexPlots(), GeneralPurposeVertexAnalyzer.vertexPlots(), AdaptiveVertexReconstructor.vertices(), PrimaryVertexProducerAlgorithm.vertices(), DAClusterizerInZT_vect.vertices(), DAClusterizerInZ_vect.vertices_in_blocks(), vhdl_int_to_signed(), vhdl_int_to_unsigned(), vhdl_resize_signed(), vhdl_resize_signed_ok(), vhdl_resize_unsigned(), vhdl_resize_unsigned_ok(), vhdl_signed_to_int(), vhdl_slice(), vhdl_unsigned_to_int(), viewIsChecked(), npstat::BoxND< unsigned >.volume(), npstat::HistoND< Numeric, Axis >.volume(), edm.walkTrie(), reco::btag.weight(), WeightedMeanFitter.weightedMeanOutlierRejection(), WeightedMeanFitter.weightedMeanOutlierRejectionBeamSpot(), WeightedMeanFitter.weightedMeanOutlierRejectionVarianceAsError(), trackerTFP::KalmanFilterFormats.width(), trackerTFP::DataFormats.width(), trackerTFP::Stub< double, double, double, double, double >.width(), trackerTFP::Track< int, int, int, double, double, double, double >.width(), edm::service::MessageServicePSetValidation.wildcard(), EPOS::IO_EPOS.write_event(), DCULVRVoltagesDat.writeArrayDB(), trklet::TrackletCalculator.writeFirmwareDesign(), edm::service::RandomNumberGeneratorService.writeStates(), edm::service::RandomNumberGeneratorService.writeVector(), xy(), zw(), EcalBarrelGeometry.~EcalBarrelGeometry(), and EcalEndcapGeometry.~EcalEndcapGeometry().